Mysql
MariaDB 如何處理 FOREIGN KEY 約束中使用的 ENUM 類型?
緊接著這個問題,
如果引用表中的值
ENUM
比被引用的表中的值多或少,MySQL 將如何工作?它是否僅基於全域ENUM
文本密鑰(符號)驗證完整性?還是基礎整數值?
如相關問題所示,JOINS on
enums
是“按值”。另一方面,約束是“按位置”驗證的。這種行為讓我覺得相當違反直覺。使用與 Evan 類似的設置:CREATE TABLE foo ( a ENUM ('A', 'B') not null primary key ); CREATE TABLE bar ( a ENUM ('X', 'Y', 'Z') not null primary key ); ALTER TABLE bar ADD CONSTRAINT fk_foo_bar FOREIGN KEY (a) REFERENCES foo (a); insert into foo (a) values ('A'),('B'); insert into bar (a) values ('X'); -- OK insert into bar (a) values ('Z'); ERROR 1452 (23000): Cannot add or update a child row: a foreign key constraint fails ("test3"."bar", CONSTRAINT "fk_foo_bar" FOREIGN KEY ("a") REFERENCES "foo" ("a"))
所以’X’根據外鍵約束是有效的。正如 Evan 所展示的,JOIN 的行為不同:
SELECT * FROM foo JOIN bar USING(a); Empty set (0.00 sec)
因此,儘管如此,行中的行
bar
是由外鍵驗證的,foo 和 bar 之間的連接是空的。一開始可能很想用它來
ENUM
代替CHECK CONSTRAINTS
MySQL 系列中缺少的東西。但是,與您FOREIGN KEYS
一起工作的方式ENUMs
可能會讓您措手不及。子類型的典型模式如下所示:CREATE TABLE P ( p int not null primary key , sub_type ENUM ('A','B') , constraint AK_P unique (p, sub_type)); CREATE TABLE A ( p int not null primary key , sub_type ENUM ('A') , constraint aaa foreign key (p, sub_type) references P (p, sub_type)); CREATE TABLE B ( p int not null primary key , sub_type ENUM ('B') , constraint bbb foreign key (p, sub_type) references P (p, sub_type)); insert into P (p,sub_type) values (1,'A'),(2,'B'); insert into A (p,sub_type) values (1,'A'); -- OK insert into B (p,sub_type) values (1,'B'); -- OK, but should not be allowed since 1 is sub_type 'A' in parent insert into B (p,sub_type) values (2,'B'); -- Fails, but should be OK ERROR 1452 (23000): Cannot add or update a child row: a foreign key constraint fails ("test3"."B", CONSTRAINT "bbb" FOREIGN KEY ("p", "sub_type") REFERENCES "P" ("p", "sub_type"))
所以外鍵驗證列舉中的位置,而不是值本身。
PostgreSQL不允許不同列舉之間的外鍵,所以這種情況不可能在那裡重現:
CREATE type e1 as ENUM ('A', 'B'); CREATE type e2 as ENUM ('X', 'Y', 'Z'); CREATE TABLE foo ( a e1 not null primary key ); CREATE TABLE bar ( a e2 not null primary key ); ALTER TABLE bar ADD CONSTRAINT fk_foo_bar FOREIGN KEY (a) REFERENCES foo (a); ERROR: foreign key constraint "fk_foo_bar" cannot be implemented DETAIL: Key columns "a" and "a" are of incompatible types: e2 and e1.