123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155 |
- import { createNanoEvents } from "nanoevents";
- import { error, info } from "./utils";
- import { FeatureConfig } from "./types";
- import { emitInterface } from "./interface";
- import { addSelectorListener } from "./observers";
- export interface SiteEventsMap {
- // misc:
- /** Emitted whenever the feature config is changed - initialization is not counted */
- configChanged: (config: FeatureConfig) => void;
- // TODO: implement
- /** Emitted whenever a config option is changed - contains the old and the new values */
- configOptionChanged: <TKey extends keyof FeatureConfig>(key: TKey, oldValue: FeatureConfig[TKey], newValue: FeatureConfig[TKey]) => void;
- /** Emitted whenever the config menu should be rebuilt, like when a config was imported */
- rebuildCfgMenu: (config: FeatureConfig) => void;
- /** Emitted whenever the config menu is closed */
- cfgMenuClosed: () => void;
- /** Emitted when the welcome menu is closed */
- welcomeMenuClosed: () => void;
- /** Emitted whenever the user interacts with a hotkey input, used so other keyboard input event listeners don't get called while mid-input */
- hotkeyInputActive: (active: boolean) => void;
- // DOM:
- /** Emitted whenever child nodes are added to or removed from the song queue */
- queueChanged: (queueElement: HTMLElement) => void;
- /** Emitted whenever child nodes are added to or removed from the autoplay queue underneath the song queue */
- autoplayQueueChanged: (queueElement: HTMLElement) => void;
- /**
- * Emitted whenever the current song title changes
- * @param newTitle The new song title
- * @param oldTitle The old song title, or `null` if no previous title was found
- * @param initialPlay Whether this is the first played song
- */
- songTitleChanged: (newTitle: string, oldTitle: string | null, initialPlay: boolean) => void;
- /** Emitted whenever the current song's watch ID changes - `oldId` is `null` if this is the first song played in the session */
- watchIdChanged: (newId: string, oldId: string | null) => void;
- }
- /** Array of all site events */
- export const allSiteEvents = [
- "configChanged",
- "configOptionChanged",
- "rebuildCfgMenu",
- "cfgMenuClosed",
- "welcomeMenuClosed",
- "hotkeyInputActive",
- "queueChanged",
- "autoplayQueueChanged",
- "songTitleChanged",
- "watchIdChanged",
- ] as const;
- /** EventEmitter instance that is used to detect changes to the site */
- export const siteEvents = createNanoEvents<SiteEventsMap>();
- let observers: MutationObserver[] = [];
- /** Disconnects and deletes all observers. Run `initSiteEvents()` again to create new ones. */
- export function removeAllObservers() {
- observers.forEach((observer, i) => {
- observer.disconnect();
- delete observers[i];
- });
- observers = [];
- }
- /** Creates MutationObservers that check if parts of the site have changed, then emit an event on the `siteEvents` instance. */
- export async function initSiteEvents() {
- try {
- //#SECTION queue
- // the queue container always exists so it doesn't need an extra init function
- const queueObs = new MutationObserver(([ { addedNodes, removedNodes, target } ]) => {
- if(addedNodes.length > 0 || removedNodes.length > 0) {
- info(`Detected queue change - added nodes: ${[...addedNodes.values()].length} - removed nodes: ${[...removedNodes.values()].length}`);
- emitSiteEvent("queueChanged", target as HTMLElement);
- }
- });
- // only observe added or removed elements
- addSelectorListener("sidePanel", "#contents.ytmusic-player-queue", {
- listener: (el) => {
- queueObs.observe(el, {
- childList: true,
- });
- },
- });
- const autoplayObs = new MutationObserver(([ { addedNodes, removedNodes, target } ]) => {
- if(addedNodes.length > 0 || removedNodes.length > 0) {
- info(`Detected autoplay queue change - added nodes: ${[...addedNodes.values()].length} - removed nodes: ${[...removedNodes.values()].length}`);
- emitSiteEvent("autoplayQueueChanged", target as HTMLElement);
- }
- });
- addSelectorListener("sidePanel", "ytmusic-player-queue #automix-contents", {
- listener: (el) => {
- autoplayObs.observe(el, {
- childList: true,
- });
- },
- });
- //#SECTION player bar
- let lastTitle: string | null = null;
- let initialPlay = true;
- addSelectorListener("playerBarInfo", "yt-formatted-string.title", {
- continuous: true,
- listener: (titleElem) => {
- const oldTitle = lastTitle;
- const newTitle = titleElem.textContent;
- if(newTitle === lastTitle || !newTitle)
- return;
- lastTitle = newTitle;
- info(`Detected song change - old title: "${oldTitle}" - new title: "${newTitle}" - initial play: ${initialPlay}`);
- emitSiteEvent("songTitleChanged", newTitle, oldTitle, initialPlay);
- initialPlay = false;
- },
- });
- info("Successfully initialized SiteEvents observers");
- observers = observers.concat([
- queueObs,
- autoplayObs,
- ]);
- //#SECTION other
- let lastWatchId: string | null = null;
- const checkWatchId = () => {
- if(location.pathname.startsWith("/watch")) {
- const newWatchId = new URL(location.href).searchParams.get("v");
- if(newWatchId && newWatchId !== lastWatchId) {
- info(`Detected watch ID change - old ID: "${lastWatchId}" - new ID: "${newWatchId}"`);
- emitSiteEvent("watchIdChanged", newWatchId, lastWatchId);
- lastWatchId = newWatchId;
- }
- }
- setTimeout(checkWatchId, 200);
- };
- window.addEventListener("bytm:ready", () => checkWatchId(), { once: true });
- }
- catch(err) {
- error("Couldn't initialize SiteEvents observers due to an error:\n", err);
- }
- }
- /** Emits a site event with the given key and arguments */
- export function emitSiteEvent<TKey extends keyof SiteEventsMap>(key: TKey, ...args: Parameters<SiteEventsMap[TKey]>) {
- siteEvents.emit(key, ...args);
- emitInterface(`bytm:siteEvent:${key}`, args as unknown as undefined);
- }
|