1

我一直在试图弄清楚如何对具有相似属性但也有差异的 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" } } } } }

4

3 回答 3

1

如果您不想使用库,那么自己编写是微不足道的。类似的东西

// (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

但实际上,您应该为此使用库。保证自己编写它比任何广泛使用的现有实现都有更多错误和更慢。

于 2016-04-21T01:12:02.373 回答
0

使用lodash

_.merge(us1, us2)
于 2016-04-21T00:21:37.887 回答
-2

如果您愿意使用 underscore.js,以下应该可以工作:

_.extend(us1, us2)
于 2016-04-21T00:20:45.603 回答