&$variable
的含义是什么?
和
function &SelectLimit( $sql, $nrows=-1, $offset=-1, $inputarr=false, $secs2cache=0 )
{
$rs =& $this->do_query( $sql, $offset, $nrows, $inputarr);
return $rs;
}
答案 0 :(得分:7)
传递这样的参数:myFunc(&$var);
表示变量是通过引用传递的(而不是通过值传递)。因此,对函数中的变量所做的任何修改都会修改调用的变量。
在函数名称前加上&
表示“按引用返回”。这有点非常直观。如果可能的话我会避免使用它。 What does it mean to start a PHP function with an ampersand?
请注意不要将其与&=
或&
运算符混淆,即completely different。
通过参考传递的快速测试:
<?php
class myClass {
public $var;
}
function incrementVar($a) {
$a++;
}
function incrementVarRef(&$a) { // not deprecated
$a++;
}
function incrementObj($obj) {
$obj->var++;
}
$c = new myClass();
$c->var = 1;
$a = 1; incrementVar($a); echo "test1 $a\n";
$a = 1; incrementVar(&$a); echo "test2 $a\n"; // deprecated
$a = 1; incrementVarRef($a); echo "test3 $a\n";
incrementObj($c); echo "test4 $c->var\n";// notice that objects are
// always passed by reference
输出:
Deprecated: Call-time pass-by-reference has been deprecated; If you would like
to pass it by reference, modify the declaration of incrementVar(). [...]
test1 1
test2 2
test3 2
test4 2
答案 1 :(得分:2)
&符号 - “&amp;” - 用于指定变量的地址,而不是值。我们称之为“通过引用传递”。
所以,“&amp; $ variable”是对变量的引用,而不是它的值。并且“function&amp; func(...”告诉函数返回返回变量的引用,而不是变量的副本。
另见: