js 深浅拷贝
对象浅拷贝
Object.assign,也可以做到浅拷
slice
let obj=[11,22,33,44,['aa','bb','cc']]
let aaa=obj.slice(0);
aaa[4][0]='ccc'
console.log(aaa); //[ 11, 22, 33, 44, [ 'ccc', 'bb', 'cc' ] ]
console.log(obj) // [ 11, 22, 33, 44, [ 'ccc', 'bb', 'cc' ] ]
数组对象深拷贝
JSON.parse(JSON.stringify(obj))
1,这个方法对特殊undefined是特殊处理的
1》在对象里undefined出来的是空,过滤了这项
2》数组里出来把undefined拷贝了来的是null
数组
let obj=[1,2,3,4,undefined]
let aaa=JSON.parse(JSON.stringify(obj))
console.log(aaa); //[1,2,3,4,null]
let obj={
a:'1',
b:undefined,
c:{a:'aaa'},
d:['111','222',['s',{'bbb':'ccc'}]]
}
let aaa=JSON.parse(JSON.stringify(obj))
console.log(aaa);
// { a: '1', c: { a: 'aaa' }, d: [ '111', '222', [ 's', [Object] ] ] }
完美的深拷贝
function deepCopy(obj) {
let result = obj instanceof Array ? [] : {}
let keys = Object.keys(obj), key = null, temp = null;
for (let i = 0; i < keys.length; i++) {
key = keys[i]
temp = obj[key]
if (temp && typeof temp === 'object') {
if(temp != obj){ // 解决堆栈溢出
result[key] = deepCopy(temp)
}
} else {
result[key] = temp
}
}
return result;
}
版权声明:本文由Web学习之路发布,如需转载请注明出处。