Typescript

时间:2016-07-04 05:44:02

标签: javascript generics typescript default-value

我需要根据下面

中的Typescript泛型类中的类型设置变量的默认值
  class MyClass<T>{
      myvariable: T // Here I want to set the value of this variable 
                    // with the default value of the type passed in 'T'
    }

例如,如果T是数字,则变量myvariable的默认值应为&#34; 0&#34;,对于字符串,它应该是空字符串,依此类推..

3 个答案:

答案 0 :(得分:8)

您不能这样做,因为T的实际类型只会在运行时知道。

你能做什么:

abstract class MyClass<T> {
    myvariable: T;

    constructor() {
        this.myvariable = this.getInitialValue();
    }

    protected abstract getInitialValue(): T;
}

现在你只需要扩展这个类:

class MyStringClass extends MyClass<string> {
    protected getInitialValue(): string {
        return "init-value";
    }
}

修改

您要求的内容无法完成,因为T仅存在于打字稿领域中,并且它不会生存下来#34; \ n&#34;编译过程。

例如,这个:

class MyClass<T> {
    myvariable: T;

    constructor(value: T) {
        this.myvariable = value;
    }
}

编译成:

var MyClass = (function () {
    function MyClass(value) {
        this.myvariable = value;
    }
    return MyClass;
}());

正如您所看到的,在编译版本中没有T,因此您无法在运行时使用该信息以生成默认值。

另一种解决方案是拥有默认值的映射:

var defaultValues = {
    "string": "",
    "number": 0,
    "boolean": false
}

class MyClass<T> {
    myvariable: T;

    constructor(value: T) {
        this.myvariable = value;
    }
}

let a = new MyClass<string>(defaultValues.string);
let b = new MyClass<boolean>(defaultValues.boolean);

您还可以使用静态工厂方法:

class MyClass<T> {
    myvariable: T;

    constructor(value: T) {
        this.myvariable = value;
    }

    static stringInstance(): MyClass<string> {
        return new MyClass<string>("");
    }

    static numberInstance(): MyClass<number> {
        return new MyClass<number>(0);
    }

    static booleanInstance(): MyClass<boolean> {
        return new MyClass<boolean>(false);
    }
}

let a = MyClass.stringInstance();
let b = MyClass.booleanInstance();

答案 1 :(得分:0)

T在运行时丢失,因此您需要传递类似值的类型。你可以通过传递构造函数来做到这一点。

当我有类似的需求时,我通常使用这样的界面:

interface Type<T> {
     new() : T;
}

并像这样创建MyClass:

class MyClass<T>{
    myvariable: T;

    constructor(type: Type<T>) {

        this.myvariable = new type();
    }
}

然后我可以这样使用MyClass:

let myinstance = new MyClass(TheOtherType);

它适用于类,但不适用于字符串和数字等内置函数。

TheOtherType是类的构造函数,例如:

class TheOtherType {
}

答案 2 :(得分:0)

嗯,我想我想出了一个可能的解决方案。无论如何,我必须说Nitzan Tomer是正确的,并且类型在运行时不可用。这是TS的有趣方面:)

您可以在此检查所获对象的类型,然后设置默认值。您也可以更改地点和要检查的对象,以便按照您想要的方式进行检查,但我想这对您来说可能是一个很好的起点。请注意,您必须进行双重转换,因为TS无法保证类型兼容。我还没有尝试过,但编译得很好

class MyClass<T>{
      myvariable: T 

    constructor(param: any) {
        if (typeof param === 'string') {
            this.myvariable = <T><any> "";
        }
        else if (typeof param === 'number') {
            this.myvariable = <T><any> 0;
        }
    }  
}