Created
March 28, 2021 11:29
-
-
Save fy0/dddf26dc881f89e410e4ac7af1536b32 to your computer and use it in GitHub Desktop.
minievent.ts
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
// 一个简易事件系统,参考了mitt和nanoevents | |
// https://github.com/developit/mitt | |
// https://github.com/ai/nanoevents | |
// An event handler can take an optional event argument | |
// and should not return a value | |
export type EventHandler = (...args: any) => void; | |
export interface EventsMap { | |
[event: string]: any; | |
} | |
export class Emitter<T extends EventsMap = EventsMap> { | |
sender: any; | |
constructor (sender: any) { | |
this.sender = sender; | |
} | |
all = new Map<string, Array<EventHandler>>(); | |
/** | |
* Register an event handler for the given type. | |
* @param {string|symbol} type Type of event to listen for, or `"*"` for all events | |
* @param {Function} handler Function to call in response to given event | |
* @memberOf mitt | |
*/ | |
on<K extends keyof T>(type: K, handler: T[K]) { | |
const handlers = this.all.get(type as string); | |
const added = handlers && handlers.push(handler); | |
if (!added) { | |
this.all.set(type as string, [handler]); | |
} | |
} | |
/** | |
* Remove an event handler for the given type. | |
* @param {string|symbol} type Type of event to unregister `handler` from, or `"*"` | |
* @param {Function} handler Handler function to remove | |
* @memberOf mitt | |
*/ | |
off<K extends keyof T>(type: K, handler: T[K]) { | |
const handlers = this.all.get(type as string); | |
if (handlers) { | |
handlers.splice(handlers.indexOf(handler) >>> 0, 1); | |
} | |
} | |
/** | |
* Invoke all handlers for the given type. | |
* | |
* @param {string|symbol} type The event type to invoke | |
* @param {Any} [args] Any value, passed to each handler | |
* @memberOf mitt | |
*/ | |
emit<K extends keyof T>(type: K, ...args: Parameters<T[K]>) { | |
(this.all.get(type as string) || []).slice().map((handler) => { | |
handler(...args); | |
}); | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment