MySQL 中等效于 SQL Server IDENTITY 列的内容是什么?


MySQL 中等效于 Microsoft SQL Server IDENTITY 列的是 AUTO_INCREMENT。SQL Server 中的 IDENTITY 在 MySQL 中的作用与 AUTO_INCREMENT 相同。

语法如下 -

CREATE TABLE yourTableName
(
   yourColumnName1 dataType NOT NULL AUTO_INCREMENT,
   yourColumnName2 dataType,
   .
   .
   .
   N,
   PRIMARY KEY(yourColumnName1)
);

在 MySQL 中,如果你的列是自增的,你需要使用主键,否则 MySQL 将报错。查看错误 -

mysql> create table EquivalentOfIdentityInMySQL
   -> (
   -> ProductId int NOT NULL AUTO_INCREMENT,
   -> ProductName varchar(30)
   -> );
ERROR 1075 (42000) − Incorrect table definition; there can be only one auto column and it
must be defined as a key

要消除上述错误,你需要将 ProductId 设为主键。将 ProductId 设为主键的 MySQL AUTO_INCREMENT 声明如下 -

mysql> create table EquivalentOfIdentityInMySQL
   -> (
   -> ProductId int NOT NULL AUTO_INCREMENT,
   -> ProductName varchar(30)
   -> ,
   -> PRIMARY KEY(ProductId)
   -> );
Query OK, 0 rows affected (0.59 sec)

如果你没有为 ProductId 列传递任何值,MySQL 会从 1 开始自动增量,并且下一个数字默认递增 1。 

要检查 ProductId 列,让我们使用插入命令在表中插入一些记录。查询如下 -

mysql> insert into EquivalentOfIdentityInMySQL(ProductName) values('Product-1');
Query OK, 1 row affected (0.14 sec)

mysql> insert into EquivalentOfIdentityInMySQL(ProductName) values('Product-2');
Query OK, 1 row affected (0.14 sec)

mysql> insert into EquivalentOfIdentityInMySQL(ProductName) values('Product-34');
Query OK, 1 row affected (0.10 sec)

使用 select 语句显示表中的所有记录。查询如下 -

mysql> select *from EquivalentOfIdentityInMySQL;

输出如下 -

+-----------+-------------+
| ProductId | ProductName |
+-----------+-------------+
|         1 | Product-1   |
|         2 | Product-2   |
|         3 | Product-34  |
+-----------+-------------+
3 rows in set (0.00 sec)

查看 ProductId 列,我们没有为该列传递任何值,但我们得到的数字从 1 开始,下一个数字递增 1。

更新于: 2019-7-30

8k+ 浏览量

开启你的 职业

通过完成课程获得认证

开始
广告