我正在尝试创建一个类型来描述一个ES6代理对象,在那里我将知道几个键的类型,其余的键将是通用的回调作为值,我不会知道他们的名称直到运行时。
但是,如果我尝试这样的事情:
interface MyCallback {
(): void;
}
interface MyType {
myKey1: number;
[key: string]: MyCallBack;
}
我收到的错误如下:
[ts] Property 'myKey1' of type 'number' is not assignable to string index type 'MyCallback'.
如果我添加[key: string]: number
,则会收到错误Duplicate string index signature
。
如果我重载它就像number | MyCallback
一样,如果我尝试在MyType
实例上调用回调,我会收到此错误:
[ts] Cannot invoke an expression whose type lacks a call signature. Type 'number | MyCallback' has no compatible call signatures.
是否可以使用类似我尝试在TypeScript中创建的类型?
答案 0 :(得分:2)
答案是那样的。您可以使用交集类型完成此操作:
interface MyType {
myKey1: number;
}
interface MyCallBack {
(): void;
}
interface GenericCallbackType {
[key: string]: MyCallBack;
}
type CombinedType = MyType & GenericCallbackType;
const obj: CombinedType = {
myKey1: 8,
anyString: () => {}
}
答案 1 :(得分:2)
接受的答案对我不起作用,此代码段有效:Playground Link
interface MyType {
myKey1: number;
}
interface GenericCallbackType {
[key: string]: () => void;
}
type CombinedType = MyType | GenericCallbackType;
const obj: CombinedType = {
myKey1: 8,
anyString: () => {}
}
答案 2 :(得分:0)
如评论中所述,接受的答案不适用于作业,从而导致Property 'myKey1' is incompatible with index signature
错误。要进行作业,我们可以利用@jcalz的答案here:
interface MyCallback {
(): void
}
interface MyType {
myKey1: number
}
const asCombinedType = <C>(
res: C & MyType & Record<Exclude<keyof C, keyof MyType>, MyCallback>
): C => res
const obj = asCombinedType({
anyKey: () => { /* ...*/ },
myKey1: 12
})
令人费解的是,但是它可以完成工作。