我试图实例化一个类作为参数传递给另一个,我在一个文件ImportedClass.ts中有这个:
export default class ImportedClass {
public constructor(something: any) {
}
public async exampleMethod() {
return "hey";
}
}
这在另一个InstanceClass.ts中:
interface GenericInterface<T> {
new(something: any): T;
}
export default class InstanceClass <T> {
private c: GenericInterface<T>;
public constructor(c: T) {
}
async work() {
const instanceTry = new this.c("hello");
instanceTry.exampleMethod();
}
}
这在另一个ClassCaller.ts中:
import ImportedClass from './ImportedClass';
import ImportedClass from './InstanceClass';
const simulator = new InstanceClass <ImportedClass>(ImportedClass);
然后当我这样称呼它时:
simulator.work();
它抛出此错误:
error TS2339: Property 'exampleMethod' does not exist on type 'T'.
欢迎任何帮助,谢谢。
最佳答案
如果T
必须具有名为exampleMethod
的方法,则必须在T
上的Simulator
约束中包括此方法,以便能够在Simulator
中使用它:
export class ImportedClass {
public constructor(something: any) {
}
public async exampleMethod() {
return "hey";
}
}
interface GenericInterface<T> {
new(something: any): T;
}
export class Simulator<T extends { exampleMethod(): Promise<string> }> {
public constructor(private c: GenericInterface<T>) {
}
async work() {
const instanceTry = new this.c("hello");
await instanceTry.exampleMethod();
}
}
const simulator = new Simulator(ImportedClass);
simulator.work()
Playground link
为了使摘录能够正常工作,还有一些其他小问题需要修复,但这就是mai问题。