在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看起来像是枚举的索引号。
发布于 2016-09-07 22:40:53
有两个选项:
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)https://stackoverflow.com/questions/39372804
复制相似问题