JavaScript에서는 객체를 복사하는 것이 일반적입니다. 그러나 간단한 복사 문은 객체의 얕은 복사본만 만들 수 있습니다. 즉, 참조가 참조하는 객체가 아닌 참조가 복사됩니다. 원래 객체가 의도치 않게 수정되는 것을 방지하기 위해 객체의 전체 복사본을 만들고 싶어하는 경우가 더 많습니다.
객체의 전체 복사와 얕은 복사의 차이점은 다음과 같습니다.
얕은 복사: 객체의 참조만 복사합니다. 개체 자체가 아닌 개체
전체 복사: 복사된 개체가 참조하는 모든 개체를 복사합니다.
간단한 복사 문만 사용하면 얕은 복사의 구현 방법은 비교적 간단합니다.
/* ================ 浅拷贝 ================ */ function simpleClone(initalObj) { var obj = {}; for ( var i in initalObj) { obj[i] = initalObj[i]; } return obj; }
/* ================ 客户端调用 ================ */ var obj = { a: "hello", b: { a: "world", b: 21 }, c: ["Bob", "Tom", "Jenny"], d: function() { alert("hello world"); } } var cloneObj = simpleClone(obj); // 对象拷贝 console.log(cloneObj.b); // {a: "world", b: 21} console.log(cloneObj.c); // ["Bob", "Tom", "Jenny"] console.log(cloneObj.d); // function() { alert("hello world"); } // 修改拷贝后的对象 cloneObj.b.a = "changed"; cloneObj.c = [1, 2, 3]; cloneObj.d = function() { alert("changed"); }; console.log(obj.b); // {a: "changed", b: 21} // // 原对象所引用的对象被修改了 console.log(obj.c); // ["Bob", "Tom", "Jenny"] // 原对象所引用的对象未被修改 console.log(obj.d); // function() { alert("hello world"); } // 原对象所引用的函数未被修改
Object.sign() 메서드는 소스 객체를 원하는 만큼 할당할 수 있습니다. 자신의 열거 가능한 속성을 대상 개체에 추가한 다음 대상 개체를 반환합니다. 그러나 Object.sign()은 객체 자체가 아닌 객체의 속성에 대한 참조를 복사하는 단순 복사를 수행합니다.
var obj = { a: {a: "hello", b: 21} }; var initalObj = Object.assign({}, obj); initalObj.a.a = "changed"; console.log(obj.a.a); // "changed"
Deep Copy를 구현하는 방법에는 가장 간단한 JSON.parse() 메서드, 일반적으로 사용되는 재귀 복사 메서드, ES5의 Object 등 여러 가지가 있습니다. create() 메소드.
전체 복사를 구현하는 방법은 다양합니다. 예를 들어 가장 간단한 방법은 JSON.parse()를 사용하는 것입니다.
/* ================ 深拷贝 ================ */ function deepClone(initalObj) { var obj = {}; try { obj = JSON.parse(JSON.stringify(initalObj)); } return obj; }
/* ================ 客户端调用 ================ */ var obj = { a: { a: "world", b: 21 } } var cloneObj = deepClone(obj); cloneObj.a.a = "changed"; console.log(obj.a.a); // "world"
이 방법은 간단하고 사용하기 쉽습니다.
그러나 이 방법에는 많은 단점도 있습니다. 예를 들어 객체의 생성자가 삭제된다는 점입니다. 즉, 깊은 복사 후에는 객체의 원래 생성자가 무엇이든 상관없이 깊은 복사 후에는 객체가 됩니다.
이 메서드가 올바르게 처리할 수 있는 개체는 Number, String, Boolean, Array 및 Flat 개체, 즉 json으로 직접 표현할 수 있는 데이터 구조뿐입니다. RegExp 개체는 이런 방식으로 전체 복사될 수 없습니다.
코드는 다음과 같습니다.
/* ================ 深拷贝 ================ */ function deepClone(initalObj, finalObj) { var obj = finalObj || {}; for (var i in initalObj) { if (typeof initalObj[i] === 'object') { obj[i] = (initalObj[i].constructor === Array) ? [] : {}; arguments.callee(initalObj[i], obj[i]); } else { obj[i] = initalObj[i]; } } return obj; }
위 코드는 실제로 Deep Copy를 구현할 수 있습니다. 그러나 서로 참조하는 두 개체를 만나면 무한 루프가 발생합니다.
객체가 서로 참조하여 발생하는 무한 루프를 방지하려면 순회 중에 객체가 서로 참조하는지 확인하고, 그렇다면 루프를 종료해야 합니다.
개선된 코드는 다음과 같습니다.
/* ================ 深拷贝 ================ */ function deepClone(initalObj, finalObj) { var obj = finalObj || {}; for (var i in initalObj) { var prop = initalObj[i]; // 避免相互引用对象导致死循环,如initalObj.a = initalObj的情况 if(prop === obj) { continue; } if (typeof prop === 'object') { obj[i] = (prop.constructor === Array) ? [] : {}; arguments.callee(prop, obj[i]); } else { obj[i] = prop; } } return obj; }
var newObj = Object.create( oldObj)를 사용하여 깊은 복사 효과를 얻을 수 있습니다.
/* ================ 深拷贝 ================ */ function deepClone(initalObj, finalObj) { var obj = finalObj || {}; for (var i in initalObj) { var prop = initalObj[i]; // 避免相互引用对象导致死循环,如initalObj.a = initalObj的情况 if(prop === obj) { continue; } if (typeof prop === 'object') { obj[i] = (prop.constructor === Array) ? [] : Object.create(prop); } else { obj[i] = prop; } } return obj; }
jQuery.js의 jQuery.extend()도 객체의 전체 복사본을 구현합니다. 공식 코드는 참고용으로 아래에 게시되어 있습니다.
공식 링크 주소: http://www.php.cn/.
jQuery.extend = jQuery.fn.extend = function() { var options, name, src, copy, copyIsArray, clone, target = arguments[ 0 ] || {}, i = 1, length = arguments.length, deep = false; // Handle a deep copy situation if ( typeof target === "boolean" ) { deep = target; // Skip the boolean and the target target = arguments[ i ] || {}; i++; } // Handle case when target is a string or something (possible in deep copy) if ( typeof target !== "object" && !jQuery.isFunction( target ) ) { target = {}; } // Extend jQuery itself if only one argument is passed if ( i === length ) { target = this; i--; } for ( ; i < length; i++ ) { // Only deal with non-null/undefined values if ( ( options = arguments[ i ] ) != null ) { // Extend the base object for ( name in options ) { src = target[ name ]; copy = options[ name ]; // Prevent never-ending loop if ( target === copy ) { continue; } // Recurse if we're merging plain objects or arrays if ( deep && copy && ( jQuery.isPlainObject( copy ) || ( copyIsArray = jQuery.isArray( copy ) ) ) ) { if ( copyIsArray ) { copyIsArray = false; clone = src && jQuery.isArray( src ) ? src : []; } else { clone = src && jQuery.isPlainObject( src ) ? src : {}; } // Never move original objects, clone them target[ name ] = jQuery.extend( deep, clone, copy ); // Don't bring in undefined values } else if ( copy !== undefined ) { target[ name ] = copy; } } } } // Return the modified object return target; };
위는 JavaScript의 객체 Deep Copy 내용입니다. 더 자세한 내용은 PHP 중국어를 참고해주세요. 홈페이지(www.php.cn)!