我是编程的新手,所以如果这是一个愚蠢的问题或已经被回答过,请原谅我。
我有一个来自服务器的变量,用于标识城市代码(例如PHO)。我也有对象列表。
Cities [] = [
{label: "Phoenix", code: "PHO"},
{label: "Chicago", code: "CHI"}
];
我需要将从服务器(PHO)获得的城市代码与列表匹配,并返回标签“ Phoenix”。任何帮助将不胜感激,我只需要朝正确的方向前进即可。
答案 0 :(得分:0)
只需编写一个函数即可将您的输入代码映射到输出标签。
getCity(code: String) {
for (let city of this.cities) {
if (city.code == code) {
return city.label;
}
}
return null;
}
cities
被定义为
cities = [
{label: "Phoenix", code: "PHO"},
{label: "Chicago", code: "CHI"}
];
该函数具有线性时间复杂度 O(n),如果您使用类似地图的结构,则可以通过将每个代码映射到 O(1)来将其改进为 O(1)标签。
答案 1 :(得分:0)
您将要使用Array.prototype.find函数在数组中找到匹配的对象(假设只有一个)。
这是一个示例getLabelByCode
函数。
var cities = [
{ label: "Phoenix", code: "PHO" },
{ label: "Chicago", code: "CHI" }
];
function getLabelByCode(code) {
const city = cities.find(c => c.code === code);
if (city) {
return city.label;
}
return 'NO LABEL FOUND';
}
var result = getLabelByCode("PHO");
console.log('The result is', result);
或者,如果您需要匹配数组中的多个对象,则可以使用Array.prototype.filter。
答案 2 :(得分:0)
使用ES7
const getCityByCode = code =>
Object.values(cities).find(city =>
city.code === code
)
const phoenix = getCityByCode("PHO")
使用phoenix.label
获取label
属性。