我有一个扁平的对象和一个数组,我需要从中构造一个类似树的对象。
choices: ['choice1', 'choice2', 'choice3'];
items: [
{
choice1: 'taste',
choice2: 'good',
choice3: 'green-lemon'
},
{
choice1: 'taste',
choice2: 'bad',
choice3: 'green-lemon'
}
];
数组描述了每个选择在树中的级别。我不知道以后会有多少选择,项目或级别。
如何获取以下对象:
output: {
taste: {
good: {
green-lemon:1
},
bad: {
green-lemon:1
}
}
}
我需要获得一个对象来描述每个级别上有多少项目。在此示例中,这是choice1: 1;
choice2: 2
和每个choice3: 1
。
有关如何构建循环以获得此结果的任何建议吗?
答案 0 :(得分:2)
我认为这里最好的解决方案是带有一些递归的循环。我增加了示例中模型的大小,以显示它与n级相关。使用javascript控制台检查输出。
var choices = ['choice1', 'choice2', 'choice3'];
var items = [{
choice1: 'taste',
choice2: 'good',
choice3: 'green-lemon'
}, {
choice1: 'taste',
choice2: 'bad',
choice3: 'green-lemon'
},
{
choice1: 'taste',
choice2: 'ok',
choice3: 'green-lemon'
},
{
choice1: 'taste',
choice2: 'ok',
choice3: 'green-lemon'
}];
function IsLastLevel(levelIndex) {
return (levelIndex == choices.length - 1);
}
function HandleLevel(currentItem, currentLevel, nextChoiceIndex) {
var nextLevelName = currentItem[choices[nextChoiceIndex]];
if (typeof currentLevel[nextLevelName] === 'undefined') {
currentLevel[nextLevelName] = {};
}
if (IsLastLevel(nextChoiceIndex)) {
if (currentLevel[nextLevelName] > 0) {
currentLevel[nextLevelName]++;
} else {
currentLevel[nextLevelName] = 1;
}
} else {
var goOneDeeper = nextChoiceIndex + 1;
HandleLevel(currentItem, currentLevel[nextLevelName], goOneDeeper);
}
}
var output = {};
for(var itemIndex in items)
{
var item = items[itemIndex];
HandleLevel(item, output, 0);
}
console.log(output);
答案 1 :(得分:2)
Brainwipe已经给出了一个非常干净的答案,但我想我还是会尝试一下。此解决方案通过递归地逐级减少项目列表来工作,直到它到达叶节点。
function choiceTree(items, choices) {
// Return empty object if there were no choices.
if (!choices.length) return {};
var choice = choices.shift();
// Construct the current level of the tree.
var level = items.reduce(function(node, item) {
var value = item[choice];
// Add item if branch node or set to 1 if leaf node.
node[value] = (choices.length)
? (node[value] || []).concat(item)
: 1;
return node;
}, {});
// Return if there are no remaining choices.
if (!choices.length) return level;
// Recursively construct the next level.
for (var node in level)
level[node] = choiceTree(level[node], choices.slice());
return level;
}