While the SQL standard allows multiple NULLS in a unique column, and that is how Postgres behaves, some database systems (e.g. MS_SQL) allow only a single NULL in such cases. Users migrating from other database systems sometimes want to emulate this behavior in Postgres. Fortunately, this can be done. First, let me show the default Postgres behavior:

CREATE TABLE nulltest (x INTEGER UNIQUE);
   
INSERT INTO nulltest VALUES (NULL); 
INSERT INTO nulltest VALUES (NULL);

A single-NULL constraint can be created with a partial expression index that indexes only NULL values (the partial part), and uses IS NULL to store true in the unique index (the expression part).

DELETE FROM nulltest;   

CREATE UNIQUE INDEX i_nulltest ON nulltest ((x IS NULL)) WHERE x IS NULL;   

INSERT INTO nulltest VALUES (NULL); 
INSERT INTO nulltest VALUES (NULL); 
ERROR:  duplicate key value violates unique constraint "i_nulltest" DETAIL:  Key ((x IS NULL))=(t) already exists.

This method can also be used to create a constraint that allows only a single NULL for each non-NULL composite indexed value:

CREATE TABLE nulltest2 (x INTEGER, y INTEGER);   

CREATE UNIQUE INDEX i_nulltest2 ON nulltest2 (x, (y IS NULL)) WHERE y IS NULL;   

INSERT INTO nulltest2 VALUES (1, NULL); 
INSERT INTO nulltest2 VALUES (2, NULL); 
INSERT INTO nulltest2 VALUES (2, NULL); 
ERROR:  duplicate key value violates unique constraint "i_nulltest2" DETAIL:  Key (x, (y IS NULL))=(2, t) already exists.   

INSERT INTO nulltest2 VALUES (2, 3); 
INSERT INTO nulltest2 VALUES (2, 3);

The i_nulltest2 index allows only one y NULL value for each x value. This can actually be useful in certain data models. This illustrates how expression and partial index features can be combined for some interesting effects.

About the Author

Bruce Momjian

Bruce Momjian is a co-founder of the PostgreSQL Global Development Group, and has worked on PostgreSQL since 1996 as a committer and community leader.

Start the discussion at forums.toadworld.com