unset() 函數(shù)用于銷(xiāo)毀給定的變量。
PHP 版本要求: PHP 4, PHP 5, PHP 7
void unset ( mixed $var [, mixed $... ] )
參數(shù)說(shuō)明:
沒(méi)有返回值。
<?php // 銷(xiāo)毀單個(gè)變量 unset ($foo); // 銷(xiāo)毀單個(gè)數(shù)組元素 unset ($bar['quux']); // 銷(xiāo)毀一個(gè)以上的變量 unset($foo1, $foo2, $foo3); ?>
如果在函數(shù)中 unset() 一個(gè)全局變量,則只是局部變量被銷(xiāo)毀,而在調(diào)用環(huán)境中的變量將保持調(diào)用 unset() 之前一樣的值。
<?php function destroy_foo() { global $foo; unset($foo); } $foo = 'bar'; destroy_foo(); echo $foo; ?>
輸出結(jié)果為:
bar
如果您想在函數(shù)中 unset() 一個(gè)全局變量,可使用 $GLOBALS 數(shù)組來(lái)實(shí)現(xiàn):
<?php function foo() { unset($GLOBALS['bar']); } $bar = "something"; foo(); ?>
如果在函數(shù)中 unset() 一個(gè)通過(guò)引用傳遞的變量,則只是局部變量被銷(xiāo)毀,而在調(diào)用環(huán)境中的變量將保持調(diào)用 unset() 之前一樣的值。
<?php function foo(&$bar) { unset($bar); $bar = "blah"; } $bar = 'something'; echo "$bar\n"; foo($bar); echo "$bar\n"; ?>
以上例程會(huì)輸出:
something something
如果在函數(shù)中 unset() 一個(gè)靜態(tài)變量,那么在函數(shù)內(nèi)部此靜態(tài)變量將被銷(xiāo)毀。但是,當(dāng)再次調(diào)用此函數(shù)時(shí),此靜態(tài)變量將被復(fù)原為上次被銷(xiāo)毀之前的值。
<?php function foo() { static $bar; $bar++; echo "Before unset: $bar, "; unset($bar); $bar = 23; echo "after unset: $bar\n"; } foo(); foo(); foo(); ?>
以上例程會(huì)輸出:
Before unset: 1, after unset: 23 Before unset: 2, after unset: 23 Before unset: 3, after unset: 23