import type { Hook, Manifest } from "../types.ts"; import { System } from "../system.ts"; import { safeRun } from "../util.ts"; // System events: // - plug:load (plugName: string) export type EventHookT = { events?: string[]; }; export class EventHook implements Hook { private system?: System; public localListeners: Map any)[]> = new Map(); addLocalListener(eventName: string, callback: (data: any) => any) { if (!this.localListeners.has(eventName)) { this.localListeners.set(eventName, []); } this.localListeners.get(eventName)!.push(callback); } // Pull all events listened to listEvents(): string[] { if (!this.system) { throw new Error("Event hook is not initialized"); } const eventNames = new Set(); for (const plug of this.system.loadedPlugs.values()) { for (const functionDef of Object.values(plug.manifest!.functions)) { if (functionDef.events) { for (const eventName of functionDef.events) { eventNames.add(eventName); } } } } for (const eventName of this.localListeners.keys()) { eventNames.add(eventName); } return [...eventNames]; } async dispatchEvent(eventName: string, data?: any): Promise { if (!this.system) { throw new Error("Event hook is not initialized"); } const responses: any[] = []; for (const plug of this.system.loadedPlugs.values()) { for ( const [name, functionDef] of Object.entries( plug.manifest!.functions, ) ) { if (functionDef.events && functionDef.events.includes(eventName)) { // Only dispatch functions that can run in this environment if (plug.canInvoke(name)) { const result = await plug.invoke(name, [data]); if (result !== undefined) { responses.push(result); } } } } } const localListeners = this.localListeners.get(eventName); if (localListeners) { for (const localListener of localListeners) { const result = await Promise.resolve(localListener(data)); if (result) { responses.push(result); } } } return responses; } apply(system: System): void { this.system = system; this.system.on({ plugLoaded: (plug) => { safeRun(async () => { await this.dispatchEvent("plug:load", plug.name); }); }, }); } validateManifest(manifest: Manifest): string[] { const errors = []; for ( const [_, functionDef] of Object.entries( manifest.functions || {}, ) ) { if (functionDef.events && !Array.isArray(functionDef.events)) { errors.push("'events' key must be an array of strings"); } } return errors; } }