如何循环遍历枚举值以在单选按钮中显示?

问题描述 投票:0回答:1

在 TypeScript 中循环遍历枚举的正确方法是什么?

(我目前使用的是 TypeScript 1.8.1。)

我有以下枚举:

export enum MotifIntervention {
    Intrusion,
    Identification,
    AbsenceTest,
    Autre
}

export class InterventionDetails implements OnInit
{
    constructor(private interService: InterventionService)
    {
        let i:number = 0;
        for (let motif in MotifIntervention) {
            console.log(motif);
        }
    }

显示的结果是一个列表

0
1
2
3
Intrusion,
Identification,
AbsenceTest,
Autre

我确实只想在循环中进行四次迭代,因为枚举中只有四个元素。我不想让 0 1 2 和 3 看起来像是枚举的索引号。

javascript arrays typescript enums element
1个回答
685
投票

两个选项:

for (let item in MotifIntervention) {
    if (isNaN(Number(item))) {
        console.log(item);
    }
}

或者

Object.keys(MotifIntervention).filter(key => !isNaN(Number(MotifIntervention[key])));

操场上的代码


编辑

字符串枚举看起来与常规枚举不同,例如:

enum MyEnum {
    A = "a",
    B = "b",
    C = "c"
}

编译为:

var MyEnum;
(function (MyEnum) {
    MyEnum["A"] = "a";
    MyEnum["B"] = "b";
    MyEnum["C"] = "c";
})(MyEnum || (MyEnum = {}));

这只是给你这个对象:

{
    A: "a",
    B: "b",
    C: "c"
}

你可以像这样获得所有钥匙(

["A", "B", "C"]
):

Object.keys(MyEnum);

和值 (

["a", "b", "c"]
):

Object.keys(MyEnum).map(key => MyEnum[key])

或者使用 Object.values():

Object.values(MyEnum)
© www.soinside.com 2019 - 2024. All rights reserved.