我需要比较两个相同的对象(第二个对象有一个属性比其他对象多。)
我创建了这个片段,它将对象的所有属性放入一个新对象而不嵌套它们:
function getAllObjectProperties(source) {
var result = {};
function getProperties(object) {
for (var property in object) {
if (typeof object[property] === 'object') getProperties(object[property]);
else result[property] = object[property];
}
}
getProperties(source);
return result;
}
比较功能应该是这样的:
updateObjectProperties: function(source, target) {
var temp_object = self.getAllObjectProperties(source);
for (var property in temp_object) {
if (target.hasOwnProperty(property)) {
// target_property_of_target_element = temp_object[property];
}
else {
// target_object gains new property (property nesting must be preserved)
}
}
}
我该怎么办?有可能吗?
答案 0 :(得分:1)
将一个对象的属性复制到另一个对象时,可以使用称为深层复制或浅层复制的对象。在浅层副本中,目标对象将引用源对象的属性,这意味着目标对象的更改将更改源中的对象。
以下是浅拷贝的示例:
var source = {a: 0, b: {c: 2, d: 3}},
target = {a: 1};
function union(target, source) {
Object.keys(source).filter(function (key) {
return !target.hasOwnProperty(key);
}).forEach(function (key) {
target[key] = source[key];
});
}
union(target, source);
console.log(target);
要执行深层复制,您可以使用JSON,但这仅在属性可以用JSON表示时才有效。这是执行深层复制的联合函数。
function union(target, source) {
Object.keys(source).filter(function (key) {
return !target.hasOwnProperty(key);
}).forEach(function (key) {
target[key] = JSON.parse(JSON.stringify(source[key]));
});
}
答案 1 :(得分:1)
您可以合并对象。如果您只希望在特定条件下合并对象,则可以添加条件运算符。
研究这个答案: How can I merge properties of two JavaScript objects dynamically?
代码:
var mergeObj = function (obj1, obj2) {
var obj3 = {};
for (var attrname in obj1) {
obj3[attrname] = obj1[attrname];
}
for (var attrname in obj2) {
obj3[attrname] = obj2[attrname];
}
return obj3;
}
JS Fiddle