In this article I will explain the differences between the IsNull() and Coalesce() functions in SQL Server 2012. The ISNULL and Coalesce functions are both used to replace null values with a user-defined value. So let's take a look at a practical example of how these functions differ. The example is developed in SQL Server 2012 using the SQL Server Management Studio. There are some differences which are explained below.
ISNULL() Function
The ISNULL() function is used to replace NULL with the specified replacement value. This function contains only two arguments.
Syntax
ISNULL (check_exp, change_value)
Coalesce() Function
The Coalesce() function returns the first non-null value among its arguments. This function doesn't limit the number of arguments, but they must all be of the same data type.
Syntax
COALESCE ( expression [ ,...n ] )
COALESCE() function is equivalent to the following CASE expression.CASE
WHEN (exp1 IS NOT NULL) THEN exp1
WHEN (exp2 IS NOT NULL) THEN exp2
...
ELSE expN
Differences Between IsNull() and Coalesce() Functions
1. The COALESCE() function is based on the ANSI SQL standard whereas ISNULL function is a Transact-SQL function.
2. An expression involving ISNULL with non-null parameters is considered to be NOT NULL, while expressions involving COALESCE with non-null parameters is considered to be NULL.
3. The ISNULL() function contains only two parameters. The COALESCE() function contains multiple parameters. If we use more than two parameters with the ISNULL function then we must use nested ISNULL functions.
Example
ISNULL() function:
SELECT ISNULL(NULL, NULL, 'Hello')
OUTPUT
COALESCE() function:
SELECT COALESCE(NULL, NULL, 'hello')
OUTPUT
4. The ISNULL() function looks at the first value and the second parameter value is automatically limited to that length but COALESCE() does not have this restriction.
Example
declare @test varchar(3)
select isnull(@test, 'ABCD') AS ISNULLResult
select coalesce(@test, 'ABCD') AS coalesceResult
OUTPUT
In the above image, the test variable has length 3. So the ISNULL function returns tes and the COALESCE() function does not; depending on the length, it returns test.
5. The ISNULL() function contains various types of parameters. The COALESCE() function doesn't limit the number of arguments, but they must all be of the same data type.
Example
ISNULL() function:
DECLARE @a VARCHAR(5)='Hello',
@b INT =5
SELECT ISNULL(@a, @b) AS ISNULLResult
OUTPUT
The COALESCE() function:
DECLARE @a VARCHAR(5)='Hello',
@b INT =5
SELECT COALESCE(@a, @b) AS COALESCEResult
OUTPUT