DEV Community

Pranav Bakare
Pranav Bakare

Posted on

CASE and DECODE in SQL

Understanding CASE and DECODE in SQL

In SQL, particularly in Oracle SQL, CASE and DECODE are both used for implementing conditional logic within queries. They help in transforming or interpreting data based on specific conditions.


  1. What is CASE?

Definition: The CASE statement is a conditional expression that allows you to evaluate multiple conditions and return different values based on the results of those evaluations. It can be thought of as an SQL equivalent of IF-THEN-ELSE logic.

Syntax:

CASE
WHEN condition1 THEN result1
WHEN condition2 THEN result2
...
ELSE default_result
END

Example with Gender Information:

SELECT emp_id, name,
CASE
WHEN gender = 'M' THEN 'Male'
WHEN gender = 'F' THEN 'Female'
ELSE 'Unspecified'
END AS gender_description
FROM employees;

Explanation:

The CASE statement checks the value of the gender column.

It returns 'Male' if gender is 'M', 'Female' if gender is 'F', and defaults to 'Unspecified' if neither condition is met.


  1. What is DECODE?

Definition: The DECODE function is a specialized Oracle SQL function that provides a way to perform conditional logic based on equality checks. It simplifies certain conditional evaluations by allowing you to map a single expression to multiple outcomes.

Syntax:

DECODE(expression, search_value1, result1, search_value2, result2, ..., default_result)

Example with Gender Information:

SELECT emp_id, name,
DECODE(gender,
'M', 'Male',
'F', 'Female',
'Unspecified') AS gender_description
FROM employees;

Explanation:

The DECODE function compares the value of the gender column.

It returns 'Male' if gender is 'M', 'Female' if gender is 'F', and defaults to 'Unspecified' if neither matches.


Conclusion

Use CASE when you need to evaluate complex conditions or require ANSI SQL compliance for better portability across different database systems.

Use DECODE for simpler scenarios where you're performing equality checks and are working within Oracle SQL.

Both functions can effectively categorize and transform data, such as interpreting gender information based on codes, allowing for clearer and more meaningful output in your SQL queries.

Top comments (0)