2つまたは3つのカテゴリ(植物/後生動物/細菌)しか必要とせず、XOR関係をモデル化する場合は、おそらく「アーク」がソリューションです。利点:トリガーが不要。図の例は[こちら] [1]にあります。あなたの状況では、「containers」テーブルには、CHECK制約が設定された3つの列があり、植物、動物、または細菌のいずれかを許可します。
将来、多くのカテゴリー(例えば、属、種、亜種)を区別する必要がある場合、これはおそらく適切ではありません。ただし、2〜3個のグループ/カテゴリの場合、これでうまくいく場合があります。
更新:多くの分類群(関連する生物のグループ、生物学者によって分類)を許可し、「特定の」テーブル名を回避する別のソリューションである寄稿者の提案とコメントに触発されました(PostgreSQL 9.5)。
DDLコード:
-- containers: may have more columns eg for temperature, humidity etc
create table containers (
ctr_name varchar(64) unique
);
-- taxonomy - have as many taxa as needed (not just plants/animals/bacteria)
create table taxa (
t_name varchar(64) unique
);
create table organisms (
o_id integer primary key
, o_name varchar(64)
, t_name varchar(64) references taxa(t_name)
, unique (o_id, t_name)
);
-- table for mapping containers to organisms and (their) taxon,
-- each container contains organisms of one and the same taxon
create table collection (
ctr_name varchar(64) references containers(ctr_name)
, o_id integer
, t_name varchar(64)
, unique (ctr_name, o_id)
);
-- exclude : taxa that are different from those already in a container
alter table collection
add exclude using gist (ctr_name with =, t_name with <>);
-- FK : is the o_id <-> t_name (organism-taxon) mapping correct?
alter table collection
add constraint taxon_fkey
foreign key (o_id, t_name) references organisms (o_id, t_name) ;
テストデータ:
insert into containers values ('container_a'),('container_b'),('container_c');
insert into taxa values('t:plant'),('t:animal'),('t:bacterium');
insert into organisms values
(1, 'p1', 't:plant'),(2, 'p2', 't:plant'),(3, 'p3', 't:plant'),
(11, 'a1', 't:animal'),(22, 'a1', 't:animal'),(33, 'a1', 't:animal'),
(111, 'b1', 't:bacterium'),(222, 'b1', 't:bacterium'),(333, 'b1', 't:bacterium');
テスト:
-- several plants can be in one and the same container (3 inserts succeed)
insert into collection values ('container_a', 1, 't:plant');
insert into collection values ('container_a', 2, 't:plant');
insert into collection values ('container_a', 3, 't:plant');
-- 3 inserts that fail:
-- organism id in a container must be UNIQUE
insert into collection values ('container_a', 1, 't:plant');
-- bacteria not allowed in container_a, populated by plants (EXCLUSION at work)
insert into collection values ('container_a', 333, 't:bacterium');
-- organism with id 333 is NOT a plant -> insert prevented by FK
insert into collection values ('container_a', 333, 't:plant');
@RDFozzと@Evan Carrollと@ypercubeの入力と忍耐(私の回答の読み取りと修正)に感謝します。