我的查询花了很长时间(1100万左右的观察结果)和三个连接(我无法阻止它检查)。其中一个连接是临时表。
当我使用其中包含主键的表中的数据创建临时表时,新表是否会继承索引,或者我是否必须在新临时表中显式创建索引(使用主键来自父表)?
答案 0 :(得分:3)
否 - 对于显式定义的临时表,不会自动定义索引。您需要在创建表时或之后使用ALTER TABLE ..
定义索引。
您可以使用SHOW CREATE TABLE my_temptable
进行检查。
尝试以下脚本:
drop table if exists my_persisted_table;
create table my_persisted_table (
id int auto_increment primary key,
col varchar(50)
);
insert into my_persisted_table(col) values ('a'), ('b');
drop temporary table if exists my_temptable;
create temporary table my_temptable as
select * from my_persisted_table;
show create table my_temptable;
alter table my_temptable add index (id);
show create table my_temptable;
第一个SHOW CREATE
语句将不显示索引:
CREATE TEMPORARY TABLE `my_temptable` (
`id` int(11) NOT NULL DEFAULT '0',
`col` varchar(50) DEFAULT NULL
) ENGINE=InnoDB DEFAULT CHARSET=utf8
使用ALTER TABLE
创建索引后,我们可以使用第二个SHOW CREATE
语句看到它:
CREATE TEMPORARY TABLE `my_temptable` (
`id` int(11) NOT NULL DEFAULT '0',
`col` varchar(50) DEFAULT NULL,
KEY `id` (`id`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8
答案 1 :(得分:0)
TEMPORARY表与数据库(模式)的关系非常松散。删除数据库不会自动删除在该数据库中创建的任何TEMPORARY表。此外,如果使用CREATE TABLE语句中的数据库名限定表名,则可以在不存在的数据库中创建TEMPORARY表。在这种情况下,必须使用数据库名称限定对表的所有后续引用。
during generation of TEMPORARY table you have to mention all record of the table
https://dev.mysql.com/doc/refman/5.7/en/create-temporary-table.html
答案 2 :(得分:0)
此语法也有效:
create temporary table my_temptable
( PRIMARY KEY(id) )
select * from my_persisted_table;
也就是说,您可以从一开始就有额外的CREATE TABLE
条款。如果SELECT
以PK顺序将行传递到InnoDB表,这可能会特别有效:
create temporary table my_temptable
( PRIMARY KEY(id) )
ENGINE=InnoDB
select * from my_persisted_table
ORDER BY id;