1

我有一个这样的 MySQL 表:

CREATE TABLE categories (
    ID INT NOT NULL,
    Name VARCHAR(100) NULL,
    Parent INT NULL,
    PRIMARY KEY (ID)
) Engine=InnoDB

我想确保在删除父级时删除所有子级。起初,我想通过在表中添加这样的外键来做到这一点:

ALTER TABLE categories ADD CONSTRAINT FOREIGN KEY Parent(Parent) 
REFERENCES categories(ID) ON DELETE CASCADE

这行不通。我也尝试过内部关系,但没有成功。

父母和他们的孩子通过递归 PHP 函数链接。MySQL中有没有办法实现这个目标,或者应该使用PHP来完成?

4

4 回答 4

2

您已经以相反的方式定义了外键。
您应该将其定义为:

ALTER TABLE categories ADD CONSTRAINT FOREIGN KEY (id)
REFERENCES Parent(Parent) ON DELETE CASCADE 
于 2011-01-07T20:54:29.440 回答
1

为我工作。

#Server version: 5.1.42-community MySQL Community Server (GPL)
create table lists(
   id int not null
  ,parent int
  ,primary key(id)
  ,foreign key(parent) references lists(id) on delete cascade
) Engine=InnoDb;

insert into lists(id, parent) values(1, null);
insert into lists(id, parent) values(2, 1);
insert into lists(id, parent) values(3, 2);
insert into lists(id, parent) values(4, 3);

mysql> select * from lists;
+----+--------+
| id | parent |
+----+--------+
|  1 |   NULL |
|  2 |      1 |
|  3 |      2 |
|  4 |      3 |
+----+--------+
4 rows in set (0.00 sec)

mysql>
mysql> delete from lists where id = 1;
Query OK, 1 row affected (0.02 sec)

mysql>
mysql> select * from lists;
Empty set (0.00 sec)
于 2011-01-07T22:46:25.820 回答
0

你需要这样的东西:

drop table if exists categories;
create table categories
(
cat_id int unsigned not null auto_increment primary key,
name varchar(255) not null,
parent_id int unsigned null,
foreign key (parent_id) references categories(cat_id) on delete cascade
)
engine = innodb;
于 2011-01-07T21:56:42.303 回答
0

Ronnis,Foo,你是对的。真的行。:-)

我做错的事情是通过我的 PHP 应用程序为第一个父级输入“0”。当然,如果我输入“0”(没有 id 为“0”的父级),那么我就违反了外键规则。所以,我所要做的就是稍微编辑一下我的 INSERT 语句。非常感谢您引起我的注意。谢谢大家!

于 2011-01-08T10:22:59.453 回答