我正在使用PHP中的数组,我对unset()函数感到困惑,这里是代码:
<?php
$array = array(1, 2, 3, 4);
foreach ($array as $value) {
$value + 10;
}
unset($value);
print_r($array);
?>
是否有必要取消设置($ value),当foreach循环后$值仍然存在时,这是不错的做法?
答案 0 :(得分:1)
您无需在当前上下文中使用unset
。 unset
将简单地销毁变量及其内容。
在您给出的示例中,这是循环创建$value
的数组,然后您取消设置该变量。这意味着它不再存在于该代码中。所以这绝对没有。
为了观察我正在谈论的内容,请看这个例子:
$value = 'Hello World';
echo $value;
unset($value);
echo $value;
以下将是:
Hello World<br /><b>NOTICE</b> Undefined variable: value on line number 6<br />
因此,您将首先看到Hello World
,但在取消设置该变量后尝试调用它只会导致错误。
要回答你的问题,你真的不需要取消价值;没有必要。由于foreach
循环设置了每个$value
的{{1}}。
取消设置将导致工作被删除,并被遗忘。
答案 1 :(得分:0)
// compiler: GETAttribute cannot derive from sealed class RouteAttribute
public class GETAttribute : System.Web.Mvc.RouteAttribute {}
你可能会泄漏 <?php
$array = array(1, 2, 3, 4);
foreach ($array as &$value) {
$value = $value + 10;
}
unset($value);
print_r($array);
。
答案 2 :(得分:0)
我知道这篇文章很旧,但是我认为此信息非常重要: 您问:
当$ value在foreach之后仍然保留时,是否有必要取消set($ value) 循环,这是个好习惯吗?
这取决于您是按值还是按引用进行迭代。
$array = array(1, 2, 3, 4);
foreach ($array as $value) {
//here $value is 1, then 2, then 3, then 4
}
//here $value will continue having a value of 4
//but if you change it, nothing happens with your array
$value = 'boom!';
//your array doesn't change.
因此不必取消设置$ value
$array = array(1, 2, 3, 4);
foreach ($array as &$value) {
//here $value is not a number, but a REFERENCE.
//that means, it will NOT be 1, then 2, then 3, then 4
//$value will be $array[0], then $array[1], etc
}
//here $value it's not 4, it's $array[3], it will remain as a reference
//so, if you change $value, $array[3] will change
$value = 'boom!'; //this will do: $array[3] = 'boom';
print_r ($array); //Array ( [0] => 1 [1] => 2 [2] => 3 [3] => boom! )
因此,在这种情况下,取消设置$ value是一个好习惯,因为这样做会破坏对数组的引用。 有必要吗?否,但是如果您不这样做,则应该非常小心。
它可能导致类似这样的意外结果:
$letters = array('a', 'b', 'c', 'd');
foreach ($letters as &$item) {}
foreach ($letters as $item) {}
print_r ($letters); //output: Array ( [0] => a [1] => b [2] => c [3] => c )
// [a,b,c,c], not [a,b,c,d]
这对PHP 7.0也有效
未设置的相同代码:
$letters = array('a', 'b', 'c', 'd');
foreach ($letters as &$item) {}
unset ($item);
foreach ($letters as $item) {}
print_r ($letters); //output: Array ( [0] => a [1] => b [2] => c [3] => d )
// now it's [a,b,c,d]
我希望这对将来的某人有用。 :)