SQLite | 트리거(Trigger) | 트리거 스키마(구조) 확인
트리거가 어떤 CREATE 문을 사용하여 생성되었는지에 대해 확인하는 방법에 대해 설명한다. sqlite_master 테이블을 이용하는 방법과 .schema 명령을 사용하는 방법의 두 가지가 있다.
sqlite_master 테이블에서 조회
먼저 sqlite_master 테이블을 이용하는 방법이다. 다음과 같이 SQL 문을 실행한다. (쉽게 확인할 수 있도록 먼저 “.mode” 명령으로 mode를 line으로 변경한다.)
select * from sqlite_master;
sqlite> select * from sqlite_master;
table|product|product|3|CREATE TABLE product (id integer, name text)
table|history|history|2|CREATE TABLE history (user text, name text, sales integer)
trigger|updateproduct|product|0|CREATE TRIGGER updateproduct update of name on product
begin
update history set name = new.name where name = old.name;
end
sqlite>
sqlite> .mode line
sqlite>
sqlite> select * from sqlite_master;
type = table
name = product
tbl_name = product
rootpage = 3
sql = CREATE TABLE product (id integer, name text)
type = table
name = history
tbl_name = history
rootpage = 2
sql = CREATE TABLE history (user text, name text, sales integer)
type = trigger
name = updateproduct
tbl_name = product
rootpage = 0
sql = CREATE TRIGGER updateproduct update of name on product
begin
update history set name = new.name where name = old.name;
end
sqlite>
생성된 테이블과 트리거에 대한 데이터를 조회할 수 있다. 여기서 조회한 데이터에서 트리거와 관련된 데이터는 다음과 같다.
type = trigger
name = updateproduct
tbl_name = product
rootpage = 0
sql = CREATE TRIGGER updateproduct update of name on product
begin
update history set name = new.name where name = old.name;
end
type 컬럼은 트리거의 경우 trigger로 표시된다. (테이블의 경우 table이다.) name 컬럼에는 트리거명, tbl_name 컬럼에는 트리거가 지정된 테이블명, sql 컬럼에는 트리거를 생성했던 SQL 문이 표시된다.
트리거에 대한 데이터만 표시하려면 WHERE 절을 사용 다음과 같이 실행한다.
select * from sqlite_master where type = 'trigger';
sqlite> select * from sqlite_master where type = 'trigger';
type = trigger
name = updateproduct
tbl_name = product
rootpage = 0
sql = CREATE TRIGGER updateproduct update of name on product
begin
update history set name = new.name where name = old.name;
end
sqlite>
.schema 명령을 사용하여 조회
트리거의 스키마에 대한 정보만 조회하고자 한다면 SQLite 명령 .schema에서도 확인할 수 있다.
.schema
.schema? TABLE?
인수를 생략하면 모든 테이블과 트리거의 스키마 정보를 표시한다. 또한 인수에 테이블명을 지정하면 테이블명과 일치하는 테이블과 지정된 테이블명과 관련된 트리거 정보를 표시할 수 있다.
그럼 .schema 명령을 사용하여 조회해 보도록 하자.
.schema
sqlite> .schema
CREATE TABLE product (id integer, name text);
CREATE TABLE history (user text, name text, sales integer);
CREATE TRIGGER updateproduct update of name on product
begin
update history set name = new.name where name = old.name;
end;
sqlite>
현재 데이터베이스에 생성되어 있는 2개의 테이블과 1개의 트리거에 대한 CREATE 문이 표시되는 것을 확인할 수 있다.
최종 수정 : 2019-11-13