在 MySQL 中,ALTER TABLE 用来添加复合主键?

mysqlmysqli database

要添加复合主键,请使用 ALTER 命令。我们先创建一个演示表

创建表的查询。

mysql> create table CompositePrimaryKey
   -> (
   -> Id int,
   -> StudentName varchar(100),
   -> Age int
   -> );
Query OK, 0 rows affected (0.56 sec)

到目前为止还没有添加上面的复合主键。现在让我们借助 desc 命令来检查一下。

mysql> desc CompositePrimaryKey;

以下是输出。

+-------------+--------------+------+-----+---------+-------+
| Field       | Type         | Null | Key | Default | Extra |
+-------------+--------------+------+-----+---------+-------+
| Id          | int(11)      | YES  |     | NULL    |       |
| StudentName | varchar(100) | YES  |     | NULL    |       |
| Age         | int(11)      | YES  |     | NULL    |       |
+-------------+--------------+------+-----+---------+-------+
3 rows in set (0.09 sec)

查看上面的示例输出,没有 primary 关键字。这本身就说明没有可用的复合主键。

现在,让我们使用 ALTER 命令添加复合主键。查询如下。

mysql>  ALTER table CompositePrimaryKey add primary key(Id,StudentName);
Query OK, 0 rows affected (1.26 sec)
Records: 0  Duplicates: 0  Warnings: 0

上面,我添加了复合主键,其列名为"Id"和"StudentName"。要检查相同内容,我们可以使用 DESC 命令。查询如下。

mysql> DESC CompositePrimaryKey;

这是输出。

+-------------+--------------+------+-----+---------+-------+
| Field       | Type         | Null | Key | Default | Extra |
+-------------+--------------+------+-----+---------+-------+
| Id          | int(11)      | NO   | PRI | NULL    |       |
| StudentName | varchar(100) | NO   | PRI | NULL    |       |
| Age         | int(11)      | YES  |     | NULL    |       |
+-------------+--------------+------+-----+---------+-------+
3 rows in set (0.00 sec)

正如我们在上面的输出中看到的,"PR"表示我们已成功在列 Id 和 StudentName 上添加复合主键。


相关文章