深拷贝与浅拷贝的区别
浅拷贝:只复制第一层的浅拷贝
深拷贝:深复制则递归复制了所有层级
为什么要使用深拷贝
我们希望在改变新的数组(对象)的时候,不改变原数组(对象)
数组浅拷贝
直接遍历
var array = [1, 2, 3, 4];
function copy (array) {
let newArray = []
for(let item of array) {
newArray.push(item);
}
return newArray;
}
var copyArray = copy(array);
copyArray[0] = 100;
console.log(array); // [1, 2, 3, 4]
console.log(copyArray); // [100, 2, 3, 4]
slice
用法:slice(start,end) start表示是起始元素的下标, end表示的是终止元素的下标
当slice()不带任何参数的时候,默认返回一个长度和原数组相同的新数组
var array = [1, 2, 3, 4];
var copyArray = array.slice();
copyArray[0] = 100;
console.log(array); // [1, 2, 3, 4]
console.log(copyArray); // [100, 2, 3, 4]
concat()数组方法
因为我们调用concat的时候没有带上参数,所以var copyArray = array.concat();实际上相当于var copyArray = array.concat([]);
也即把返回数组和一个空数组合并后返回
var array = [1, 2, 3, 4];
var copyArray = array.concat();
copyArray[0] = 100;
console.log(array); // [1, 2, 3, 4]
console.log(copyArray); // [100, 2, 3, 4]
对象浅拷贝
直接遍历
let obj = {code:200,list:[1,2,3,4]}
let newObj = {}
for(let i in obj) {
newObj[i] = obj[i]
}
console.log(obj);
console.log(newObj);
Es6的Object.assign
var obj = {
name: '张三',
job: '学生'
}
var copyObj = Object.assign({}, obj);
copyObj.name = '李四';
console.log(obj); // {name: "张三", job: "学生"}
console.log(copyObj); // {name: "李四", job: "学生"}
Object.assign:用于对象的合并,将源对象的所有可枚举属性,复制到目标对象,并返回合并后的target
用法: Object.assign(target, source1, source2); 所以 copyObj = Object.assign({}, obj); 这段代码将会把obj中的一级属性都拷贝到 {}中,然后将其返回赋给copyObj
ES6扩展运算符
let obj = {code:200,list:[1,2,3,4]}
let newObj = {...obj}
console.log(newObj);
用于取出参数对象的所有可遍历属性,拷贝到当前对象之中
对于以上方法,如果多层嵌套对象,当我们在改变新的对象的时候,会改变原对象
深拷贝
先转换成字符串,在转换成(数组/对象) JSON.parse(JSON.stringify(XXXX))
let obj = {code:200,list:[1,2,3,4]}
let newObj = JSON.parse(JSON.stringify(obj))
newObj.list[1] = 1
console.log(obj);
console.log(newObj);
// 返回结果为 1,1,3,4
手写深拷贝
let obj = {code:200,list:[1,2,3,4]}
function deepClone(obj={}) {
// 首先判断是:基本数据类型 还是 引用数据类型
if(typeof obj != 'object' || obj == null) {
return obj
}
// 其次区分是数组还是对象
let result
if(obj instanceof Array) {
result = []
} else {
result = {}
}
// 最后进行遍历
for(let key in obj) {
// 如果是原型上的属性,初始化的时候就存在了,所以要保证key不是原型上的属性
// hasOwnProperty()判断是不是它自身的属性,不在原型上
if(obj.hasOwnProperty(key)) {
result[key] = deepClone(obj[key]) // 递归
}
}
// 返回结果
return result
}
let newObj = deepClone(obj)
newObj.list[1] = 1
console.log(obj);
console.log(newObj);
// 返回结果为 1,1,3,4