我一直在尝试找出如何对具有相似属性但也有差异的2个对象进行递归。我需要以独特的方式合并这两个对象,因此没有重复的国家或模型等。
编辑:请仅在香草js中
var us1 = {
country: {
"United States": {
"Ford": {
"engine": {
type1: "4 cyl",
type2: "6 cyl"
}
},
"Chevy": {
"engine": {
type1: "6 cyl"
}
}
}
}
}
var us2 = {
country: {
"United States": {
"Ford": {
"engine": {
type3: "12 cyl"
}
},
"Saturn": {
"engine": {
type1: "4 cyl"
}
}
}
}
}
var cars = [us1, us2];
var newCars = [];
function fn(cars) {
if (typeof cars == "object") {
for (var attr in cars) {
if (!newCars.hasOwnProperty(cars[attr])) {
newCars.push(cars[attr]);
}
fn(cars[attr])
}
} else {
//
}
}
console.log(fn(cars));
console.log(newCars)
想要的结果:
var us1 = { country: { "United States": { "Ford": { "engine": { type1: "4 cyl", type2: "6 cyl", type2: "12 cyl" } }, "Chevy": { "engine": { type1: "6 cyl" } }, "Saturn": { "engine": { type1: "4 cyl" } } } } }
最佳答案
如果您不想使用库,那么编写自己的内容很简单。遵循以下原则
// (to: Object, ...sources: Object[]) => Object
function mergeDeep(to) {
const sources = Array.from(arguments).slice(1)
// (to: Object, from: Object) => void
const _merge = (to, from) => {
for (let a in from) {
if (a in to) {
_merge(to[a], from[a])
} else {
to[a] = from[a]
}
}
}
sources.forEach(from => {
_merge(to, from)
})
return to
}
在此处查看演示https://tonicdev.com/bcherny/mergedeep
但实际上,您应该为此使用一个库。保证自己编写它会比任何广泛使用的现有实现都要麻烦且慢。
关于javascript - 在不同对象之间进行递归并将它们唯一地组合在一起,没有重复,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/36757418/