当前位置: > 数据库 > PostgreSQL >

第 8 课 PostgreSQL 事务介绍

时间:2019-05-23 13:29来源:linux.it.net.cn 作者:IT

PostgreSQL事务的隔离级别目前有4种,分别是:读未提交,读已提交,可重复读,串行化。


duyeweb=# \h begin

Command:    BEGIN

Description: start a transaction block

Syntax:

BEGIN [ WORK | TRANSACTION ] [ transaction_mode [, ...] ]

where transaction_mode is one of:

    ISOLATION LEVEL { SERIALIZABLE | REPEATABLE READ | READ COMMITTED | READ UNCOMMITTED }

    READ WRITE | READ ONLY

    [ NOT ] DEFERRABLE

读未提交

表示可以读到其他会话未提交的数据(postgresql不支持)。

读已提交

表示可以读到其他会话已提交的数据。

  1. 创建一张表为test,插入一条记录

duyeweb=# create table test(a int, b varchar(128));

CREATE TABLE

duyeweb=# insert into test values(1, 'hello');

INSERT 0 1

  1. 在会话1中打开事务进行查询

duyeweb=# begin;

BEGIN

duyeweb=# select * from test;

a |  b 

---+-------

1 | hello

(1 row)

  1. 在会话2中打开事务进行更新

duyeweb=# begin;

BEGIN

duyeweb=# update test set b='xxxx';

UPDATE 1

  1. 此时在会话2中还没有关闭事务,在会话1中进行查询

duyeweb=# select * from test;

a |  b 

---+-------

1 | hello

(1 row)

  1. 发现会话1中的记录并没有进行改变。当提交会话2中的事务,在会话1中进行查询值已经改变

duyeweb=# begin;

BEGIN

duyeweb=# update test set b='xxxx';

UPDATE 1

duyeweb=# commit;

COMMIT

再次查询:


duyeweb=# select * from test;

a |  b 

---+------

1 | xxxx

(1 row)

可重复读

表示在一个事务中,执行同一条SQL,读到的是同样的数据(即使被读的数据可能已经被其他会话修改并提交)。

  1. 在会话1中打开可重复读事务,进行查询

duyeweb=# begin transaction isolation level repeatable read;

BEGIN

duyeweb=# select * from test;

a |  b 

---+------

1 | xxxx

(1 row)

  1. 在会话2中进行更新操作

duyeweb=# update test set b='yyyyy';

UPDATE 1

  1. 在会话1中进行,发现会话1中的记录没有因为会话2的提交而变化

duyeweb=# select * from test;

a |  b 

---+-------

1 | xxxx

(1 row)

  1. 在会话1中进行提交,再查询,发现会话1中的记录变化了

duyeweb=# commit;

duyeweb=# select * from test;

a |  b 

---+-------

1 | yyyyy

(1 row)

串行化

表示并行事务模拟串行执行,违反串行执行规则的事务,将回滚。

  1. 在会话 1中打开事务串行

duyeweb=# begin transaction isolation level serializable;

  1. 在会话2中打开事务串行

duyeweb=# begin transaction isolation level serializable;

3、在会话1中进行插入操作


duyeweb=# insert into test select * from test;

INSERT 0 1

duyeweb=# select * from test;               

a |  b 

---+-------

1 | yyyyy

1 | yyyyy

(2 rows)

4、在会话2中进行插入操作


duyeweb=# insert into test select * from test;

INSERT 0 1

duyeweb=# select * from test;

a |  b 

---+-------

1 | yyyyy

1 | yyyyy

(2 rows)

5、提交会话1中的事务,能够正常提交,进行查询能够查到插入的记录


duyeweb=# end;

COMMIT

duyeweb=# select * from test;

a |  b 

---+-------

1 | yyyyy

1 | yyyyy

(2 rows)

6、当提交会话2的事务时会报错


duyeweb=# end;

ERROR:  could not serialize access due to read/write dependencies among transactions

DETAIL:  Reason code: Canceled on identification as a pivot, during commit attempt.

HINT:  The transaction might succeed if retried.

 


(责任编辑:IT)
------分隔线----------------------------