MySQL外鍵起到約束作用,在資料庫層級保證資料的完整性。
例如使用外鍵的CASCADE(cascade串聯)類型,當子表(例如user_info)關聯父表(例如user)時,父表更新或刪除時,子表會更新或刪除記錄,這個過程是資料庫層面完成的。
早期企業系統資料庫設計裡面比較多,雖說幫程式設計師節省了delete、update操作,實際上增加了潛規則,也增加了軟體複雜度,也會減弱效能。
所以在應用程式設計中,我們應盡量在應用層保證資料的完整性(如使用事務處理機制),而不是資料庫層面。
下面對MySQL的外鍵進行介紹。
MySQL支援外鍵的儲存引擎只有InnoDB,在建立外鍵的時候,要求父表必須有對應的索引, 子表在建立外鍵的時候也會自動建立對應的索引。
在建立索引的時候,可以指定在刪除、更新父表時,子表進行的對應操作,包括
RESTRICT (restrict 限制限制)
NO ACTION
SET NULL
CASCADE(串連)
#RESTRICT和NO ACTION相同,是指在子表有關聯記錄的情況下父表不能更新;
CASCADE表示父表在更新或刪除時,更新或刪除子表對應記錄;
SET NULL則是表示父表在更新或刪除的時候,子表的對應字段被SET NULL。
因為只有InnoDB引擎才允許使用外鍵,所以,我們的資料表必須使用InnoDB引擎。
建立資料庫:
Create database test;
create table stu( sid int UNSIGNED primary key auto_increment, name varchar(20) not null) TYPE=InnoDB charset=utf8; create table sc( scid int UNSIGNED primary key auto_increment, sid int UNSIGNED not null, score varchar(20) default '0', index (sid), --外键必须加索引 FOREIGN KEY (sid) REFERENCES stu(sid) ON DELETE CASCADE ON UPDATE CASCADE) TYPE=InnoDB charset=utf8;
–說明:外鍵必須建立索引;
FOREIGN key(sid) 設定外鍵,把sid設為外鍵
REFERENCES stu(sid) 引用作用。引用stu表中的sid
ON DELETE CASCADE 級聯刪除
ON UPDATE CASCADE 級聯更新
insert into stu (name) value ('zxf'); insert into stu (name) value ('ls'); insert into stu (name) value ('zs'); insert into stu (name) value ('ww'); insert into sc(sid,score) values ('1','98'); insert into sc(sid,score) values ('1','98'); insert into sc(sid,score) values ('2','34'); insert into sc(sid,score) values ('2','98'); insert into sc(sid,score) values ('2','98'); insert into sc(sid,score) values ('3','56'); insert into sc(sid,score) values ('4','78'); insert into sc(sid,score) values ('4','98');
注意:在sc表中插入資料時,若插入的sid為22,則會插入失敗,違反外鍵約束,因為外鍵sid
來自stu表中的id的主鍵,即stu中的id沒有等於22的數據。
級聯刪除:將stu表中id為2的學生刪除,該學生在sc表中的成績也會級聯刪除
delete from stu where sid = '2';
級聯更新:stu表中id為3的學生改為id為6,該學生在sc表中的對應id也會級聯更新
update stu set sid=6 where sid='3';##注意刪除表的時候必須先刪除外鍵表(sc),再刪除主鍵表(stu) #上圖為違反外鍵約束,不能刪除 上圖為正常刪除,先刪除sc表,再刪除stu表!
以上是MySQL外鍵級聯如何實現的詳細內容。更多資訊請關注PHP中文網其他相關文章!