1. 深拷贝和浅拷贝
浅拷贝是都值指向同一块内存区块, 而深拷贝则是另外开辟了一块区域
// 浅拷贝
const a = {t: 1, p: 'gg'};
const b = a;
b.t = 3;
console.log(a); // {t: 3, p: 'gg'}
console.log(b); // {t: 3, p: 'gg'}
//深拷贝
const c = {t: 1, p: 'gg'};
const d = deepCopy(c); // 下面有deepCopy方法
d.t = 3;
console.log(c); // {t: 1, p: 'gg'}
console.log(d); // {t: 3, p: 'gg'}
可以明显看出,浅拷贝在改变其中一个值时,会导致其他也一起改变,而深拷贝不会。
2. Object.assign() “深层” 拷贝
es6 中有关于深层拷贝的方法Object.assign()
// Cloning an object
var obj = { a: 1 };
var copy = Object.assign({}, obj);
console.log(copy); // { a: 1 }
// Merging objects
var o1 = { a: 1 };
var o2 = { b: 2 };
var o3 = { c: 3 };
var obj = Object.assign(o1, o2, o3);
console.log(obj); // { a: 1, b: 2, c: 3 }
console.log(o1); // { a: 1, b: 2, c: 3 }, target object itself is changed.
这样既可以实现clone又可以实现merge(合并)
3. Object.assign()的merge(合并元素)问题:
const defaultOpt = { title: { text: 'hello world', subtext: 'It\'s my world.' } };
const opt = Object.assign({}, defaultOpt, { title: { subtext: 'Yes, your world.' }} );
console.log(opt);
// 预期结果 { title: { text: 'hello world', subtext: 'Yes, your world.' }}
// 实际结果 { title: { subtext: 'Yes, your world.' } }
可以看出defaultOpt中的title被整个覆盖掉了。所以深层拷贝只merge根属性,子属性就不做处理了。只能通过先深层拷贝获取一个内存区域,然后修改内存区域内的值来改变子属性的值:
const opt = Object.assign({}, defaultOpt);
opt.title.subtext= 'Yes, your world',
console.log(opt);
// 结果正常 { title: { text: 'hello world', subtext: 'Yes, your world.' } }
4. 同样说明Object.assign()它只对顶层属性做了赋值,并没有继续做递归之类的操作把所有下一层的属性做深拷贝。
const defaultOpt = { title: { text: 'hello world', subtext: 'It's my world.' } };
const opt1 = Object.assign({}, defaultOpt);
const opt2 = Object.assign({}, defaultOpt);
opt2.title.subtext = 'Yes, your world.';
console.log('opt1:', opt1);
console.log('opt2:', opt2);
// 结果
opt1: { title: { text: 'hello world', subtext: 'Yes, your world.' } }
opt2: { title: { text: 'hello world', subtext: 'Yes, your world.' } }
5. 一个可以简单实现深拷贝的方法:
const obj1 = JSON.parse(JSON.stringify(obj));
思路就是将一个对象转成json字符串,然后又将字符串转回对象。
JS deepCopy:
function clone(obj) {
var c = obj instanceof Array ? [] : {};
for (var i in obj) if (obj.hasOwnProperty(i)) {
var prop = obj[i];
if (typeof prop == 'object') {
if (prop instanceof Array) {
c[i] = [];
for (var j = 0; j < prop.length; j++) {
if (typeof prop[j] != 'object') {
c[i].push(prop[j]);
} else {
c[i].push(clone(prop[j]));
}
}
} else {
c[i] = clone(prop);
}
} else {
c[i] = prop;
}
}
return c;
}
网友评论