跳至主要內容
深拷贝

深拷贝

  1. 判断传入值是否为对象
  2. 创造一个新对象,迭代传入对象进行赋值
  3. 对象的value为对象的话,递归调用函数
  4. 迭代完毕返回这个对象
  5. 传入非对象直接返回这个值

基础版本

function clone(target){
	if(typeof target === 'object'){
		const cloneTarget = {}
		for(let key in target){
			cloneTarget[key] = clone(target[key])
		}
		return cloneTarget
	}else{
		return target
	}
}

Mr.He小于 1 分钟JavaScriptnew
new关键字

new关键字

  1. 创建一个新对象
  2. 新对象内部[[Prototype]]赋值为 构造函数的prototype属性
  3. this指向新对象
  4. 给新对象添加属性
  5. 如果返回非空对象,则返回该对象;否则,返回刚创建的对象

代码实现

function create() {
	// 1.
	let obj = new Object()
	// 2.
	let Con = [].shift.call(arguments) // 获取第一个参数
	obj.__proto__ = Con.prototype
	// 3&4
	let result = Con.call(obj, ...arguments)
	// 5
	return typeof result === 'object' ? result || obj : obj
}

Mr.He小于 1 分钟JavaScriptnew