PostgreSql处理Null与空字符串
在使用 PostgreSql
时,实际场景中会出现某个字段为空或空字符串,就取另外一个字段或给默认值,在Oracle
数据库中用函数NVL
就行实现,那么在PostgreSql
可以使用COALESCE
函数,与Oracle
的NVL
一样接收两个参数。区别在于NVL
函数的第一个参数对NULL
与空字符串,都识别为空,而COALESCE
只识别NULL
。
比如下面数据的order_code
字段是NULL
,cus_name
字段是空字符串:
使用函数COALESCE
设置NULL
与空字符串的默认值,看下对空字符串是否生效。
select
coalesce(cus_name, 'AA') as cus_name,
coalesce(order_code, 'S01') as order_code
from
t_order;
从结果可以看出,cus_name
字段为空字符串,结果还是空字符串,order_code
字段为NULL
,结果设置了默认值。那么是否可以将cus_name
的空字符串也设置成功默认值呢?这里可以使用case when
语句。
select
(case
when cus_name is null
or cus_name = '' then 'AA'
else cus_name
end) as cus_name,
coalesce(order_code, 'S01') as order_code
from
t_order;
从结果上看已经实现我们想要的效果,但是使用case when
来处理空字符串,从SQL
语句简洁来看不太舒服,可以参考如下写法:
select
coalesce(nullif(cus_name,''),'AA') as cus_name,
coalesce(order_code, 'S01') as order_code
from
t_order;
这里使用到了NULLIF
函数,意思是第一个参数与第二个参数一致,就返回NULL
。
结果与使用case when
效果一样,从SQL
的简洁来看,个人更偏向第二种来判空。