在typescript中有可能让函数返回扩展它的类的类型

时间:2014-01-08 13:12:49

标签: compiler-construction typescript intellisense

export class Base {
    static getSomething():typeof this //<-- change this?
    {
        var type = typeof this;
        return new this['type']();
    }
}
export class Foo extends Base {
    publicVar:string = 'getThis!';
}

var foo:Foo = Foo.getSomething();
var success:string = foo.publicVar;

以上内容返回错误,因为编译器说Foo.getSomething将返回Base,而不是Foo。 我想知道是否有另一种方法可以让我调用Foo的静态函数,编译器知道它会返回一个Foo。

当然我可以在Foo中明确地实现它,因此在每个扩展Base的类中,或者我可以简单地对它进行类型转换:

var foo:Foo = <Foo> Foo.getSomething();

但是我想知道是否有办法不必做其中任何一件事,因为我将使用这个方法很多

1 个答案:

答案 0 :(得分:4)

摆脱类型断言

如果遵循Liskov替换原则,则不需要类型断言。

代码示例1 - 可替换对象...

module Test {
    export class Base {
       publicVar: string = 'base';

       static getSomething() : Base  {
            //... read on...
       }
    }

    export class Foo extends Base {
        publicVar:string = 'getThis!';
    }
}

// No <Foo> type assertion needed
var foo: Test.Foo = Test.Foo.getSomething();

alert(foo.publicVar);

或者,你可以创建一个interface来告诉你返回的对象将有一个publicVar属性并返回...

代码示例2 - 接口

module Test {
    export interface IPublicVarable {
        publicVar: string;
    }

    export class Base {
       static getSomething() : IPublicVarable  {
            //... read on...
       }
    }

    export class Foo extends Base {
        publicVar:string = 'getThis!';
    }
}

// No <Foo> type assertion needed
var foo: Test.IPublicVarable = Test.Foo.getSomething();

alert(foo.publicVar);

获取实际类型

这并没有解决你遇到的另一个问题 - var type = typeof this;不会在运行时提供你所期望的。它会给你Function而不是Foo

要获取类型名称,您确实需要使用实例(如果您再次使用Test.Foo类型名称为Function - 这对您没有好处),所以这里不完美示例使用两个不同的子类,这两个子类都满足接口,基于我的Obtaining a Class Name at Runtime example

module Test {
    export class Describer {
        static getName(inputClass) { 
            var funcNameRegex = /function (.{1,})\(/;
            var results = (funcNameRegex).exec((<any> inputClass).constructor.toString());
            return (results && results.length > 1) ? results[1] : "";
        }

        static getInstanceOf(inputClass) : Test.IPublicVarable {
            var name = Describer.getName(inputClass);
            return new Test[name]();
        }
    }

    export interface IPublicVarable {
        publicVar: string;
    }

    export class Base {

    }

    export class Foo extends Base {
        publicVar:string = 'foo class';
    }

    export class Bar extends Base {
        publicVar:string = 'bar class';
    }
}

var a: Test.Base = new Test.Foo();
var x: Test.IPublicVarable = Test.Describer.getInstanceOf(a);
alert(x.publicVar);

var b: Test.Base = new Test.Bar();
var y: Test.IPublicVarable = Test.Describer.getInstanceOf(b);
alert(y.publicVar);