select ifnull(null,'replaces the null') -->replaces the null select coalesce(null,null,'replaces the null') -->replaces the null
在这两个条款中,主要区别在于参数传递。因为ifnull这是两个参数,我们可以通过合并2或3,但是这两个之间是否还有其他区别?以及它在MSSql中的不同之处。
ifnull
两者之间的主要区别是该IFNULL函数接受两个参数,如果不存在则返回第一个,如果NULL第二个则返回第二个NULL。
IFNULL
NULL
COALESCE函数可以采用两个或多个参数,并返回第一个非NULL参数,或者NULL如果所有参数均为null,例如:
COALESCE
SELECT IFNULL('some value', 'some other value'); -> returns 'some value' SELECT IFNULL(NULL,'some other value'); -> returns 'some other value' SELECT COALESCE(NULL, 'some other value'); -> returns 'some other value' - equivalent of the IFNULL function SELECT COALESCE(NULL, 'some value', 'some other value'); -> returns 'some value' SELECT COALESCE(NULL, NULL, NULL, NULL, 'first non-null value'); -> returns 'first non-null value'
更新: MSSQL做更严格的类型和参数检查。此外,它不具有IFNULL功能,而是ISNULL具有功能,该功能需要知道参数的类型。因此:
ISNULL
SELECT ISNULL(NULL, NULL); -> results in an error SELECT ISNULL(NULL, CAST(NULL as VARCHAR)); -> returns NULL
COALESCEMSSQL中的功能还要求至少一个参数为非null,因此:
SELECT COALESCE(NULL, NULL, NULL, NULL, NULL); -> results in an error SELECT COALESCE(NULL, NULL, NULL, NULL, 'first non-null value'); -> returns 'first non-null value'