PostgreSQL: Using the NOT IN Condition for Exclusion Filtering
Exclude specific values from query results using PostgreSQL's NOT IN condition. This guide explains its syntax and usage.
Using the PostgreSQL `NOT IN` Condition
Understanding `NOT IN`
In PostgreSQL (and other SQL databases), the `NOT IN` condition is used in the `WHERE` clause to select rows where a column's value is *not* among a specified list of values. It's the opposite of the `IN` condition; `NOT IN` excludes rows that match the list. This provides a straightforward and efficient way to filter data based on whether or not values are within a particular set.
`NOT IN` Syntax
The basic syntax is:
SELECT column1, column2, ... FROM table_name WHERE column_name NOT IN (value1, value2, ...);
This selects rows where the value in `column_name` is not equal to any of the values in the list (`value1`, `value2`, etc.).
Examples: Using `NOT IN`
These examples demonstrate `NOT IN` with both numeric and character values. It's assumed that you have a table named `department` with columns `emp_id`, `dept_id`, `emp_fname`, and `dept_name`.
Example 1: Numeric Values
This query retrieves rows from the `department` table where `emp_id` is neither 1 nor 2.
SQL Query
SELECT emp_id, dept_id, emp_fname, dept_name
FROM department
WHERE emp_id NOT IN (1, 2)
ORDER BY dept_name DESC;
This query is equivalent to:
Equivalent SQL Query
SELECT emp_id, dept_id, emp_fname, dept_name
FROM department
WHERE emp_id != 1 AND emp_id != 2
ORDER BY dept_name DESC;
Example 2: Character Values
This query retrieves rows where `emp_fname` is neither 'James' nor 'Mia'.
SQL Query
SELECT emp_id, emp_fname, emp_lname
FROM employee
WHERE emp_fname NOT IN ('James', 'Mia')
ORDER BY emp_id;
Conclusion
The `NOT IN` condition provides a straightforward way to filter rows in PostgreSQL based on whether a column's value is present in a list. It's a simple yet powerful tool for data retrieval and manipulation.