여러 열의 SQLite 기본 키
SQLITE에서 둘 이상의 열에 기본 키를 지정하는 구문은 무엇입니까?
에 따르면 문서 , 그건
CREATE TABLE something (
column1,
column2,
column3,
PRIMARY KEY (column1, column2)
);
CREATE TABLE something (
column1 INTEGER NOT NULL,
column2 INTEGER NOT NULL,
value,
PRIMARY KEY ( column1, column2)
);
예. 그러나 이러한 기본 키 NULL
는 두 열의 값을 여러 번 허용 합니다.
다음과 같이 테이블을 만듭니다.
sqlite> CREATE TABLE something (
column1, column2, value, PRIMARY KEY (column1, column2));
이제 이것은 경고없이 작동합니다.
sqlite> insert into something (value) VALUES ('bla-bla');
sqlite> insert into something (value) VALUES ('bla-bla');
sqlite> select * from something;
NULL|NULL|bla-bla
NULL|NULL|bla-bla
기본 :
CREATE TABLE table1 (
columnA INTEGER NOT NULL,
columnB INTEGER NOT NULL,
PRIMARY KEY (columnA, columnB)
);
열이 다른 테이블의 외래 키인 경우 (일반적인 경우) :
CREATE TABLE table1 (
table2_id INTEGER NOT NULL,
table3_id INTEGER NOT NULL,
FOREIGN KEY (table2_id) REFERENCES table2(id),
FOREIGN KEY (table3_id) REFERENCES table3(id),
PRIMARY KEY (table2_id, table3_id)
);
CREATE TABLE table2 (
id INTEGER NOT NULL,
PRIMARY KEY id
);
CREATE TABLE table3 (
id INTEGER NOT NULL,
PRIMARY KEY id
);
기본 키 필드는 null이 아닌 것으로 선언되어야합니다 (기본 키의 정의는 고유하고 null이 아니어야한다는 것이므로 표준이 아닙니다). 그러나 아래는 모든 DBMS의 모든 다중 열 기본 키에 대한 모범 사례입니다.
create table foo
(
fooint integer not null
,foobar string not null
,fooval real
,primary key (fooint, foobar)
)
;
SQLite 3.8.2 버전부터 명시적인 NOT NULL 사양의 대안은 "WITHOUT ROWID"사양입니다. [ 1 ]
NOT NULL is enforced on every column of the PRIMARY KEY
in a WITHOUT ROWID table.
"WITHOUT ROWID" tables have potential efficiency advantages, so a less verbose alternative to consider is:
CREATE TABLE t (
c1,
c2,
c3,
PRIMARY KEY (c1, c2)
) WITHOUT ROWID;
For example, at the sqlite3 prompt: sqlite> insert into t values(1,null,3); Error: NOT NULL constraint failed: t.c2
In another way, you can also make the two column primary key unique
and the auto-increment key primary
. Just like this: https://stackoverflow.com/a/6157337
The following code creates a table with 2 column as a primary key in SQLite.
SOLUTION:
CREATE TABLE IF NOT EXISTS users (id TEXT NOT NULL, name TEXT NOT NULL, pet_name TEXT, PRIMARY KEY (id, name))
PRIMARY KEY (id, name)
didn't work for me. Adding a constraint did the job for me.
CREATE TABLE IF NOT EXISTS customer (id INTEGER, name TEXT, user INTEGER, CONSTRAINT PK_CUSTOMER PRIMARY KEY (user, id))
참고URL : https://stackoverflow.com/questions/734689/sqlite-primary-key-on-multiple-columns
'developer tip' 카테고리의 다른 글
MySQL에서 INDEX, PRIMARY, UNIQUE, FULLTEXT의 차이점은 무엇입니까? (0) | 2020.10.03 |
---|---|
Java에서 ==와 equals ()의 차이점은 무엇입니까? (0) | 2020.10.03 |
앞으로 선언은 언제 사용할 수 있습니까? (0) | 2020.10.03 |
IntelliJ는 마우스를 올리면 JavaDocs 툴팁을 표시합니다. (0) | 2020.10.03 |
Git은 푸시 할 때마다 사용자 이름을 묻습니다. (0) | 2020.10.03 |