// JS 객체 복사 예시
let target = {x:1}, source = {y:2, z:3};
for(let key of Object.keys(source)) { // 전체 source 프로퍼티 중 각 프로퍼티 값에 대해
target[key] = source[key]; // source의 각 프로퍼티들을 target에 복사
}
target // => {x:1,y:2,z:3}
<프로퍼티를 객체에서 다른 객체로 복사하는 이유>
// 이 결과는 원하는 결과를 얻지 못할 수 있음.
Object.assign(o, defaults); // o를 전부 default로 덮어씀
o = Object.assign({}, defaults, o);
// Object.assign()과 마찬가지 지만 기존 프로퍼티는 덮어 쓰지 않습니다.
// 심벌 프로퍼티를 복사하지 않는 것은 똑같다.
function merge(target, ...sources) { // target에 source 복사
for(let source of sources) { // sources 안 모든 프로퍼티에 대해
for(let key of Object.keys(source)) { // source의 프로퍼티 이름을 순회
if(!(key in target)) { // target에 source 프로퍼티 이름이 없다면
target[key] = source[key]; // source의 프로퍼티 이름에 대한 value를 target에 추가
}
}
}
return target;
}