我有来自API的回复,它返回一个枚举值。从API返回的值在请求中表示为字符串。
此值是typescript接口的enum
属性。
问题:
当接收到响应时,TS接口将该值存储为字符串(可能就是问题),因此我无法将其直接用作enum
。
obj模型:
export interface Condo {
id:number
title:string
latitude:number
longitude:number
city:string
country:string
district:string
address:string
locationType: LocationType
}
export enum LocationType {
CONDO,
MALL,
STATION
}
请求:
getCondoAllByCountry(country_code){
return this.http.get(this.config.apiEndpoint +this.subApiUrl+'/all')
.map(res => <Condo[]>res.json())
.catch((err:Response) => {
return Observable.throw(err.json());
});
}
使用示例:
this.condoService.getCondoAllByCountry(this.userData.country_code).subscribe(data=>{
someFunc(data)
})
............
someFunc(condo_list: Condo[]){
//here is need to know the `locationType` for each object
console.log(typeof condo_list[i].locationType);
console.log(typeof LocationType.CONDO)
switch (condo_list[i].locationType){
case LocationType.CONDO:
console.log('Case - condo')
break;
case LocationType.MALL:
console.log('Case - mall')
break;
case LocationType.STATION:
console.log('Case - station')
break;
}
}
因此,switch.. case
不适用于此属性。在console.log()
我得到了:
console.log(typeof condo_list[i].locationType);
- string
console.log(typeof LocationType.CONDO)
- number
那么,这意味着有一个解析概率而condo_list[i].locationType
不是enum
(考虑到它应该为枚举显示number
)?
我该如何解决?
答案 0 :(得分:5)
如果您使用的是2.4或更高版本的原型,您可以按如下方式声明字符串枚举:
export enum LocationType {
CONDO = 'CONDO',
MALL = 'MALL',
STATION = 'STATION'
}
// ...
switch (object.locationType) {
case LocationType.CONDO: // ...
case LocationType.MALL: // ...
case LocationType.STATION: // ...
}
在旧版本中,您仅限于使用基于数字的枚举。在这种情况下,您可能最好使用字符串文字联合类型:
export type LocationType = 'CONDO' | 'MALL' | 'STATION';
// ...
switch (object.locationType) {
case 'CONDO': // ...
case 'MALL': // ...
case 'STATION': // ...
}