phanpy/src/app.jsx

435 lines
13 KiB
React
Raw Normal View History

2022-12-10 09:14:48 +00:00
import './app.css';
2022-12-26 06:02:05 +00:00
import 'toastify-js/src/toastify.css';
2022-12-10 09:14:48 +00:00
import { createHashHistory } from 'history';
2023-01-01 04:01:54 +00:00
import debounce from 'just-debounce-it';
import { login } from 'masto';
2022-12-26 06:02:05 +00:00
import Router, { route } from 'preact-router';
2022-12-10 09:14:48 +00:00
import { useEffect, useLayoutEffect, useState } from 'preact/hooks';
2022-12-26 06:02:05 +00:00
import Toastify from 'toastify-js';
2022-12-10 09:14:48 +00:00
import { useSnapshot } from 'valtio';
import Account from './components/account';
import Compose from './components/compose';
import Drafts from './components/drafts';
2022-12-10 09:14:48 +00:00
import Loader from './components/loader';
import Modal from './components/modal';
import Home from './pages/home';
import Login from './pages/login';
import Notifications from './pages/notifications';
import Settings from './pages/settings';
import Status from './pages/status';
import Welcome from './pages/welcome';
import { getAccessToken } from './utils/auth';
2023-01-09 11:11:34 +00:00
import states, { saveStatus } from './utils/states';
2022-12-10 09:14:48 +00:00
import store from './utils/store';
const { VITE_CLIENT_NAME: CLIENT_NAME } = import.meta.env;
window.__STATES__ = states;
2022-12-10 09:14:48 +00:00
2022-12-31 17:46:08 +00:00
function App() {
2022-12-10 09:14:48 +00:00
const snapStates = useSnapshot(states);
const [isLoggedIn, setIsLoggedIn] = useState(false);
const [uiState, setUIState] = useState('loading');
2022-12-10 09:14:48 +00:00
useLayoutEffect(() => {
const theme = store.local.get('theme');
if (theme) {
document.documentElement.classList.add(`is-${theme}`);
document
.querySelector('meta[name="color-scheme"]')
.setAttribute('content', theme);
}
}, []);
useEffect(() => {
const instanceURL = store.local.get('instanceURL');
const accounts = store.local.getJSON('accounts') || [];
const code = (window.location.search.match(/code=([^&]+)/) || [])[1];
if (code) {
console.log({ code });
// Clear the code from the URL
window.history.replaceState({}, document.title, '/');
const clientID = store.session.get('clientID');
const clientSecret = store.session.get('clientSecret');
(async () => {
setUIState('loading');
const tokenJSON = await getAccessToken({
instanceURL,
client_id: clientID,
client_secret: clientSecret,
code,
});
const { access_token: accessToken } = tokenJSON;
store.session.set('accessToken', accessToken);
window.masto = await login({
url: `https://${instanceURL}`,
accessToken,
disableVersionCheck: true,
timeout: 30_000,
2022-12-10 09:14:48 +00:00
});
const mastoAccount = await masto.v1.accounts.verifyCredentials();
2022-12-10 09:14:48 +00:00
2022-12-27 01:05:54 +00:00
// console.log({ tokenJSON, mastoAccount });
2022-12-10 09:14:48 +00:00
let account = accounts.find((a) => a.info.id === mastoAccount.id);
if (account) {
account.info = mastoAccount;
2023-01-01 12:59:55 +00:00
account.instanceURL = instanceURL.toLowerCase();
2022-12-10 09:14:48 +00:00
account.accessToken = accessToken;
} else {
account = {
info: mastoAccount,
instanceURL,
accessToken,
};
accounts.push(account);
}
store.local.setJSON('accounts', accounts);
store.session.set('currentAccount', account.info.id);
setIsLoggedIn(true);
setUIState('default');
})();
} else if (accounts.length) {
const currentAccount = store.session.get('currentAccount');
const account =
accounts.find((a) => a.info.id === currentAccount) || accounts[0];
const instanceURL = account.instanceURL;
const accessToken = account.accessToken;
store.session.set('currentAccount', account.info.id);
(async () => {
try {
setUIState('loading');
window.masto = await login({
url: `https://${instanceURL}`,
accessToken,
disableVersionCheck: true,
timeout: 30_000,
2022-12-10 09:14:48 +00:00
});
setIsLoggedIn(true);
} catch (e) {
setIsLoggedIn(false);
}
setUIState('default');
})();
} else {
setUIState('default');
2022-12-10 09:14:48 +00:00
}
}, []);
const [currentDeck, setCurrentDeck] = useState('home');
const [currentModal, setCurrentModal] = useState(null);
2022-12-30 12:37:57 +00:00
const focusDeck = () => {
if (currentModal) return;
2022-12-30 12:37:57 +00:00
let timer = setTimeout(() => {
const page = document.getElementById(`${currentDeck}-page`);
2023-01-07 13:02:46 +00:00
console.debug('FOCUS', currentDeck, page);
2022-12-30 12:37:57 +00:00
if (page) {
page.focus();
}
}, 100);
return () => clearTimeout(timer);
};
useEffect(focusDeck, [currentDeck, currentModal]);
2022-12-30 12:37:57 +00:00
useEffect(() => {
if (
!snapStates.showCompose &&
!snapStates.showSettings &&
!snapStates.showAccount
) {
focusDeck();
}
}, [snapStates.showCompose, snapStates.showSettings, snapStates.showAccount]);
2022-12-10 09:14:48 +00:00
useEffect(() => {
// HACK: prevent this from running again due to HMR
if (states.init) return;
if (isLoggedIn) {
requestAnimationFrame(() => {
startStream();
startVisibility();
2022-12-10 09:14:48 +00:00
// Collect instance info
(async () => {
const info = await masto.v1.instances.fetch();
2022-12-10 09:14:48 +00:00
console.log(info);
const { uri, domain } = info;
2022-12-10 09:14:48 +00:00
const instances = store.local.getJSON('instances') || {};
2023-01-01 12:59:55 +00:00
instances[(domain || uri).toLowerCase()] = info;
2022-12-10 09:14:48 +00:00
store.local.setJSON('instances', instances);
})();
});
states.init = true;
}
}, [isLoggedIn]);
return (
<>
{isLoggedIn && currentDeck && (
<div class="decks">
{/* Home will never be unmounted */}
<Home hidden={currentDeck !== 'home'} />
{/* Notifications can be unmounted */}
{currentDeck === 'notifications' && <Notifications />}
</div>
2022-12-10 09:14:48 +00:00
)}
{!isLoggedIn && uiState === 'loading' && <Loader />}
<Router
history={createHashHistory()}
onChange={(e) => {
2023-01-07 13:02:46 +00:00
console.debug('ROUTER onChange', e);
2022-12-10 09:14:48 +00:00
// Special handling for Home and Notifications
const { url } = e;
if (/notifications/i.test(url)) {
setCurrentDeck('notifications');
setCurrentModal(null);
2022-12-10 09:14:48 +00:00
} else if (url === '/') {
setCurrentDeck('home');
document.title = `Home / ${CLIENT_NAME}`;
setCurrentModal(null);
} else if (/^\/s\//i.test(url)) {
setCurrentModal('status');
2022-12-30 12:37:57 +00:00
} else {
setCurrentModal(null);
2022-12-10 09:14:48 +00:00
setCurrentDeck(null);
}
states.history.push(url);
}}
>
{!isLoggedIn && uiState !== 'loading' && <Welcome path="/" />}
<Welcome path="/welcome" />
{isLoggedIn && <Status path="/s/:id" />}
<Login path="/login" />
</Router>
{!!snapStates.showCompose && (
<Modal>
<Compose
replyToStatus={
typeof snapStates.showCompose !== 'boolean'
? snapStates.showCompose.replyToStatus
: window.__COMPOSE__?.replyToStatus || null
}
editStatus={
states.showCompose?.editStatus ||
window.__COMPOSE__?.editStatus ||
null
}
draftStatus={
states.showCompose?.draftStatus ||
window.__COMPOSE__?.draftStatus ||
null
2022-12-10 09:14:48 +00:00
}
onClose={(results) => {
const { newStatus } = results || {};
2022-12-10 09:14:48 +00:00
states.showCompose = false;
window.__COMPOSE__ = null;
if (newStatus) {
2022-12-10 09:14:48 +00:00
states.reloadStatusPage++;
2022-12-28 10:05:22 +00:00
setTimeout(() => {
const toast = Toastify({
text: 'Status posted. Check it out.',
duration: 10_000, // 10 seconds
gravity: 'bottom',
position: 'center',
// destination: `/#/s/${newStatus.id}`,
onClick: () => {
toast.hideToast();
route(`/s/${newStatus.id}`);
},
});
toast.showToast();
}, 1000);
2022-12-10 09:14:48 +00:00
}
}}
/>
</Modal>
)}
{!!snapStates.showSettings && (
<Modal
onClick={(e) => {
if (e.target === e.currentTarget) {
states.showSettings = false;
}
}}
>
<Settings
onClose={() => {
states.showSettings = false;
}}
/>
</Modal>
)}
{!!snapStates.showAccount && (
<Modal
class="light"
onClick={(e) => {
if (e.target === e.currentTarget) {
states.showAccount = false;
}
}}
>
<Account account={snapStates.showAccount} />
</Modal>
)}
{!!snapStates.showDrafts && (
<Modal
onClick={(e) => {
if (e.target === e.currentTarget) {
states.showDrafts = false;
}
}}
>
<Drafts />
</Modal>
)}
2022-12-10 09:14:48 +00:00
</>
);
}
2022-12-31 17:46:08 +00:00
async function startStream() {
const stream = await masto.v1.stream.streamUser();
console.log('STREAM START', { stream });
2023-01-01 04:01:54 +00:00
const handleNewStatus = debounce((status) => {
2022-12-31 17:46:08 +00:00
console.log('UPDATE', status);
const inHomeNew = states.homeNew.find((s) => s.id === status.id);
const inHome = states.home.find((s) => s.id === status.id);
if (!inHomeNew && !inHome) {
states.homeNew.unshift({
id: status.id,
reblog: status.reblog?.id,
reply: !!status.inReplyToAccountId,
});
}
2023-01-09 11:11:34 +00:00
saveStatus(status);
2023-01-01 04:01:54 +00:00
}, 5000);
stream.on('update', handleNewStatus);
2022-12-31 17:46:08 +00:00
stream.on('status.update', (status) => {
console.log('STATUS.UPDATE', status);
2023-01-09 11:11:34 +00:00
saveStatus(status);
2022-12-31 17:46:08 +00:00
});
stream.on('delete', (statusID) => {
console.log('DELETE', statusID);
// delete states.statuses[statusID];
const s = states.statuses[statusID];
2022-12-31 17:46:08 +00:00
if (s) s._deleted = true;
});
stream.on('notification', (notification) => {
console.log('NOTIFICATION', notification);
const inNotificationsNew = states.notificationsNew.find(
(n) => n.id === notification.id,
);
const inNotifications = states.notifications.find(
(n) => n.id === notification.id,
);
if (!inNotificationsNew && !inNotifications) {
states.notificationsNew.unshift(notification);
}
2023-01-09 11:11:34 +00:00
saveStatus(notification.status, { override: false });
2022-12-31 17:46:08 +00:00
});
stream.ws.onclose = () => {
console.log('STREAM CLOSED!');
requestAnimationFrame(() => {
startStream();
});
};
return {
stream,
stopStream: () => {
stream.ws.close();
},
};
}
function startVisibility() {
const handleVisibilityChange = () => {
if (document.visibilityState === 'hidden') {
const timestamp = Date.now();
store.session.set('lastHidden', timestamp);
} else {
const timestamp = Date.now();
const lastHidden = store.session.get('lastHidden');
const diff = timestamp - lastHidden;
const diffMins = Math.round(diff / 1000 / 60);
if (diffMins > 1) {
console.log('visible', { lastHidden, diffMins });
setTimeout(() => {
// Buffer for WS reconnect
(async () => {
try {
const firstStatusID = states.home[0]?.id;
const firstNotificationID = states.notifications[0]?.id;
const fetchHome = masto.v1.timelines.listHome({
limit: 1,
...(firstStatusID && { sinceId: firstStatusID }),
});
const fetchNotifications = masto.v1.notifications.list({
limit: 1,
...(firstNotificationID && { sinceId: firstNotificationID }),
});
const newStatuses = await fetchHome;
if (
newStatuses.length &&
newStatuses[0].id !== states.home[0].id
) {
states.homeNew = newStatuses.map((status) => {
2023-01-09 11:11:34 +00:00
saveStatus(status);
2022-12-31 17:46:08 +00:00
return {
id: status.id,
reblog: status.reblog?.id,
reply: !!status.inReplyToAccountId,
};
});
}
const newNotifications = await fetchNotifications;
if (newNotifications.length) {
const notification = newNotifications[0];
const inNotificationsNew = states.notificationsNew.find(
(n) => n.id === notification.id,
);
const inNotifications = states.notifications.find(
(n) => n.id === notification.id,
);
if (!inNotificationsNew && !inNotifications) {
states.notificationsNew.unshift(notification);
}
2023-01-09 11:11:34 +00:00
saveStatus(notification.status, { override: false });
2022-12-31 17:46:08 +00:00
}
} catch (e) {
// Silently fail
console.error(e);
}
})();
}, 100);
}
}
};
document.addEventListener('visibilitychange', handleVisibilityChange);
return {
stop: () => {
document.removeEventListener('visibilitychange', handleVisibilityChange);
},
};
}
export { App };