简体   繁体   中英

Unique constraint on any combination of two columns

I am trying to implement a unique constraint for a combination of two columns. I am running oracle 11g.

Specifically I have two columns A and B.

I have a row like below

A     B
1     2

Then I want the following combinations to fail when inserted

A     B
1     2
2     1

Is this possible to achieve with a unique index in Oracle?

Yes, it is possible(for example using generated columns):

CREATE TABLE tab(A INT NOT NULL, B INT NOT NULL);

ALTER TABLE tab ADD c1 AS (LEAST(A,B));
ALTER TABLE tab ADD c2 AS (GREATEST(A,B));
CREATE UNIQUE INDEX UQ_tab ON tab(c1,c2);

You could hide these columns if needed(Oracle 12c):

ALTER TABLE tab MODIFY c1 INVISIBLE;
ALTER TABLE tab MODIFY c2 INVISIBLE;

DBFiddle Demo

EDIT:

Even simpler approach:

CREATE UNIQUE INDEX UQ_tab ON tab(least(A,B), greatest(A,B));

DBFiddle Demo

You can use a UNIQUE INDEX with LEAST , GREATEST and COALESCE functions:

CREATE TABLE table_name (
  a INT,
  b INT
);

CREATE UNIQUE INDEX table_name__a__b__u ON TABLE_NAME(
  COALESCE( LEAST( a, b ), a, b ),
  GREATEST( a, b )
);

You need to include COALESCE in case one of the values is NULL .

DBFiddle

INSERT INTO table_name ( a, b ) VALUES ( 1, 2 );
1 rows affected
INSERT INTO table_name ( a, b ) VALUES ( 3, NULL );
1 rows affected
INSERT INTO table_name ( a, b ) VALUES ( 2, 1 );
ORA-00001: unique constraint (SCHEMA_NAME.TABLE_NAME__A__B__U) violated
INSERT INTO table_name ( a, b ) VALUES ( NULL, 3 );
ORA-00001: unique constraint (SCHEMA_NAME.TABLE_NAME__A__B__U) violated

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM