JavaScript does not directly provide object Clone methods. Therefore, when object b is changed in the following code, object a is changed.
a = {k1:1, k2:2, k3:3};
b = a;
b.k2 = 4;
If you just want to change b and keep a constant, you need to copy object a.
Use jQuery to copy objects
When jQuery can be used, jQuery's own extend method can be used to implement object copying.
a = {k1:1, k2:2, k3:3};
b = {};
$.extend(b,a);
Customize the clone() method to implement object copying
The following method is the basic idea of object copying.
Object.prototype.clone = function() { var copy = (this instanceof Array) ? [] : {}; for (attr in this) { if (!obj.hasOwnProperty(attr)) continue; copy[attr] = (typeof this[i] == "object")?obj[attr].clone():obj[attr]; } return copy;};a = {k1:1, k2:2, k3:3};b = a.clone();The following examples are more comprehensive and are suitable for deep copying of most objects.
function clone(obj) { // Handle the 3 simple types, and null or undefined if (null == obj || "object" != typeof obj) return obj; // Handle Date if (obj instanceof Date) { var copy = new Date(); copy.setTime(obj.getTime()); return copy; } // Handle Array if (obj instanceof Array) { var copy = []; for (var i = 0, var len = obj.length; i < len; ++i) { copy[i] = clone(obj[i]); } return copy; } // Handle Object if (obj instanceof Object) { var copy = {}; for (var attr in obj) { if (obj.hasOwnProperty(attr)) copy[attr] = clone(obj[attr]); } return copy; } throw new Error("Unable to copy obj! Its type isn't supported.");}The above article in-depth understanding of object copying (Object Clone) in JavaScript is all the content I share with you. I hope it can give you a reference and I hope you can support Wulin.com more.