我有一个在普通JavaScript中工作的类混合类的层次结构。
const
AsFoo = ( superclass ) => class extends superclass {
get foo(){ return true; }
},
AsFooBar = ( superclass ) => class extends AsFoo( superclass ){
get bar(){ return true; }
},
FooBar = AsFooBar( Object ),
fb = new FooBar();
console.log( fb.foo, fb.bar );
// true, true
但是,当我将它们翻译为TypeScript时,却出现AsFoo( superclass )
错误。
type Constructor<T = {}> = new ( ...args: any[] ) => T;
interface Foo {
foo: boolean;
}
interface FooBar extends Foo {
bar: boolean;
}
const
AsFoo = <T extends Constructor>( superclass: T ): Constructor<Foo> & T => class extends superclass implements Foo {
get foo(){ return true; }
},
AsFooBar = <T extends Constructor>( superclass: T ): Constructor<FooBar> & T => class extends AsFoo<T>( superclass ) implements FooBar {
get bar(){ return true; }
};
// Type 'Constructor<Foo> & T' is not a constructor function type. ts(2507)
我可以做些什么使TypeScript与这种模式一起工作吗?我宁愿不只是// @ts-ignore: ¯\_(ツ)_/¯
。
我当前正在使用TypeScript 3.2.4。
答案 0 :(得分:1)
export type Constructor<T = {}> = new (...args: any[]) => T;
/* turns A | B | C into A & B & C */
export type UnionToIntersection<U> = (U extends any ? (k: U) => void : never) extends ((k: infer I) => void)
? I
: never;
/* merges constructor types - self explanitory */
export type MergeConstructorTypes<T extends Array<Constructor<any>>> = UnionToIntersection<InstanceType<T[number]>>;
export function Mixin<T extends Array<Constructor<any>>>(constructors: T): Constructor<MergeConstructorTypes<T>> {
const cls = class {
state = {};
constructor() {
constructors.forEach((c: any) => {
const oldState = this.state;
c.apply(this);
this.state = Object.assign({}, this.state, oldState);
});
}
};
constructors.forEach((c: any) => {
Object.assign(cls.prototype, c.prototype);
});
return cls as any;
}
这是我不久前在玩的一种实现,它还合并了每个类的状态,但可以根据自己的需要随意更改该部分。
用法如下...
class A {
getName() {
return "hello"
}
}
class B {
getClassBName() {
return "class B name"
}
}
class CombineAB extends Mixin([A, B]) {
testMethod() {
this.getClassBName //is here
this.getName // is here
}
}