-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path6-10.html
57 lines (51 loc) · 1.22 KB
/
6-10.html
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
44
45
46
47
48
49
50
51
52
53
54
55
56
57
<!DOCTYPE html>
<script>
// プロパティのコピーによって継承
// 浅いコピー
function shallowCopy(parent, child){
var i;
child = child || {};
for(i in parent){
if(parent.hasOwnProperty(i)){
child[i] = parent[i];
}
}
return child;
}
function deepCopy(parent, child){
var i,
toStr = Object.prototype.toString,
astr = '[object Array]';
child = child || {};
for(i in parent){
if(parent.hasOwnProperty(i)){
// オブジェクトの時
if(typeof parent[i] === 'object'){
child[i] = (toStr.call(parent[i])) === astr ? [] : {};
deepCopy(parent[i], child[i]);
// 普通の変数
}else{
child[i] = parent[i];
}
}
}
return child;
}
var dad = {
name: 'adam',
ary : []
};
var kid = shallowCopy(dad);
kid.name = 'tom';
kid.ary.push('hoge');
alert('kid.name -> ' + kid.name);
alert('dad.name -> ' + dad.name);
alert('kid.ary -> ' + kid.ary);
// shallow copy なのでオブジェクトは一緒に変わる。
alert('dad.ary -> ' + dad.ary);
var kid2 = deepCopy(dad);
kid2.ary.push('fugafuga');
alert('dad -> ' + dad.ary);
// deep copyなので、オブジェクトの中身は一緒に変わらない
alert('kid2 -> ' + kid2.ary);
</script>