admin管理员组文章数量:1343328
I have an array say
var list = ["first", "second"];
now I assign list to some other variable say
var temp = list;
Now when I use splice on list like
list.splice(0,1);
Now when I check the value of list it shows
list = ["second"]
Also when I check the value of temp then it says
temp = ["second"]
I want to know why is that so? Why the value of temp is changed?
I have an array say
var list = ["first", "second"];
now I assign list to some other variable say
var temp = list;
Now when I use splice on list like
list.splice(0,1);
Now when I check the value of list it shows
list = ["second"]
Also when I check the value of temp then it says
temp = ["second"]
I want to know why is that so? Why the value of temp is changed?
Share asked Apr 17, 2012 at 8:37 me_digvijayme_digvijay 5,50210 gold badges51 silver badges86 bronze badges 2-
Because
temp
is only a pointer to the actual array, it's not being copied. – Shadow Wizzard Commented Apr 17, 2012 at 8:38 - possible duplicate of Why does changing an Array in JavaScript affect copies of the array? – Shadow Wizzard Commented Apr 17, 2012 at 8:39
4 Answers
Reset to default 8when you do an assignment like var temp = list
you're creating a reference temp
to list
. So since splice
changes list
array in-place, you're also changing temp
Use slice instead which returns a copy of the array, like so
var temp = list.slice();
A mon mistake in JS
This is a pointer, not a clone of the object:
var temp = list;
If you want to actually copy the object, there are a few ways. The simplest is just to concat it with itself:
var temp = list.concat([]);
// or
var temp = list.slice();
Note that this is somewhat dangerous, it only gets the base values out of the array. There are more advanced methods for cloning objects and creating 'perfect' array clones.
slice
should do the trick:
var temp = list.slice(0);
About object cloning, look here How do you clone an Array of Objects in Javascript?
You can use a prototype method to add this functionality.
Object.prototype.clone = function() {
var newObj = (this instanceof Array) ? [] : {};
for (i in this) {
if (i == 'clone') continue;
if (this[i] && typeof this[i] == "object") {
newObj[i] = this[i].clone();
} else newObj[i] = this[i]
} return newObj;
};
Which then allows you to do this:
var a = [1,2,3];
var b = a.clone();
a[1] = 5;
console.log(a); //1,5,3
console.log(b); //1,2,3
Disclaimer: shamelessly borrowed from here (the whole article is worth a read): http://my.opera./GreyWyvern/blog/show.dml/1725165
本文标签: javascriptWhy splice() method changes the value of other arrayStack Overflow
版权声明:本文标题:javascript - Why splice() method changes the value of other array? - Stack Overflow 内容由网友自发贡献,该文观点仅代表作者本人, 转载请联系作者并注明出处:http://www.betaflare.com/web/1743689019a2522385.html, 本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权/违法违规的内容,一经查实,本站将立刻删除。
发表评论