我对传递给函数时如何处理数组有些困惑。
我的问题是为什么sample2.js的输出不为null?

// sample1.js======================================
// This clearly demonstrates that the array was passed by reference
function foo(o) {
  o[1] = 100;
}

var myArray = [1,2,3];
console.log(myArray);  // o/p : [1,2,3]
foo(myArray);
console.log(myArray); // o/p : [1,100,3]




//sample2.js =====================================
// upon return from bar, myArray2 is not set to null.. why so
function bar(o) {
  o = null;
}

var myArray2 = [1,2,3];
console.log(myArray2);  // o/p : [1,2,3]
bar(myArray2);
console.log(myArray2); // o/p : [1,100,3]

最佳答案

指向数组的变量仅包含引用。这些引用被复制。

bar中,omyArray2都是对同一数组的引用。 o不是对myArray2变量的引用。

在函数内部,您要用新值(o)覆盖null(对数组的引用)的值。

您没有遵循该引用,而是将null分配给数组所在的内存空间。

09-11 23:41