Home >Database >Mysql Tutorial >How to Change ON DELETE CASCADE to ON DELETE RESTRICT for Foreign Keys?
In database management, foreign keys enforce referential integrity by linking data between tables. By default, most database systems set up foreign keys with "ON DELETE CASCADE" behavior, which deletes child records when their parent records are deleted.
However, there are scenarios where you may want to modify this behavior to "ON DELETE RESTRICT." This change prevents the deletion of parent records if they have existing child records.
To change the referential action, you need to first drop the existing constraint. Use the following syntax:
ALTER TABLE table_name DROP FOREIGN KEY constraint_name;
Replace "table_name" with the name of the table containing the foreign key and "constraint_name" with the existing constraint's name.
Once the old constraint is dropped, you can add a new one with the desired referential action. Use the following syntax:
ALTER TABLE table_name ADD CONSTRAINT constraint_name FOREIGN KEY (column_name) REFERENCES referenced_table(referenced_column) ON DELETE RESTRICT;
Replace "table_name" with the same table as before, "constraint_name" with the new constraint's name, "column_name" with the foreign key column, "referenced_table" with the referenced table, and "referenced_column" with the referenced column in the referenced table.
Consider the following table structure:
CREATE TABLE UserDetails ( Detail_id INT PRIMARY KEY, User_id INT NOT NULL, FOREIGN KEY (User_id) REFERENCES Users (User_id) ON DELETE CASCADE );
To change the referential action to "ON DELETE RESTRICT," follow these steps:
Drop the existing constraint:
ALTER TABLE UserDetails DROP FOREIGN KEY FK_User_id;
Add the new constraint:
ALTER TABLE UserDetails ADD CONSTRAINT FK_User_id FOREIGN KEY (User_id) REFERENCES Users (User_id) ON DELETE RESTRICT;
After these changes, deleting a record in the "Users" table will no longer cascade the deletion to the "UserDetails" table. The deletion will be restricted if there are existing child records in "UserDetails" that reference the parent record in "Users."
The above is the detailed content of How to Change ON DELETE CASCADE to ON DELETE RESTRICT for Foreign Keys?. For more information, please follow other related articles on the PHP Chinese website!