错误或黑客? $ GLOBALS

时间:2011-05-21 09:39:19

标签: php arrays global-variables

$GLOBALS["items"] = array('one', 'two', 'three', 'four', 'five' ,'six', 'seven');
$alter = &$GLOBALS["items"]; // Comment this line
foreach($GLOBALS["items"] as $item) {
  echo get_item_id();
}

function get_item_id(){
  var_dump(key($GLOBALS["items"]));
}

检查此代码的输出,带注释和未注释的第二行。 我的结果(PHP 5.3.0)。 第二行

int(1) int(2) int(3) int(4) int(5) int(6) NULL

没有第二行:

int(1) int(1) int(1) int(1) int(1) int(1) int(1)

为什么这么奇怪的结果?

1 个答案:

答案 0 :(得分:12)

这是一个可能的解释:

我们知道foreach总是loops over a copy of the array if it is not referenced

  

除非数组是referenced,否则foreach对指定数组的副本进行操作,而不是数组本身。 foreach对数组指针有一些副作用。

这意味着原始数组的内部指针已更改,key()将始终返回相同的值(我们在注释掉行时可以看到)。事实上,如果我们做var_dump($GLOBALS),我们会得到:

 ["items"]=>
  array(7) {
    [0]=>
    string(3) "one"
    [1]=>
    string(3) "two"
    [2]=>
    string(5) "three"
    [3]=>
    string(4) "four"
    [4]=>
    string(4) "five"
    [5]=>
    string(3) "six"
    [6]=>
    string(5) "seven"
  }

(无参考)

但是一旦我们生成对数组的引用(使用$alter),$GLOBALS['items']也会成为引用,因为两个条目都必须指向同一个数组:

 ["items"]=>
  &array(7) {
    [0]=>
    string(3) "one"
    [1]=>
    string(3) "two"
    [2]=>
    string(5) "three"
    [3]=>
    string(4) "four"
    [4]=>
    string(4) "five"
    [5]=>
    string(3) "six"
    [6]=>
    string(5) "seven"
  }
  ["alter"]=>
  &array(7) {
    [0]=>
    string(3) "one"
    [1]=>
    string(3) "two"
    [2]=>
    string(5) "three"
    [3]=>
    string(4) "four"
    [4]=>
    string(4) "five"
    [5]=>
    string(3) "six"
    [6]=>
    string(5) "seven"
  }

因此,foreach循环会迭代原始数组并更改内部指针,这会影响key()


总结:引用存在问题,而不是$GLOBALS