标签:例子 char match 自动提交 enc wing action 共享 原子性
事务特性ACID1. Atomicity(原子性)
2. Consistency(一致性)
3. Isolation(隔离性)
4. Durability(持久性)
select @@tx_isolation;
//开始事务
start transaction/begin;
//提交或回滚
commit/rollback
SET autocommit = {0 | 1}
SET [GLOBAL | SESSION] TRANSACTION ISOLATION LEVEL READ COMMITTED
可选的事务隔离级别有:
REPEATABLE READ
READ COMMITTED
READ UNCOMMITTED
SERIALIZABLE
事务T1读取了事务T2未提交的更新后的数据。
事务T1执行过程中,事务T2提交了新数据,事务T1在事务T2提交前后读到的数据不一致。
事务T1的插入或删除(事务已提交)导致事务T2在行数上不一致的情况。
事务隔离级别 | 读脏 | 不可重复读 | 幻读 |
---|---|---|---|
读未提交(Read-Uncommitted) | 可能 | 可能 | 可能 |
读提交(Read-Committed) | 不可能 | 可能 | 可能 |
可重复读(Repeatable-Read) | 不可能 | 不可能 | 可能 |
串行化(Serializable) | 不可能 | 不可能 | 不可能 |
create table goods(
id int primary key,
name varchar(100),
amount int not null
);
事务1 | 事务2 |
---|---|
begin; | begin; |
select * from goods; | |
Empty set (0.00 sec) | |
insert into goods(id, name, amount) values(1, ‘苹果‘, 100); | |
commit; | |
insert into goods(id, name, amount) values(1, ‘苹果‘, 100); | |
ERROR 1062 (23000): Duplicate entry ‘1‘ for key ‘PRIMARY‘ |
对于事务1,开始表为空的,后来插入是重复的key,幻觉出现。
事务1 | 事务2 |
---|---|
begin; | begin; |
select * from goods; | |
1 row in set (0.00 sec) | |
insert into goods(id, name, amount) values(2, ‘香蕉‘, 100); | |
commit; | |
update goods set amount=1; | |
Rows matched: 2 Changed: 2 Warnings: 0 |
对于事务1,开始查询表有一条记录,后来更新却发现有两条数据被更新了,幻觉出现。
A kind of lock that allows other transactions to read the locked object, and to also acquire other shared locks on
it, but not to write to it.
共享锁又叫S锁,一个事务对资源加共享锁,那么其他事务还可以对此资源加共享锁,但是不能加排他锁。也即是说对资源加共享锁意味着资源可以被读但是不能对其进行删除和修改。如果事务T1对某一资源加共享锁,在没有其他事务对此资源加共享锁的情况下那么T1还可以对此资源加排它锁。
使用语法:
begin;
select * from tableName where id=2 lock in share mode;
commit;
A kind of lock that prevents any other transaction from locking the same row. Depending on the transaction
isolation level, this kind of lock might block other transactions from writing to the same row, or might also block
other transactions from reading the same row. The default InnoDB isolation level, REPEATABLE READ, enables
higher concurrency by allowing transactions to read rows that have exclusive locks, a technique known as
consistent read.
排他锁又叫X锁,在事务中删除、更新以及插入都会对资源加排它锁,对资源加排它锁后就不能对其加共享锁和排它锁了。如果再加则会引起阻塞直到上一个锁释放。
使用语法:
begin;
select * from tableName where id=2 for update;
commit;
标签:例子 char match 自动提交 enc wing action 共享 原子性
原文地址:http://blog.51cto.com/wenshengzhu/2165713