打字稿铸造总是返回“对象”

时间:2021-02-14 13:34:01

标签: angular typescript casting type-conversion type-assertion

假设我有两个接口,它们有两个相同的成员 ID 和名称:

export interface InterfaceA {
    id: number;
    name: string;
    //some other members
}

export interface InterfaceB {
    id: number;
    name: string;
    //some other members
}

我想收集两种类型的元素来填充一些组合框。 我需要每个元素的 id、名称和类型,所以我做了以下类

export class AssignableDevice {
    id: number;
    name: string;
    type: string;

    constructor(device: InterfaceA | InterfaceB) {
        this.id = device.id;
        this.name = device.name;
        this.type = typeof device; //still returns "object"
    }
}

// in onInit method : 

ngOnInit() {
    super.ngOnInit();

    this.dataService.getInterfaceA().subscribe((data) => {
      data.forEach((element) => this.devices.push(new AssignableDevice(element as InterfaceA)));
    });

    this.dataService.getInterfaceB().subscribe((data) => {
      data.forEach((element) => this.devices.push(new AssignableDevice(element as InterfaceB)));
    })
}

但问题是我总是在“AssignableDevice”类构造函数中得到“对象”,我不知道为什么会发生这种情况。 我可以通过使用一些枚举来实现我的目标,但我想知道为什么这个解决方案不起作用,以及如何实现这一点。 我宁愿不在 InterfaceA 或 InterfaceB 中进行任何更改。

1 个答案:

答案 0 :(得分:4)

您无法在运行时访问对象的 TypeScript 类型(在一般情况下)。 TypeScript 提供了一个编译时类型系统。您使用的 typeof 是 JavaScript runtime typeof,它始终为任何类型的对象(以及 "object")返回 null .

您已经说过要将类型发送到后端,因此您在运行时肯定需要它。我可以看到至少有两种方法可以做到这一点:

  1. 您可以将接口定义为品牌接口,以确保始终包含类型:

    export interface InterfaceA {
        id: number;
        name: string;
        //some other members
        type: "InterfaceA"; // <== This is a _string literal type_ whose only valid value is the string "InterfaceA"
    }
    
    export interface InterfaceB {
        id: number;
        name: string;
        //some other members
        type: "InterfaceB"; // <=== String literal type
    }
    

    现在,您分配给 InterfaceA 类型的变量、属性或参数的任何对象都必须具有带有字符串 type 和类似 "InterfaceA"InterfaceB 属性。然后您的代码将使用该 type 属性。

  2. 您可以将构造函数设为私有,并且只允许通过接口的 createX 方法创建:

    export class AssignableDevice {
        id: number;
        name: string;
        type: string;
    
        private constructor(device: InterfaceA | InterfaceB, type: string) {
            this.id = device.id;
            this.name = device.name;
            this.type = type;
        }
    
        static createA(device: InterfaceA): AssignableDevice {
            return new AssignableDevice(device, "InterfaceA");
        }
    
        static createB(device: InterfaceB): AssignableDevice {
            return new AssignableDevice(device, "InterfaceB");
        }
    }
    

    现在您对您拥有的对象类型使用适当的 createX 方法。由于您在编写代码时做出了该选择,因此 TypeScript 可以进行类型检查以查看您将正确类型的对象传递给 createX

相关问题