18

我想知道如何获得对类型构造函数的引用以将函数作为值传递。基本上,我想要一个泛型类型注册表,它允许通过调用泛型类型注册表实例的成员函数来创建实例。

例如:

class GeometryTypeInfo
{        
    constructor (public typeId: number, public typeName: string, public fnCtor: (...args: any[]) => IGeometry) {
    }
    createInstance(...args: any[]) : IGeometry { return this.fnCtor(args); }
    }
}

之后:

class Point implements IGeometry {
    constructor(public x: number, public y: number) { }

    public static type_info = new GeometryTypeInfo(1, 'POINT', Point); // <- fails
    // also fails: 
    //    new GeometryTypeInfo(1, 'POINT', new Point);
    //    new GeometryTypeInfo(1, 'POINT', Point.prototype);
    //    new GeometryTypeInfo(1, 'POINT', Point.bind(this));
}

任何人都知道是否可以引用类构造函数?

4

2 回答 2

22

您可以使用构造函数类型文字或带有构造签名的对象类型文字来描述构造函数的类型(通常参见语言规范的第 3.5 节)。要使用您的示例,以下内容应该有效:

interface IGeometry {
    x: number;
    y: number;
}

class GeometryTypeInfo
{        
    constructor (public typeId: number, public typeName: string, public fnCtor: new (...args: any[]) => IGeometry) {
    }
    createInstance(...args: any[]) : IGeometry { return new this.fnCtor(args); }
}

class Point implements IGeometry {
    constructor(public x: number, public y: number) { }

    public static type_info = new GeometryTypeInfo(1, 'POINT', Point);
}

请注意 的构造函数参数列表中的构造函数类型文字GeometryTypeInfo,以及 的实现中的新调用createInstance

于 2012-10-08T18:27:13.507 回答
9

typeof YourClass为您提供可用于类型注释的构造函数类型。

YourClass并且this.constructor是构造函数本身。所以,这段代码编译:

class A {}

const B : typeof A = A;

this.constructor不被 TypeScript 识别为构造函数类型的值(这很有趣),所以在这种情况下,你需要使用一些作弊来强制转换它any

new (<any> this.constructor)()

而已。

于 2016-06-30T19:40:11.327 回答