標籤:表數 序列 結構 預設值 val postgres 建立 方式 constrain
Postgresql 有以下三種方法設定主鍵遞增的方式,下面來看下相同點和不同點。
--方法一
create table test_a
(
id serial,
name character varying(128),
constraint pk_test_a_id primary key( id)
);
NOTICE: CREATE TABLE will create implicit sequence "test_a_id_seq" for serial column "test_a.id"
NOTICE: CREATE TABLE / PRIMARY KEY will create implicit index "pk_test_a_id" for table "test_a"
CREATE TABLE
--方法二
create table test_b
(
id serial PRIMARY KEY,
name character varying(128)
);
NOTICE: CREATE TABLE will create implicit sequence "test_b_id_seq" for serial column "test_b.id"
NOTICE: CREATE TABLE / PRIMARY KEY will create implicit index "test_b_pkey" for table "test_b"
CREATE TABLE
--方法三
create table test_c
(
id integer PRIMARY KEY,
name character varying(128)
);
NOTICE: CREATE TABLE / PRIMARY KEY will create implicit index "test_c_pkey" for table "test_c"
CREATE TABLE
//方法三上面的一小段是工具產生的,如果表已經建好,只要用下面的語句即可產生自動成長序列
CREATE SEQUENCE test_c_id_seq
START WITH 1
INCREMENT BY 1
NO MINVALUE
NO MAXVALUE
CACHE 1;
alter table test_c alter column id set default nextval(‘test_c_id_seq‘);
很明顯從上面可以看出,方法一和方法二隻是寫法不同,實質上主鍵都通過使用 serial 類型來實現的,
使用serial類型,PG會自動建立一個序列給主鍵用,當插入表資料時如果不指定ID,則ID會預設使用序列的
NEXT值。
方法三是先建立一張表,再建立一個序列,然後將表主鍵ID的預設值設定成這個序列的NEXT值。這種寫法
似乎更符合人們的思維習慣,也便於管理,如果系統遇到sequence 效能問題時,便於調整 sequence 屬性;
--比較三個表的表結構
skytf=> \d test_a
Table "skytf.test_a"
Column | Type | Modifiers
--------+------------------------+-----------------------------------------------------
id | integer | not null default nextval(‘test_a_id_seq‘::regclass)
name | character varying(128) |
Indexes:
"pk_test_a_id" PRIMARY KEY, btree (id)
skytf=> \d test_b
Table "skytf.test_b"
Column | Type | Modifiers
--------+------------------------+-----------------------------------------------------
id | integer | not null default nextval(‘test_b_id_seq‘::regclass)
name | character varying(128) |
Indexes:
"test_b_pkey" PRIMARY KEY, btree (id)
skytf=> \d test_c
Table "skytf.test_c"
Column | Type | Modifiers
--------+------------------------+-----------------------------------------------------
id | integer | not null default nextval(‘test_c_id_seq‘::regclass)
name | character varying(128) |
Indexes:
"test_c_pkey" PRIMARY KEY, btree (id)
從上面可以看出,三個表表結構一模一樣, 三種方法如果要尋找差別,可能僅有以下一點,
當 drop 表時,方法一和方法二會自動地將序列也 drop 掉, 而方法三不會。
Postgresql 建立主鍵並設定自動遞增的三種方法