假设我有以下数组: ['产品','型号','版本']
我想要一个对象,例如:
{
product: {
model: {
version: {
}
}
}
}
但是,该数组是动态的,因此可以有2、3个或更少的项目。 如何以最有效的方式实现这一目标?
谢谢
答案 0 :(得分:5)
只需将其内翻,然后将内部对象依次包裹到外部对象中即可:
const keys = ['product', 'model', 'version'];
const result = keys.reverse().reduce((res, key) => ({[key]: res}), {});
// innermost value to start with ^^
console.log(result);
答案 1 :(得分:2)
如果我正确理解了请求,则此代码可能会满足您的要求:
function convert(namesArray) {
let result = {};
let nestedObj = result;
namesArray.forEach(name => {
nestedObj[name] = {};
nestedObj = nestedObj[name];
});
return result;
}
console.log(convert(['a', 'b', 'c']));
答案 2 :(得分:0)
您也可以使用Array.prototype.reduceRight
:
const result = ['product','model','version'].reduceRight((all, item) => ({[item]: all}), {});
console.log(result);