继承我的尝试。
问题: 目前我的return ds1.locale = dataSrc2[i][property]
行是一个失败点。我知道map会返回一个新数组;但是,除了dataSrc1
的值之外,我想要原始ds1.locale
的属性和值。
问题:如何在继承dataSrc1
的原始其他键值对时返回数组,但dataSrc1.locale
除了匹配的dataSrc2
值//1. loop over dataSrc1.
//2. loop over dataSrc2.
//3. try find a match from dataSrc2[key] e.g. dataSrc2['af'] === dataSrc1.locale;
//4. if matched save dataSrc2's key
//5. replace dataSrc1.language = dataSrc2[savedDataSrc2Key]
var dataSrc1 = [{'locale': 'af', 'language': 'Afrikaans'}, {'locale': 'ar', 'language': 'Arabic'}];
var dataSrc2 = [{'ar': '丹麥文'},{'af': '土耳其文'}];
//Intended output
//dataSrc3 = [{'locale': 'af', 'language': '土耳其文'}, {'locale': 'ar', 'language': '丹麥文'}]
1}}键的值。
更新我解决了。但代码真的很难看。这有更好的方法吗?也许不会使用3个该死的循环?
这是步骤的伪代码。
var dataSrc3 = dataSrc1.map(function(ds1){
for(var i = 0; i < dataSrc2.length; i += 1){
for (var property in dataSrc2[i]) {
if (dataSrc2[i].hasOwnProperty(property)) {
if(property === ds1.locale){
ds1.language = dataSrc2[i][property];
return ds1;
}
}
}
}
})
console.log(dataSrc3);
//Current output
//[ '土耳其文', '丹麥文' ]
//Intended output
//dataSrc3 = [{'locale': 'af', 'language': '土耳其文'}, {'locale': 'ar', 'language': '丹麥文'}]
{{1}}
答案 0 :(得分:1)
你可以稍微重构一下:
var dataSrc3 = dataSrc1.map(function(d1) {
var language = null;
// .some will iterate until you return true or last item is passed
// set variable language to found language
dataSrc2.some(function(d) {
if (Object.prototype.hasOwnProperty.call(d, d1.locale)) {
language = d[d1.locale];
return true;
}
});
// return a new object, this will not modify the objects in dataSrc1 and dataSrc2
return { language: language, locale: d1.locale };
});
console.log(dataSrc3); // [{'locale': 'af', 'language': '土耳其文'}, {'locale': 'ar', 'language': '丹麥文'}]
有一个名为.find
的实验数组方法有点像.some
,但会给出数组中的当前值:
var dataSrc3 = dataSrc1.map(function(d1) {
var d2 = dataSrc2.find(function(d2) {
return Object.prototype.hasOwnProperty.call(d2, d1.locale);
});
// return a new object, this will not modify the objects in dataSrc1 and dataSrc2
return {
language: d2[d1.locale],
locale: d1.locale
};
});
console.log(dataSrc3); // [{'locale': 'af', 'language': '土耳其文'}, {'locale': 'ar', 'language': '丹麥文'}]
您可能需要查看underscore.js或lodash。这些库将提供有用的util函数,也可用于旧版浏览器:
var dataSrc3 = _.map(dataSrc1, function(d1) {
var d2 = _.find(dataSrc2, function(d2) {
return _.has(d2, d1.locale);
});
return {
language: d2[d1.locale],
locale: d1.locale
};
});
答案 1 :(得分:0)
我们的代码中有两个错误:
return ds1.locale = dataSrc2[i][property];
当您要分配到ds1.locale
并返回修改后的ds1.language
时,会分配并返回ds1
:
ds1.language = dataSrc2[i][property];
return ds1;
其次,您还应该返回任何未经修改的ds1
,因此请在for
循环后添加:
return ds1;
正如其他人所说,你可以更简洁地编写这个功能。