callback-this-type
4
总安装量
4
周安装量
#49028
全站排名
安装命令
npx skills add https://github.com/marius-townhouse/effective-typescript-skills --skill callback-this-type
Agent 安装分布
opencode
4
mcpjam
3
gemini-cli
3
junie
3
windsurf
3
zencoder
3
Skill 文档
Provide a Type for this in Callbacks if It’s Part of Their API
Overview
When a library calls a user-provided callback with a specific this context, that context is part of the API. TypeScript allows you to type this as the first parameter of a function, even though it’s not a real parameter. This documents and enforces the expected context.
When to Use This Skill
- Callbacks use
this - API provides
thiscontext - Typing event handlers
- Library sets
thisin callbacks - Documenting callback context
The Iron Rule
Type this as the first parameter when it’s part of your callback API. This documents the expected context and enables autocompletion.
Example
// BAD: this is untyped
interface EventEmitter {
on(event: string, handler: (data: any) => void): void;
}
// User doesn't know what 'this' is:
emitter.on('click', function(data) {
this.something; // What properties does this have?
});
// GOOD: this is typed
interface EventEmitter {
on(
event: string,
handler: (this: EventContext, data: any) => void
): void;
}
interface EventContext {
target: Element;
timestamp: number;
preventDefault(): void;
}
// User now gets autocompletion for 'this'
emitter.on('click', function(data) {
this.target; // Autocomplete works!
this.timestamp; // Typed as number
});
Reference
- Effective TypeScript, 2nd Edition by Dan Vanderkam
- Item 69: Provide a Type for this in Callbacks if It’s Part of Their API