我需要能够规范化javascript对象或者将其弄平,我希望能够用lodash做一些事情,但我不知所措。我尝试编写自己的转换器,但它似乎过于复杂,我虽然lodash可以做这样的事情。
我正在放置我拥有的原始数组,它有3个子数组项。 (见下文)
这就是我所期望的(创建我的新对象),所以所有内容都被展平并添加到'name'(参见下面的testProduct1和testProduct2),如果没有颜色,位置可用,则名称只是原始名称(见下面的testProduct3。
X
以下是ORIGINAL数组的示例
{
name: ‘testProduct1 RED NewYork’
},
{
name: ‘testProduct1 RED London’
},
{
name: ‘testProduct1 YELLOW NewYork’
},
{
name: ‘testProduct1 YELLOW London’
},
{
name: ‘testProduct2 WHITE NewYork’
},
{
name: ‘testProduct2 WHITE London’
},
{
name: ‘testProduct3’
}
答案 0 :(得分:2)
这是一个简单的Javascript解决方案。
var data = [{ name: 'testProduct1', colors: ['RED', 'YELLOW'], locations: ['New York', 'London'] }, { name: 'testProduct2', colors: ['WHITE'], locations: ['New York', 'London'] }, { name: 'testProduct3', }],
flat = function (array) {
var order = ['colors', 'locations'],
r = [];
array.forEach(function (a) {
function getParts(parts) {
if (parts.length >= order.length) {
parts.unshift(a.name);
r.push({ name: parts.filter(Boolean).join(' ') });
return;
}
(a[order[parts.length]] || ['']).forEach(function (b) {
getParts(parts.concat(b));
});
}
getParts([]);
});
return r;
}(data);
document.write('<pre>' + JSON.stringify(flat, 0, 4) + '</pre>');
答案 1 :(得分:1)
我想你想要map
list.map((element) => {
return {
name: [element.name].concat(element.colors, element.locations).join(' ')
};
});
答案 2 :(得分:1)
var resultArr = inArr.reduce((initArr, cur) =>
{
if (cur.colors && cur.locations)
{
cur.colors.forEach(col =>
cur.locations.forEach(loc =>
initArr.push({ name: cur.name + ' ' + col + ' ' + loc })));
}
else
{
initArr.push({ name: cur.name });
}
return initArr;
}, [] /* Passed as initArr */);
OR
更简洁
var resultArr = inArr.reduce((initArr, cur) =>
{
for (let col of cur.colors || [''])
for (let loc of cur.locations || [''])
initArr.push({ name: (cur.name + ' ' + col + ' ' + loc).trim() });
return initArr;
}, [] /* Passed as initArr */);
答案 3 :(得分:0)
编写一组基本循环可能更容易:
var result = [];
for (let i = 0; i < arr.length; i++) {
let colors = arr[i].colors || [];
for (let j = 0; j < colors.length; j++) {
let locations = arr[i].locations || [];
for (let k = 0; k < locations.length; k++) {
result.push({name: arr[i].name + ' ' + colors[j] + ' ' + locations[k]]});
]
}
}
如果你真的想用功能风格来写这个,那么一个想法就是:
[].concat(...arr.map(
elt => (elt.colors || []).map(
color => (elt.locations || []).map(
location => ({name: elt.name + ' ' + color + ' ' + location})))))