-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathcloneFunction.js
43 lines (38 loc) · 1.12 KB
/
cloneFunction.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
//实现一个浅拷贝
//只能拷贝引用数据类型的第一层
function shallClone(target){
if(typeof(target) ==='object'&& target!==null){
const cloneTarget = Array.isArray(target)?[]:{}
for(let oneItem in target){
if(target.hasOwnProperty(oneItem)){//防止其遍历原型上的属性
cloneTarget[oneItem] = target[oneItem]
}
}
return cloneTarget
}else{
return target
}
}
// Object.prototype.lin = 4
// var a = [1,[2,3]]
// b = shallClone(a)
// b[0]=3
// console.log(b,a,a.lin,b.lin);
//实现一个简易的深拷贝
// var res = {'a':1,{'b':2,em}}
function deepClone(target){
if(target===null) return null;
if(typeof target!=='object') return target
const cloneTarget = Array.isArray(target)? []:{}
for(let oneItem in target){
if(target.hasOwnProperty(oneItem)){
cloneTarget[oneItem] = deepClone(target[oneItem])
}
}
// console.log(cloneTarget);
return cloneTarget
}
// var res = {'a':1,'b':{'c':2}}
// resclone = deepClone(res)
// resclone['b']['c'] =3
// console.log(res,resclone);