MySQL中的isnull、ifnull和nullif函数用法

    • is not null
    • isnullexpr
      • 使用限制
    • ifnullexpr1expr2
    • nullifexpr1expr2

is not null

select * from test where name is not null;

isnull(expr)

如expr为null,那么isnull()的返回值为1,否则返回值为0。

mysql>select isnull(1+1);
    ->0

mysql>select isnull(1/0);
    ->1

使用限制:

SELECT count(ISNULL(Weight, 50))  FROM  Product;

执行上面例子的话,会直接报错(Incorrect parameter count in the call to native function ‘isnull’ Errornumber:1582 )。
因为 isnull只是用来判断是否为空,不能实现替换功能,
那么Mysql中如何实现SQL中的ISNULL方法呢?IFNULL( check_expression , replacement_value ),实现了SQL中的ISNULL方法。

ifnull(expr1,expr2)

假如expr1不为NULL,则返回值为expr1;
否则,假如expr1是NULL,则其返回值为expr2。

IFNULL()的返回值是数字或是字符串,具体情况取决于其所使用的语境。

mysql>SELECT IFNULL(1,0);
    ->1   

mysql>SELECT IFNULL(NULL,10);
    ->10   

mysql>SELECT IFNULL(1/0,10);
    ->10   

mysql>SELECT IFNULL(1/0,'yes');
    ->'yes'  

ifnull(expr1,expr2)>默认结果值为两个表达式中更加“通用”的一个,顺序为STRING、REAL或INTEGER。

假设一个基于表达式的表的情况,或MySQL必须在内存储器中储存一个临时表中IFNULL()的返回值:

CREATE TABLE tmp SELECT IFNULL(1,'test') AS test;

在这个例子中,测试列的类型为 CHAR(4)。

nullif(expr1,expr2)

如果expr1=expr2成立,那么返回值为NULL,否则返回值为expr1。
这和

case 
    when expr1=expr2 then null 
    else expr1 
end

相同。

mysql>SELECT NULLIF(1,1);
    ->NULL   

mysql>SELECT NULLIF(1,2);
    ->1  

如果参数不相等,则MySQL两次求得的值为expr1 。

你可能感兴趣的:(数据库(mysql,ORACLE))