mysql:在创建临时表时是否自动创建主键?

tquggr8v  于 2021-06-21  发布在  Mysql
关注(0)|答案(3)|浏览(393)

我有一个查询需要花费相当长的时间(1100万次左右的观察),还有三个连接(我无法阻止它进行检查)。其中一个连接是与临时表的连接。
当我使用包含主键的表中的数据创建临时表时,新表将继续索引,还是必须在新临时表中显式创建索引(主键来自父表)?

tzxcd3kk

tzxcd3kk1#

否-对于显式定义的临时表,不会自动定义索引。您需要在创建表时或之后使用 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

演示:http://rextester.com/jzqcp29681

hc8w905p

hc8w905p2#

此语法也适用于:

create temporary table my_temptable
    ( PRIMARY KEY(id) )
    select * from my_persisted_table;

也就是说,你可以有额外的 CREATE TABLE 条款从一开始就到位。如果 SELECT 正在按主键顺序将行传递到innodb表:

create temporary table my_temptable
    ( PRIMARY KEY(id) )
        ENGINE=InnoDB
    select * from my_persisted_table
        ORDER BY id;
ha5z0ras

ha5z0ras3#

临时表与数据库(模式)的关系非常松散。删除数据库不会自动删除在该数据库中创建的任何临时表。此外,如果在CREATETABLE语句中用数据库名称限定表名称,则可以在不存在的数据库中创建临时表。在这种情况下,表的所有后续引用都必须使用数据库名称限定。

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

相关问题