mysql 自增字段
mysql 可以通過(guò)字段的自增屬性 auto_increment 實(shí)現(xiàn)序列。我們可以獲取auto_increment值,可以重置自增字段的值,也可以設(shè)置設(shè)置自增字段的開始值。
1. 使用 auto_increment
mysql 中最簡(jiǎn)單使用序列的方法就是使用 mysql auto_increment 來(lái)定義序列。
以下范例中創(chuàng)建了數(shù)據(jù)表 insect, insect 表中 id 無(wú)需指定值可實(shí)現(xiàn)自動(dòng)增長(zhǎng)。
mysql> create table insect -> ( -> id int unsigned not null auto_increment, -> primary key (id), -> name varchar(30) not null, # type of insect -> date date not null, # date collected -> origin varchar(30) not null # where collected ); query ok, 0 rows affected (0.02 sec) mysql> insert into insect (id,name,date,origin) values -> (null,'housefly','2001-09-10','kitchen'), -> (null,'millipede','2001-09-10','driveway'), -> (null,'grasshopper','2001-09-10','front yard'); query ok, 3 rows affected (0.02 sec) records: 3 duplicates: 0 warnings: 0 mysql> select * from insect order by id; +----+-------------+------------+------------+ | id | name | date | origin | +----+-------------+------------+------------+ | 1 | housefly | 2001-09-10 | kitchen | | 2 | millipede | 2001-09-10 | driveway | | 3 | grasshopper | 2001-09-10 | front yard | +----+-------------+------------+------------+ 3 rows in set (0.00 sec)
2. 獲取auto_increment值
在mysql的客戶端中你可以使用 sql中的last_insert_id( ) 函數(shù)來(lái)獲取最后的插入表中的自增列的值。
在php或perl腳本中也提供了相應(yīng)的函數(shù)來(lái)獲取最后的插入表中的自增列的值。
perl范例
使用 mysql_insertid 屬性來(lái)獲取 auto_increment 的值。 范例如下:
$dbh->do ("insert into insect (name,date,origin) values('moth','2001-09-14','windowsill')"); my $seq = $dbh->{mysql_insertid};
php范例
php 通過(guò) mysql_insert_id ()函數(shù)來(lái)獲取執(zhí)行的插入sql語(yǔ)句中 auto_increment列的值。
mysql_query ("insert into insect (name,date,origin) values('moth','2001-09-14','windowsill')", $conn_id); $seq = mysql_insert_id ($conn_id);
3. 重置序列
如果你刪除了數(shù)據(jù)表中的多條記錄,并希望對(duì)剩下數(shù)據(jù)的auto_increment列進(jìn)行重新排列,那么你可以通過(guò)刪除自增的列,然后重新添加來(lái)實(shí)現(xiàn)。 不過(guò)該操作要非常小心,如果在刪除的同時(shí)又有新記錄添加,有可能會(huì)出現(xiàn)數(shù)據(jù)混亂。操作如下所示:
mysql> alter table insect drop id; mysql> alter table insect -> add id int unsigned not null auto_increment first, -> add primary key (id);
4. 設(shè)置序列的開始值
一般情況下序列的開始值為1,但如果你需要指定一個(gè)開始值100,那我們可以通過(guò)以下語(yǔ)句來(lái)實(shí)現(xiàn):
mysql> create table insect -> ( -> id int unsigned not null auto_increment, -> primary key (id), -> name varchar(30) not null, -> date date not null, -> origin varchar(30) not null )engine=innodb auto_increment=100 charset=utf8;
或者你也可以在表創(chuàng)建成功后,通過(guò)以下語(yǔ)句來(lái)實(shí)現(xiàn):
mysql> alter table t auto_increment = 100;