signal.ts
utils/signal.ts
No strong subsystem tag
44
Lines
1447
Bytes
3
Exports
0
Imports
10
Keywords
What this is
This page documents one file from the repository and includes its full source so you can read it without leaving the docs site.
Beginner explanation
This file is one piece of the larger system. Its name, directory, imports, and exports show where it fits. Start by reading the exports and related files first.
How it is used
Start from the exports list and related files. Those are the easiest clues for where this file fits into the system.
Expert explanation
Architecturally, this file intersects with general runtime concerns. It contains 44 lines, 0 detected imports, and 3 detected exports.
Important relationships
Detected exports
subscribeSignalcreateSignal
Keywords
argslistenerslistenersubscribevoidchangedemitcleareventcreatesignal
Detected imports
- No import paths detected.
Source notes
This page embeds the full file contents. Small or leaf files are still indexed honestly instead of being over-explained.
Full source
/**
* Tiny listener-set primitive for pure event signals (no stored state).
*
* Collapses the ~8-line `const listeners = new Set(); function subscribe(){…};
* function notify(){for(const l of listeners) l()}` boilerplate that was
* duplicated ~15× across the codebase into a one-liner.
*
* Distinct from a store (AppState, createStore) — there is no snapshot, no
* getState. Use this when subscribers only need to know "something happened",
* optionally with event args, not "what is the current value".
*
* Usage:
* const changed = createSignal<[SettingSource]>()
* export const subscribe = changed.subscribe
* // later: changed.emit('userSettings')
*/
export type Signal<Args extends unknown[] = []> = {
/** Subscribe a listener. Returns an unsubscribe function. */
subscribe: (listener: (...args: Args) => void) => () => void
/** Call all subscribed listeners with the given arguments. */
emit: (...args: Args) => void
/** Remove all listeners. Useful in dispose/reset paths. */
clear: () => void
}
export function createSignal<Args extends unknown[] = []>(): Signal<Args> {
const listeners = new Set<(...args: Args) => void>()
return {
subscribe(listener) {
listeners.add(listener)
return () => {
listeners.delete(listener)
}
},
emit(...args) {
for (const listener of listeners) listener(...args)
},
clear() {
listeners.clear()
},
}
}