ntfy/web/src/components/hooks.js

304 lines
10 KiB
JavaScript
Raw Normal View History

import { useParams } from "react-router-dom";
import { useEffect, useMemo, useState } from "react";
import { useLiveQuery } from "dexie-react-hooks";
import subscriptionManager from "../app/SubscriptionManager";
import { disallowedTopic, expandSecureUrl, topicUrl } from "../app/utils";
import routes from "./routes";
import connectionManager from "../app/ConnectionManager";
import poller from "../app/Poller";
import pruner from "../app/Pruner";
2022-12-09 02:50:48 +01:00
import session from "../app/Session";
2023-02-02 21:19:37 +01:00
import accountApi from "../app/AccountApi";
2023-05-23 21:13:01 +02:00
import { UnauthorizedError } from "../app/errors";
import notifier from "../app/Notifier";
import prefs from "../app/Prefs";
/**
* Wire connectionManager and subscriptionManager so that subscriptions are updated when the connection
* state changes. Conversely, when the subscription changes, the connection is refreshed (which may lead
* to the connection being re-established).
*
* When Web Push is enabled, we do not need to connect to our home server via WebSocket, since notifications
* will be delivered via Web Push. However, we still need to connect to other servers via WebSocket, or for internal
* topics, such as sync topics (st_...).
*/
export const useConnectionListeners = (account, subscriptions, users, webPushTopics) => {
const wsSubscriptions = useMemo(
() => (subscriptions && webPushTopics ? subscriptions.filter((s) => !webPushTopics.includes(s.topic)) : []),
// wsSubscriptions should stay stable unless the list of subscription IDs changes. Without the memo, the connection
// listener calls a refresh for no reason. This isn't a problem due to the makeConnectionId, but it triggers an
// unnecessary recomputation for every received message.
[JSON.stringify({ subscriptions: subscriptions?.map(({ id }) => id), webPushTopics })]
);
2023-05-23 21:13:01 +02:00
// Register listeners for incoming messages, and connection state changes
useEffect(
() => {
const handleInternalMessage = async (message) => {
2023-05-24 01:29:47 +02:00
console.log(`[ConnectionListener] Received message on sync topic`, message.message);
2023-05-23 21:13:01 +02:00
try {
const data = JSON.parse(message.message);
if (data.event === "sync") {
console.log(`[ConnectionListener] Triggering account sync`);
await accountApi.sync();
} else {
2023-05-24 01:29:47 +02:00
console.log(`[ConnectionListener] Unknown message type. Doing nothing.`);
2023-05-23 21:13:01 +02:00
}
} catch (e) {
2023-05-24 01:29:47 +02:00
console.log(`[ConnectionListener] Error parsing sync topic message`, e);
2023-05-23 21:13:01 +02:00
}
};
2023-05-23 21:13:01 +02:00
const handleNotification = async (subscriptionId, notification) => {
2023-05-24 01:29:47 +02:00
const added = await subscriptionManager.addNotification(subscriptionId, notification);
2023-05-23 21:13:01 +02:00
if (added) {
await subscriptionManager.notify(subscriptionId, notification);
2023-01-24 21:31:39 +01:00
}
2023-05-23 21:13:01 +02:00
};
const handleMessage = async (subscriptionId, message) => {
const subscription = await subscriptionManager.get(subscriptionId);
2023-05-31 18:55:17 +02:00
// Race condition: sometimes the subscription is already unsubscribed from account
// sync before the message is handled
if (!subscription) {
return;
}
if (subscription.internal) {
await handleInternalMessage(message);
} else {
await handleNotification(subscriptionId, message);
}
};
connectionManager.registerStateListener((id, state) => subscriptionManager.updateState(id, state));
2023-05-23 21:13:01 +02:00
connectionManager.registerMessageListener(handleMessage);
2023-05-23 21:13:01 +02:00
return () => {
connectionManager.resetStateListener();
connectionManager.resetMessageListener();
};
},
// We have to disable dep checking for "navigate". This is fine, it never changes.
2023-05-24 09:03:28 +02:00
2023-05-23 21:13:01 +02:00
[]
);
// Sync topic listener: For accounts with sync_topic, subscribe to an internal topic
useEffect(() => {
if (!account || !account.sync_topic) {
return;
}
subscriptionManager.add(config.base_url, account.sync_topic, { internal: true }); // Dangle!
2023-05-23 21:13:01 +02:00
}, [account]);
2023-01-24 21:31:39 +01:00
2023-05-23 21:13:01 +02:00
// When subscriptions or users change, refresh the connections
useEffect(() => {
connectionManager.refresh(wsSubscriptions, users); // Dangle
}, [wsSubscriptions, users]);
};
/**
* Automatically adds a subscription if we navigate to a page that has not been subscribed to.
* This will only be run once after the initial page load.
*/
export const useAutoSubscribe = (subscriptions, selected) => {
2023-05-23 21:13:01 +02:00
const [hasRun, setHasRun] = useState(false);
const params = useParams();
2023-05-23 21:13:01 +02:00
useEffect(() => {
const loaded = subscriptions !== null && subscriptions !== undefined;
if (!loaded || hasRun) {
return;
}
setHasRun(true);
2023-05-24 01:29:47 +02:00
const eligible = params.topic && !selected && !disallowedTopic(params.topic);
2023-05-23 21:13:01 +02:00
if (eligible) {
2023-05-24 01:29:47 +02:00
const baseUrl = params.baseUrl ? expandSecureUrl(params.baseUrl) : config.base_url;
console.log(`[Hooks] Auto-subscribing to ${topicUrl(baseUrl, params.topic)}`);
2023-05-23 21:13:01 +02:00
(async () => {
2023-05-24 01:29:47 +02:00
const subscription = await subscriptionManager.add(baseUrl, params.topic);
2023-05-23 21:13:01 +02:00
if (session.exists()) {
try {
await accountApi.addSubscription(baseUrl, params.topic);
} catch (e) {
console.log(`[Hooks] Auto-subscribing failed`, e);
if (e instanceof UnauthorizedError) {
await session.resetAndRedirect(routes.login);
2023-05-23 21:13:01 +02:00
}
}
}
2023-05-23 21:13:01 +02:00
poller.pollInBackground(subscription); // Dangle!
})();
}
}, [params, subscriptions, selected, hasRun]);
};
const webPushBroadcastChannel = new BroadcastChannel("web-push-broadcast");
/**
* Hook to return a value that's refreshed when the notification permission changes
*/
export const useNotificationPermissionListener = (query) => {
const [result, setResult] = useState(query());
useEffect(() => {
const handler = () => {
setResult(query());
};
if ("permissions" in navigator) {
navigator.permissions.query({ name: "notifications" }).then((permission) => {
permission.addEventListener("change", handler);
return () => {
permission.removeEventListener("change", handler);
};
});
}
}, []);
return result;
};
2023-06-26 03:10:25 +02:00
/**
* Updates the Web Push subscriptions when the list of topics changes,
* as well as plays a sound when a new broadcast message is received from
* the service worker, since the service worker cannot play sounds.
2023-06-26 03:10:25 +02:00
*/
const useWebPushListener = (topics) => {
const [lastTopics, setLastTopics] = useState();
const pushPossible = useNotificationPermissionListener(() => notifier.pushPossible());
useEffect(() => {
const topicsChanged = JSON.stringify(topics) !== JSON.stringify(lastTopics);
if (!pushPossible || !topicsChanged) {
return;
}
(async () => {
try {
console.log("[useWebPushListener] Refreshing web push subscriptions", topics);
await subscriptionManager.updateWebPushSubscriptions(topics);
setLastTopics(topics);
} catch (e) {
console.error("[useWebPushListener] Error refreshing web push subscriptions", e);
}
})();
}, [topics, lastTopics]);
useEffect(() => {
const onMessage = () => {
notifier.playSound(); // Service Worker cannot play sound, so we do it here!
};
webPushBroadcastChannel.addEventListener("message", onMessage);
return () => {
webPushBroadcastChannel.removeEventListener("message", onMessage);
};
});
};
/**
* Hook to return a list of Web Push enabled topics using a live query. This hook will return an empty list if
* permissions are not granted, or if the browser does not support Web Push. Notification permissions are acted upon
* automatically.
*/
export const useWebPushTopics = () => {
const pushPossible = useNotificationPermissionListener(() => notifier.pushPossible());
const topics = useLiveQuery(
async () => subscriptionManager.webPushTopics(pushPossible),
// invalidate (reload) query when these values change
[pushPossible]
);
useWebPushListener(topics);
return topics;
};
const matchMedia = window.matchMedia("(display-mode: standalone)");
const isIOSStandalone = window.navigator.standalone === true;
/*
2023-06-27 02:38:18 +02:00
* Watches the "display-mode" to detect if the app is running as a standalone app (PWA).
*/
export const useIsLaunchedPWA = () => {
const [isStandalone, setIsStandalone] = useState(matchMedia.matches);
useEffect(() => {
2023-06-27 02:38:18 +02:00
if (isIOSStandalone) {
return () => {}; // No need to listen for events on iOS
}
const handler = (evt) => {
console.log(`[useIsLaunchedPWA] App is now running ${evt.matches ? "standalone" : "in the browser"}`);
setIsStandalone(evt.matches);
};
matchMedia.addEventListener("change", handler);
return () => {
matchMedia.removeEventListener("change", handler);
};
}, []);
2023-06-27 02:38:18 +02:00
return isIOSStandalone || isStandalone;
};
/**
* Watches the result of `useIsLaunchedPWA` and enables "Web Push" if it is.
*/
export const useStandaloneWebPushAutoSubscribe = () => {
const isLaunchedPWA = useIsLaunchedPWA();
useEffect(() => {
if (isLaunchedPWA) {
console.log(`[useStandaloneWebPushAutoSubscribe] Turning on web push automatically`);
prefs.setWebPushEnabled(true); // Dangle!
}
}, [isLaunchedPWA]);
};
2022-03-11 21:17:12 +01:00
/**
* Start the poller and the pruner. This is done in a side effect as opposed to just in Pruner.js
* and Poller.js, because side effect imports are not a thing in JS, and "Optimize imports" cleans
* up "unused" imports. See https://github.com/binwiederhier/ntfy/issues/186.
2022-03-11 21:17:12 +01:00
*/
const startWorkers = () => {
poller.startWorker();
pruner.startWorker();
accountApi.startWorker();
};
2023-06-17 22:32:24 +02:00
const stopWorkers = () => {
poller.stopWorker();
pruner.stopWorker();
accountApi.stopWorker();
};
export const useBackgroundProcesses = () => {
useStandaloneWebPushAutoSubscribe();
2023-05-23 21:13:01 +02:00
useEffect(() => {
console.log("[useBackgroundProcesses] mounting");
startWorkers();
return () => {
console.log("[useBackgroundProcesses] unloading");
stopWorkers();
};
2023-05-23 21:13:01 +02:00
}, []);
};
2023-01-03 04:21:11 +01:00
export const useAccountListener = (setAccount) => {
2023-05-23 21:13:01 +02:00
useEffect(() => {
accountApi.registerListener(setAccount);
accountApi.sync(); // Dangle
return () => {
accountApi.resetListener();
};
}, []);
};