MySQL IFNULL
IFNULL function in MySQL is used to return a specified value if the expression is NULL. If the expression is not NULL, it returns the expression's value.1. Syntax of IFNULL
- expression: The value or column to check for
NULL. - alt_value: The value to return if the expression is
NULL.
2. Example of Using IFNULL
✅ Explanation:
This query will return the name column if it is not NULL, otherwise, it will return 'Unknown' for the rows where name is NULL.
3. Handling NULL Values in Tables
Consider the employees table:
| employee_id | name | department |
|---|---|---|
| 1 | John Doe | HR |
| 2 | NULL | IT |
| 3 | Jane Smith | NULL |
| 4 | NULL | NULL |
Example Query:
✅ Output:
| employee_id | name | department |
|---|---|---|
| 1 | John Doe | HR |
| 2 | No Name | IT |
| 3 | Jane Smith | No Department |
| 4 | No Name | No Department |
4. Using IFNULL with Arithmetic Operations
You can also use IFNULL to handle NULL values in mathematical expressions.
Example:
✅ Explanation:
If the price is NULL, it will be replaced by 0, ensuring that the multiplication does not return a NULL result.
5. Comparison with COALESCE
COALESCE is another function that can handle NULL values. While IFNULL handles only two parameters (the expression and the replacement value), COALESCE can take multiple parameters and returns the first non-NULL value.
Example with COALESCE:
In this example, it will return name if it's not NULL, otherwise, it will check department. If both are NULL, it will return 'No Name or Department'.
6. Performance Considerations
IFNULLis faster thanCOALESCEbecause it evaluates only two parameters.- If you have more than two possible values,
COALESCEis preferable.
7. Conclusion
IFNULLis a useful function to replaceNULLvalues with a specific alternative.- It is commonly used in data reporting, queries involving arithmetic, and to handle missing or incomplete data.
š Make your queries robust by handling NULL values efficiently using IFNULL!

