MySQL에서 SERIAL과 AUTO_INCREMENT는 필드의 기본값으로 시퀀스를 정의하는 데 사용됩니다. 하지만 기술적으로 서로 다릅니다.
AUTO_INCREMENT 속성은 BIT 및 DECIMAL을 제외한 모든 숫자 데이터 유형에서 지원됩니다. 테이블당 AUTO_INCREMENT 필드는 하나만 있을 수 있으며 한 테이블의 AUTO_INCREMENT 필드에 의해 생성된 시퀀스는 다른 테이블에서 사용할 수 없습니다.
이 속성을 사용하려면 시퀀스에 중복 항목이 없는지 확인하기 위해 필드에 UNIQUE 인덱스가 있어야 합니다. 시퀀스는 기본적으로 1에서 시작하고 모든 삽입에 대해 1씩 증가합니다.
예시
mysql> Create Table Student(Student_id INT PRIMARY KEY NOT NULL AUTO_INCREMENT, Name Varchar(20)); Query OK, 0 rows affected (0.18 sec)
위의 쿼리는 Student_id AUTO_INCREMENT를 선언합니다.
mysql> Insert Into Student(Name) values('RAM'),('SHYAM'); Query OK, 2 rows affected (0.06 sec) Records: 2 Duplicates: 0 Warnings: 0 mysql> Select * from Student; +------------+-------+ | Student_id | Name | +------------+-------+ | 1 | RAM | | 2 | SHYAM | +------------+-------+ 2 rows in set (0.00 sec) mysql> Show Create Table Student\G *************************** 1. row *************************** Table: Student Create Table: CREATE TABLE `student` ( `Student_id` int(11) NOT NULL AUTO_INCREMENT, `Name` varchar(20) DEFAULT NULL, PRIMARY KEY (`Student_id`) ) ENGINE=InnoDB AUTO_INCREMENT=3 DEFAULT CHARSET=latin1 1 row in set (0.00 sec)
반면 SERIAL DEFAULT VALUE는 NOT NULL AUTO_INCREMENT UNIQUE KEY의 약어입니다. TINYINT, SMALLINT, MEDIUMINT, INT, BIGINT와 같은 정수형은 SERIAL DEFAULT VALUE 키워드를 지원합니다.
예시
mysql> Create Table Student_serial(Student_id SERIAL, Name VArchar(20)); Query OK, 0 rows affected (0.17 sec) mysql> Insert into Student_serial(Name) values('RAM'),('SHYAM'); Query OK, 2 rows affected (0.12 sec) Records: 2 Duplicates: 0 Warnings: 0 mysql> Select * from Student_serial; +------------+-------+ | Student_id | Name | +------------+-------+ | 1 | RAM | | 2 | SHYAM | +------------+-------+ 2 rows in set (0.00 sec) mysql> Show Create Table Student_serial\G *************************** 1. row *************************** Table: Student_serial Create Table: CREATE TABLE `student_serial` ( `Student_id` bigint(20) unsigned NOT NULL AUTO_INCREMENT, `Name` varchar(20) DEFAULT NULL, UNIQUE KEY `Student_id` (`Student_id`) ) ENGINE=InnoDB AUTO_INCREMENT=3 DEFAULT CHARSET=latin1 1 row in set (0.00 sec)