要说 JavaScript 的拷贝问题,首先要了解的是 JavaScript 的数据类型。
在 JavaScript 中数据类型大致可以分成三类,分别是基本数据类型、引用数据类型和特殊数据类型。
基本数据类型有:Number、String、Boolean、
引用数据类型有:Object(其中包含Array, Object, Date, RegExp)
特殊数据类型:Null、Undefined
ES6
引入了一种新的原始数据类型 Symbol,表示独一无二的值。所以现在JavaScript中一共有7种数据类型。
其中特殊类型Undefined是变量声明了但是没有赋值,Null表示一个无的对象是一个Object,这两者在判断语句中都会被转成false,其实都是表示没有,但为什么要有两个,说起来比较复杂,可以看看阮老师的文章undefined与null的区别。
继续往下说,下面简单说说基本数据类型和引用数据类型的区别。
最大的区别就是,基本数据类型的变量标识符和变量值都存在栈内存,而引用类型在栈内存中存储的是变量标识符和指针,然后在堆内存中保存对象内容。如下图:
。
现在开始说拷贝的问题,基本数据类型,我们直接
let a = 1;
let a1 = a;
就可以了。而如果是引用类型这样的话
let b = {a: 1};
let b1 = b;
此时b和b1的值就会互相影响也就是改变了他们中任何一个值,另外一个值也会相应的改变。
来个图:
由此可见使用=的方式对于基本类型是有效的而对于引用类型是不可以的。
在jQuery中我们可以直接使用jQuery的extend()方法来进行深拷贝。
使用原生JavaScript我们应该这么做呢?
如果是Array,且数组中的数据都是基本数据类型,我们可以利用数组中的slice()方法来返回一个新的数组,像这样:
let arrA = [1, 2, 3, 4, 5, 6, 7, 8, 9];
let arrA1 = arrA.slice();
如果是Object的keyvalue pair,且对应的value都是基本数据类型,则可以用Object.assign()来操作。
let a = {a: 1};
let a1 = Object.assign({}, a);
上述两种方法,只能在特定的情况下有用,一旦数组的值是引用类型或者对象中value的值是一个引用类型,就不起作用了。如果遇到复杂的数据类型该怎么进行深拷贝呢?以前在不少帖子里看过说使用JSON来做个中转,类似于这样:
let a = {a: {a : {a: 1}}};
let a1 = JSON.parse(JSON.stringify(a));
这个方法好像很无敌,貌似无论多么复杂的数据类型都能深拷贝,但是一旦遇到key对应的value是Function或者其他JSON不支持的类型就不行了,可以参照stackoverflow上的这个回答javascript deep copy using JSON
所以在JavaScript中深拷贝是一件非常费事的事情。大部分情况下我们并不需要深拷贝,再仔细看看自己写的函数非得深拷贝不可吗?
恩,如果你非要!
- 看看jQuery
extend()方法的具体实现,这里有个参考资料jQuery源码 - 使用lodash的
cloneDeep()方法实现比较复杂,当然也比较好 -
再贴一个stackoverflow上的回答How to Deep clone in javascript
function clone(item) { if (!item) { return item; } // null, undefined values check var types = [ Number, String, Boolean ], result; // normalizing primitives if someone did new String('aaa'), or new Number('444'); types.forEach(function(type) { if (item instanceof type) { result = type( item ); } }); if (typeof result == "undefined") { if (Object.prototype.toString.call( item ) === "[object Array]") { result = []; item.forEach(function(child, index, array) { result[index] = clone( child ); }); } else if (typeof item == "object") { // testing that this is DOM if (item.nodeType && typeof item.cloneNode == "function") { var result = item.cloneNode( true ); } else if (!item.prototype) { // check that this is a literal if (item instanceof Date) { result = new Date(item); } else { // it is an object literal result = {}; for (var i in item) { result[i] = clone( item[i] ); } } } else { // depending what you would like here, // just keep the reference, or create new object if (false && item.constructor) { // would not advice to do that, reason? Read below result = new item.constructor(); } else { result = item; } } } else { result = item; } } return result; } -
自己撸一个…
- 待我有空撸一个(逃