TypeScript:是否等效于C#的通用类型约束来扩展类?

时间:2018-07-24 20:29:08

标签: c# angular typescript generics typescript-generics

我正在尝试编写一个受保护的抽象类,该抽象类可以将子类类型作为超类构造函数的方法签名中的类型参数。

我要查找的内容类似于C#的“通用类型约束”(where关键字),因此我可以在参数列表中使用子类型。

//                    where T : <base class name>
BaseAuthController<T> where T : BaseAuthController

当前超类

export abstract class BaseAuthController {
    protected constructor(
        protected dialogRef:
            //This class shouldn't know about child classes
            MatDialogRef<Child1DialogComponent> |
            MatDialogRef<Child2DialogComponent> |
            MatDialogRef<Child3DialogComponent>
    ) {

    }
}

当前子类

export class Child1DialogComponent extends BaseAuthController {
    constructor(dialogRef: MatDialogRef<Child1DialogComponent>) {
        super(dialogRef);
    }
}

理想的超类

export abstract class BaseAuthController<T> {
    protected constructor(protected dialogRef: MatDialogRef<T>) {

    }
}

参考

2 个答案:

答案 0 :(得分:2)

我认为您可能需要自我约束的泛型:

export abstract class BaseAuthController<T extends BaseAuthController<T>> {
  protected constructor(protected dialogRef: MatDialogRef<T>) {}
}

此行为通常在带有polymorphic this types的TypeScript中完成,但是您不能在构造函数中引用this类型。有一个open issue about this,但看起来并不会很快解决。幸运的是,您仍然可以do it the way Java does。并且您的子类应该可以正常工作:

export class Child1DialogComponent extends BaseAuthController<Child1DialogComponent> {
  constructor(dialogRef: MatDialogRef<Child1DialogComponent>) {
    super(dialogRef);
  }
}

希望有所帮助;祝你好运!

答案 1 :(得分:0)

当然,它在操作上有根本的不同,但是有一种方法可以达到相同的结果:

export abstract class BaseAuthController<T extends SubClass> {
    protected constructor(protected dialogRef: MatDialogRef<T>) {

    }
}

结合统一类型意味着我们可以指定多个子代:

export abstract class BaseAuthController<T extends SubClass1 | SubClass2> {
    protected constructor(protected dialogRef: MatDialogRef<T>) {

    }
}