假设我有一个表items
,其中有列id (PRIMARY), name(VARCHAR), section_id (BIGINT), updated_at (DATETIME)
,
以及具有CCD_ 4的表CCD_。
自然地,items.section_id
是指代sections.id
的外键。
假设在列(section_id, name)
的items
上有一个索引。我相信,如果你试图删除这个索引,你会得到一个错误,它是needed in a foreign key constraint
。我可以接受。
现在,我想创建一个新的索引,比如create index ix_section_id_id_updated_at on items (section_id, id, updated_at)
。MySQL允许我这样做,但如果我删除这个表,我会得到同样的错误:它失败了,因为它是needed in a foreign key constraint
。
为什么要这样?它已经有一个索引可以用于此外键检查。此外,错误不会随着set FOREIGN_KEY_CHECKS=0;
而消失。有没有办法强制MySQL不将新索引与外键关联,这样它就可以快速删除?这是必要的,因为我将在临时停机的生产服务器上运行迁移,并且需要能够在之后出现任何问题时快速恢复迁移。
如果我不在section_id上创建索引,并允许mysql在创建外键时这样做(如手册中所述(,我可以重现您的问题。添加一个新索引会删除自动生成的键,如果您删除了新索引,则会因为需要一个键而生成一个错误,并且mysql不会在删除时自动生成一个键。如果在section_id上手动生成密钥,则不会出现此问题。。并且新创建的复合指数成功下降。
drop table if exists items;
drop table if exists sections;
create table items(id int PRIMARY key, name varchar(3), section_id BIGINT, updated_at DATETIME);
create table sections(id bigint primary key);
alter table items
add foreign key fk1(section_id) references sections(id);
show create table items;
CREATE TABLE `items` ( `id` int(11) NOT NULL,
`name` varchar(3) DEFAULT NULL,
`section_id` bigint(20) DEFAULT NULL,
`updated_at` datetime DEFAULT NULL,
PRIMARY KEY (`id`),
KEY `fk1` (`section_id`),
CONSTRAINT `fk1` FOREIGN KEY (`section_id`) REFERENCES `sections` (`id`)) ENGINE=InnoDB DEFAULT CHARSET=latin1;
alter table items
add key key1(section_id, name);
show create table items;
CREATE TABLE `items` (
`id` int(11) NOT NULL,
`name` varchar(3) DEFAULT NULL,
`section_id` bigint(20) DEFAULT NULL,
`updated_at` datetime DEFAULT NULL,
PRIMARY KEY (`id`),
KEY `key1` (`section_id`,`name`),
CONSTRAINT `fk1` FOREIGN KEY (`section_id`) REFERENCES `sections` (`id`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1;
以及手动生成的密钥
drop table if exists items;
drop table if exists sections;
create table items(id int PRIMARY key, name varchar(3), section_id BIGINT, updated_at DATETIME);
create table sections(id bigint primary key);
alter table items
add key sid(section_id);
alter table items
add foreign key fk1(section_id) references sections(id);
show create table items;
CREATE TABLE `items` (
`id` int(11) NOT NULL,
`name` varchar(3) DEFAULT NULL,
`section_id` bigint(20) DEFAULT NULL,
`updated_at` datetime DEFAULT NULL,
PRIMARY KEY (`id`),
KEY `sid` (`section_id`),
CONSTRAINT `fk1` FOREIGN KEY (`section_id`) REFERENCES `sections` (`id`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1
alter table items
add key key1(section_id, name);
show create table items;
CREATE TABLE `items` (
`id` int(11) NOT NULL,
`name` varchar(3) DEFAULT NULL,
`section_id` bigint(20) DEFAULT NULL,
`updated_at` datetime DEFAULT NULL,
PRIMARY KEY (`id`),
KEY `sid` (`section_id`),
KEY `key1` (`section_id`,`name`),
CONSTRAINT `fk1` FOREIGN KEY (`section_id`) REFERENCES `sections` (`id`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1;