日期:2014-05-16 浏览次数:20982 次
用于数字类型的定长显示是最适合不过了, 长度不够时,用0填充。
mysql> create table t1(id int(6) zerofill auto_increment primary key, col2 varch ar(32)); Query OK, 0 rows affected (0.00 sec) mysql> insert into t1 (col2) values('abc'), ('bcd'); Query OK, 2 rows affected (0.00 sec) Records: 2 Duplicates: 0 Warnings: 0 mysql> select * from t1; +--------+------+ | id | col2 | +--------+------+ | 000001 | abc | | 000002 | bcd | +--------+------+ 2 rows in set (0.00 sec)
这种用法,可以大量用于所谓“流水号”的生成上。
比如,想要生成日期_0x的流水号。可以直接拼接,如:
mysql> create table t1(id int(2) zerofill auto_increment primary key, col2 varch ar(10)); Query OK, 0 rows affected (0.00 sec) mysql> insert into t1(col2) values('abc'), ('def'); Query OK, 2 rows affected (0.00 sec) Records: 2 Duplicates: 0 Warnings: 0
mysql> select concat(concat(date(now()), '_'), id) from t1; +--------------------------------------+ | concat(concat(date(now()), '_'), id) | +--------------------------------------+ | 2012-11-26_01 | | 2012-11-26_02 | +--------------------------------------+ 2 rows in set (0.00 sec)需要说明的是,这里的id值,可能会溢出。
mysql> insert into t1 values(99, '123abc'); Query OK, 1 row affected (0.00 sec) mysql> insert into t1(col2) values('others'); Query OK, 1 row affected (0.00 sec) mysql> select * from t1; +-----+--------+ | id | col2 | +-----+--------+ | 01 | abc | | 02 | def | | 99 | 123abc | | 100 | others | +-----+--------+ 4 rows in set (0.00 sec) mysql> select concat(concat(date(now()), '_'), id) from t1; +--------------------------------------+ | concat(concat(date(now()), '_'), id) | +--------------------------------------+ | 2012-11-26_01 | | 2012-11-26_02 | | 2012-11-26_99 | | 2012-11-26_100 | +--------------------------------------+ 4 rows in set (0.00 sec)
mysql> select concat(concat(date(now()), '_'), substr(id, 1, 2)) from t1; +----------------------------------------------------+ | concat(concat(date(now()), '_'), substr(id, 1, 2)) | +----------------------------------------------------+ | 2012-11-26_01 | | 2012-11-26_02 | | 2012-11-26_99 | | 2012-11-26_10 | +----------------------------------------------------+ 4 rows in set (0.00 sec)
可是这个截短又不正确,取的是前两位。应该取的是末两位。
改为:
mysql> select concat(concat(date(now()), '_'), substr(id, length(id)-1, 2)) from t1; +---------------------------+ | concat(concat(date(now()), '_'), substr(id, length(id)-1, 2)) | +---------------------------+ | 2012-11-26_01 | | 2012-11-26_02 | | 2012-11-26_99 | | 2012-11-26_00 | +---------------------------+ 4 rows in set (0.00 sec)
MySQL的中AUTO_INCREMENT类型的属性用于为一个表中记录自动生成ID功能,可在一定程度上代替Oracle,PostgreSQL等数据库中的sequence。一个表只能有一个AUTO_INCREMENT属性,且该属性必须为主键的一部分。AUTO_INCREMENT属性可以是任何整数类型(tinyint,smallint,int,bigint等)。
在插入记录时让系统为AUTO_INCREMENT属性自动生成值的通常方法在VALUES列表中不指定该属性的值,如若有表t定义如下:
CREATE TABLE t (a INT AUTO_INCREMENT PRIMARY KEY, b INT);
则一般使用如下插入语句:
INSERT INTO t(b) VALUES(1);
即在插入时不指定a的值。
第二种方法是插入时为AUTO_INCREMENT属性指定值为0[/COLOR] ,即:
INSERT INTO t VALUES(0, 1);
与
&n