I am copying objA
to objB
JavaScript
x
5
1
const objA = { prop: 1 },
2
const objB = objA;
3
objB.prop = 2;
4
console.log(objA.prop); // logs 2 instead of 1
5
same problem for Arrays
JavaScript
1
5
1
const arrA = [1, 2, 3],
2
const arrB = arrA;
3
arrB.push(4);
4
console.log(arrA.length); // `arrA` has 4 elements instead of 3.
5
Advertisement
Answer
It is clear that you have some misconceptions of what the statement var tempMyObj = myObj;
does.
In JavaScript objects are passed and assigned by reference (more accurately the value of a reference), so tempMyObj
and myObj
are both references to the same object.
Here is a simplified illustration that may help you visualize what is happening
JavaScript
1
9
1
// [Object1]<--------- myObj
2
3
var tempMyObj = myObj;
4
5
// [Object1]<--------- myObj
6
// ^
7
// |
8
// ----------- tempMyObj
9
As you can see after the assignment, both references are pointing to the same object.
You need to create a copy if you need to modify one and not the other.
JavaScript
1
7
1
// [Object1]<--------- myObj
2
3
const tempMyObj = Object.assign({}, myObj);
4
5
// [Object1]<--------- myObj
6
// [Object2]<--------- tempMyObj
7
Old Answer:
Here are a couple of other ways of creating a copy of an object
Since you are already using jQuery:
JavaScript
1
2
1
var newObject = jQuery.extend(true, {}, myObj);
2
With vanilla JavaScript
JavaScript
1
11
11
1
function clone(obj) {
2
if (null == obj || "object" != typeof obj) return obj;
3
var copy = obj.constructor();
4
for (var attr in obj) {
5
if (obj.hasOwnProperty(attr)) copy[attr] = obj[attr];
6
}
7
return copy;
8
}
9
10
var newObject = clone(myObj);
11