PHP中empty,is_null,isset,array() 中的异同和功能
empty
bool empty ( mixed var )
- <?php
- $var
= 0;
- //
结果为 true,因为 $var 为空 - if
(empty($var)) { -
echo '$var is either 0 or not set at all'; - }
- //
结果为 false,因为 $var 已设置 - if
(!isset($var)) { -
echo '$var is not set at all'; - }
- ?>
empty() 只检测变量,检测任何非变量的东西都将导致解析错误。换句话说,后边的语句将不会起作用: empty(addslashes($name)) 。
isset
如果已经使用 unset() 释放了一个变量之后,它将不再是 isset() 。若使用 isset() 测试一个被设置成 NULL 的变量,将返回 FALSE 。同时要注意的是一个 NULL 字节("\0" )并不等同于 PHP 的 NULL 常数。
isset() 只能用于变量,因为传递任何其它参数都将造成解析错误。若想检测常量是否已设置,可使用 defined() 函数。
- <?php
- $var
= ''; -
// 结果为 TRUE,所以后边的文本将被打印出来。 - if
(isset($var)) { -
print "This var is set set so I will print."; - }
- //
在后边的例子中,我们将使用 var_dump 输出 isset() 的返回值。
- $a
= "test"; - $b
= "anothertest"; -
- var_dump(
isset($a) ); // TRUE - var_dump(
isset ($a, $b) ); // TRUE -
- unset
($a); -
- var_dump(
isset ($a) ); // FALSE - var_dump(
isset ($a, $b) ); // FALSE -
- $foo
= NULL; - var_dump(
isset ($foo) ); // FALSE -
- ?>
- <?php
-
- $a
= array ('test' => 1, 'hello' => NULL); -
- var_dump(
isset ($a['test']) ); // TRUE - var_dump(
isset ($a['foo']) ); // FALSE - var_dump(
isset ($a['hello']) ); // FALSE -
- //
键 'hello' 的值等于 NULL,所以被认为是未置值的。 - //
如果想检测 NULL 键值,可以试试下边的方法。 - var_dump(
array_key_exists('hello', $a) ); // TRUE -
- ?>
is_null
如果 var 是 null 则返回 TRUE ,否则返回 FALSE 。
总结:
empty在变量为null,0,"",'0',array()返回true
isset在判断null时返回false
is_null只要是null返回true,否则返回false
理解了这些,这三个函数足以区别开来了.
Expression | gettype() | empty() | is_null() | isset() | boolean : if($x) | |
---|---|---|---|---|---|---|
$x = “”; | string | TRUE | FALSE | TRUE | FALSE | |
$x = null | NULL | TRUE | TRUE | FALSE | FALSE | |
var $x; | NULL | TRUE | TRUE | FALSE | FALSE | |
$x is undefined | NULL | TRUE | TRUE | FALSE | FALSE | |
$x = array(); | array | TRUE | FALSE | TRUE | FALSE | |
$x = false; | boolean | TRUE | FALSE | TRUE | FALSE | |
$x = true; | boolean | FALSE | FALSE | TRUE | TRUE | |
$x = 1; | integer | FALSE | FALSE | TRUE | TRUE | |
$x = 42; | integer | FALSE | FALSE | TRUE | TRUE | |
$x = 0; | integer | TRUE | FALSE | TRUE | FALSE | |
$x = -1; | integer | FALSE | FALSE | TRUE | TRUE | |
$x = “1″; | string | FALSE | FALSE | TRUE | TRUE | |
$x = “0″; | string | TRUE | FALSE | TRUE | FALSE | |
$x = “-1″; | string | FALSE | FALSE | TRUE | TRUE | |
$x = “php”; | string | FALSE | FALSE | TRUE | TRUE | |
$x = “true”; | string | FALSE | FALSE | TRUE | TRUE | |
$x = “false”; | string | FALSE | FALSE | TRUE | TRUE |