What's blocking my lock? 转载

原文地址 :http://www.orafaq.com/node/854

Create a blocking lock

To begin, create a situation where one user isactively blocking another. Open two sessions. Issue the following commands inSession 1 to build the test table:

SQL> create table tstlock (foo varchar2(1), bar varchar2(1));
 
Table created.
 
SQL> insert into tstlock values (1,'a'); 
 
1 row created.
 
SQL> insert into tstlock values (2, 'b');
 
1 row created.
 
SQL> select * from tstlock ;
 
FOO BAR
--- ---
1   a
2   b
 
2 rows selected.
 
SQL> commit ;
 
Commit complete.

Now grab a lock on the whole table, still inSession 1:

SQL>select * from tstlock for update ;

And in Session 2, try to update a row:

SQL> update tstlock set bar=
  2  'a' where bar='a' ;

This statement will hang, blocked by the lockthat Session 1 is holding on the entire table.

Identify the blocking session

Oracle provides a view, DBA_BLOCKERS, which liststhe SIDs of all blocking sessions. But this view is often, in my experience, agood bit slower than simply querying V$LOCK, and it doesn't offer anyinformation beyond the SIDs of any sessions that are blocking other sessions.The V$LOCK view is faster to query, makes it easy to identify the blockingsession, and has a lot more information.

SQL> select * from v$lock ;
 
ADDR     KADDR           SID TY        ID1        ID2      LMODE    REQUEST      CTIME      BLOCK
-------- -------- ---------- -- ---------- ---------- ---------- ---------- ---------- ----------
AF9E2C4C AF9E2C60        479 TX     131078      16739          0          6        685          0
ADDF7EC8 ADDF7EE0        422 TM      88519          0          3          0        697          0
ADDF7F74 ADDF7F8C        479 TM      88519          0          3          0        685          0
ADEBEA20 ADEBEB3C        422 TX     131078      16739          6          0        697          1
....     ....            ... ...      ....       ....       ....       ....        ....      ....

Note the BLOCK column. If a session holds a lockthat's blocking another session, BLOCK=1. Further, you can tell which sessionis being blocked by comparing the values in ID1 and ID2. The blocked sessionwill have the same values in ID1 and ID2 as the blocking session, and, since itis requesting a lock it's unable to get, it will have REQUEST > 0.

In the query above, we can see that SID 422 isblocking SID 479. SID 422 corresponds to Session 1 in our example, and SID 479 is our blocked Session 2.

To avoid having to stare at the table andcross-compare ID1's and ID2's, put this in a query:

SQL> select l1.sid, ' IS BLOCKING ', l2.sid
  2  from v$lock l1, v$lock l2
  3  where l1.block =1 and l2.request > 0
  4  and l1.id1=l2.id1
  5  and l1.id2=l2.id2
SQL> /
 
       SID 'ISBLOCKING'         SID
---------- ------------- ----------
       422  IS BLOCKING         479
 
1 row selected.

Even better, if we throw a little v$session intothe mix, the results are highly readable:

SQL> select s1.username || '@' || s1.machine
  2  || ' ( SID=' || s1.sid || ' )  is blocking '
  3  || s2.username || '@' || s2.machine || ' ( SID=' || s2.sid || ' ) ' AS blocking_status
  4  from v$lock l1, v$session s1, v$lock l2, v$session s2
  5  where s1.sid=l1.sid and s2.sid=l2.sid
  6  and l1.BLOCK=1 and l2.request > 0
  7  and l1.id1 = l2.id1
  8  and l2.id2 = l2.id2 ;
 
 
BLOCKING_STATUS
----------------------------------------------------------------------------------------------------
BULKLOAD@yttrium ( SID=422 )  is blocking BULKLOAD@yttrium ( SID=479 )
 
1 row selected.

There's still more information in the v$locktable, but in order to read that information, we need to understand a bit moreabout lock types and the cryptically-named ID1 and ID2 columns.

Lock type and the ID1 / ID2columns

In this case, we already know that the blockinglock is an exclusive DML lock, since we're the ones who issued the lockingstatement. But most of the time, you won't be so lucky. Fortunately, you can readthis information from the v$lock table with little effort.

The first place to look is the TYPE column. Thereare dozens of lock types, but the vast majority are system types. System locksare normally only held for a very brief amount of time, and it's not generallyhelpful to try to tune your library cache, undo logs, etc. by looking inv$lock! (See the V$LOCK chapter in the Oracle Database Reference for a list ofsystem lock types.)

There are only three types of user locks, TX, TMand UL. UL is a user-defined lock -- a lock defined with the DBMS_LOCK package.The TX lock is a row transaction lock; it's acquired once for every transactionthat changes data, no matter how many objects you change in that transaction.The ID1 and ID2 columns point to the rollback segment and transaction tableentries for that transaction.

The TM lock is a DML lock. It's acquired once foreach object that's being changed. The ID1 column identifies the object beingmodified.

Lock Modes

You can see more information on TM and TX locksjust by looking at the lock modes. The LMODE and REQUEST columns both use thesame numbering for lock modes, in order of increasing exclusivity: from 0 forno lock, to 6 for exclusive lock. A session must obtain an exclusive TX lock inorder to change data; LMODE will be 6. If it can't obtain an exclusive lockbecause some of the rows it wants to change are locked by another session, thenit will request a TX in exclusive mode; LMODE will be 0 since it does not havethe lock, and REQUEST will be 6. You can see this interaction in the rows weselected earlier from v$lock:

ADDR     KADDR           SID TY        ID1        ID2      LMODE    REQUEST      CTIME      BLOCK
-------- -------- ---------- -- ---------- ---------- ---------- ---------- ---------- ----------
AF9E2C4C AF9E2C60        479 TX     131078      16739          0          6        685          0
ADEBEA20 ADEBEB3C        422 TX     131078      16739          6          0        697          1

Note that ID1 and ID2 in Session 2, which is requesting the TX lock (LMODE=0,REQUEST=6), point back to the rollback and transaction entries for Session 1.That's what lets us determine the blocking session for Session 2.

You may also see TX locks in mode 4, Shared mode.If a block containing rows to be changed doesn't have any interestedtransaction list (ITL) entries left, then the session acquires a TX lock inmode 4 while waiting for an ITL entry. If you see contention for TX-4 locks onan object, you probably need to increase INITRANS for the object.

TM locks are generally requested and acquired inmodes 3, aka Shared-Row Exclusive, and 6. DDL requires a TM Exclusive lock.(Note that CREATE TABLE doesn't require a TM lock -- it doesn't need to lockany objects, because the object in question doesn't exist yet!) DML requires aShared-Row Exclusive lock. So, in the rows we selected earlier from v$lock, youcan see from the TM locking levels that these are DML locks:

ADDR     KADDR           SID TY        ID1        ID2      LMODE    REQUEST      CTIME      BLOCK
-------- -------- ---------- -- ---------- ---------- ---------- ---------- ---------- ----------
ADDF7EC8 ADDF7EE0        422 TM      88519          0          3          0        697          0
ADDF7F74 ADDF7F8C        479 TM      88519          0          3          0        685          0

Identifying the locked object

Now that we know that each TM row points to alocked object, we can use ID1 to identify the object.

SQL> select object_name from dba_objects where object_id=88519 ;
 
OBJECT_NAME
--------------
TSTLOCK

Sometimes just knowing the object is enoughinformation; but we can dig even deeper. We can identify not just the object,but the block and even the row in the block that Session 2 is waiting on.

Identifying the locked row

We can get this information from v$session bylooking at the v$session entry for the blocked session:

SQL> select row_wait_obj#, row_wait_file#, row_wait_block#, row_wait_row#
  2* from v$session where sid=479 ;
 
ROW_WAIT_OBJ# ROW_WAIT_FILE# ROW_WAIT_BLOCK# ROW_WAIT_ROW#
------------- -------------- --------------- -------------
        88519             16          171309             0

This gives us the object ID, the relative filenumber, the block in the datafile, and the row in the block that the session iswaiting on. If that list of data sounds familiar, it's because those are thefour components of an extended ROWID. We can build the row's actual extendedROWID from these components using the DBMS_ROWID package. The ROWID_CREATEfunction takes these arguments and returns the ROWID:

SQL> select do.object_name,
  2  row_wait_obj#, row_wait_file#, row_wait_block#, row_wait_row#,
  3  dbms_rowid.rowid_create ( 1, ROW_WAIT_OBJ#, ROW_WAIT_FILE#, ROW_WAIT_BLOCK#, ROW_WAIT_ROW# )
  4  from v$session s, dba_objects do
  5  where sid=543
  6  and s.ROW_WAIT_OBJ# = do.OBJECT_ID ;
OBJECT_NAME ROW_WAIT_OBJ# ROW_WAIT_FILE# ROW_WAIT_BLOCK# ROW_WAIT_ROW# DBMS_ROWID.ROWID_C
--------------- ------------- -------------- --------------- ------------- ------------------
TSTLOCK                 88519             16          171309             0 AAAVnHAAQAAAp0tAAA

And, of course, this lets us inspect the rowdirectly.

SQL> select * from tstlock where rowid='AAAVnHAAQAAAp0tAAA' ;
 
FOO BAR
--- ---
1   a

Conclusion

We've seen how to identify a blocking session,and how to inspect the very row that the waiting session is waiting for. And, Ihope, learned a bit about v$lock in the process.

About the author

Natalka Roshak is a senior Oracle and Sybasedatabase administrator, analyst, and architect. She is based in Kingston, Ontario, andconsults across North America. More of herscripts and tips can be found in her online DBA toolkit at http://toolkit.rdbms-insight.com/ .

转载于:https://www.cnblogs.com/asingna/archive/2010/06/12/1756856.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/299261.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

致家长:疫情期间教育好自己的孩子,就是你最重要的事业!

全世界只有3.14 % 的人关注了爆炸吧知识疫情危机,却也是教育的契机。现在孩子呆在家里,老师管不了孩子,却也正是家长重新认识父母之责的契机。家长才是孩子的第一任老师,家长的言传身教、一举一动都影响着孩子成长。孩子是你的唯一…

linux 安全审计

1,创建工作目录mkdir /usr/local/proxy/vi proxy#!/bin/bashTmpfilemktempUser$USERIp${SSH_CLIENT%% *}Date"date %Y-%m-%d"Logfile"/var/log/myaudit/${Date}_${User}_$Ip.log"exec /usr/bin/script -a -f -q $Logfile2 修改/etc/profilevi /etc/profile…

设计模式之访问者

访问者模式介绍访问者模式能将算法与其所作用的对象隔离开来。访问者模式建议将新行为放入要给名为访问者的独立类中,而不是试图将其整合到已有类中。它允许你在不修改已有代码的情况下向已有类层次结构中增加新的行为。需要执行操作的原始对象将作为参数被传递给访…

mysql没有东西的商品_MYSQL 对商品表没有主图的数据调整为下架的SQL脚本

在实际的场景中,存在一些商品,没有主图的信息,但是商品跟对应价格都是上架的,这时候用户叫你,把一些商品没有主图的,跟对应的价格都弄为下架,这时候你该如何处理??在商品…

转-SQL 2005修改系统表

FROM:http://blog.csdn.net/liangCK/archive/2008/10/07/3029315.aspx 在 SQL Server 2000 中修改系统表的方法大部分人都知道,介绍如何在 SQL 2005 中修改系统表的资料目前还比较少,虽然微软不赞成修改系统表,而且也把修改系统表…

温州人的思维

思维(1):商人:没人干过这种事,没有先例可循,万一砸了怎么办?温州人:没人干过怕什么?这样才没人跟你抢市场嘛,头道汤味道最好,先人一步的生意最赚钱…

清华男神再获世界大奖,从放牛娃到清华校长,他考研3次,读博7年,做出诺奖级的科研成果...

全世界只有3.14 % 的人关注了爆炸吧知识2月24日,菲列兹伦敦奖评奖委员会宣布,2020年度菲列兹伦敦奖将授予中国科学院院士、清华大学副校长、北京量子信息科学研究院院长薛其坤。帅气的老薛按照评奖委员会的通知,薛其坤是因为在实验上发现量子…

安装MHA中清理Relay log报错

安装MHA中清理Relay log报错[rootMHA3 ~]# /usr/bin/purge_relay_logs --userroot --password123456 -disable_relay_log_purge --port3306 --workdir/opt/mysql/data/2014-08-27 09:19:30: purge_relay_logs script started.install_driver(mysql) failed: Cant locate DBD/m…

mysql序列increment_MySQL 序列 AUTO_INCREMENT

MySQL序列是一组整数:1, 2, 3, ...,由于一张数据表只能有一个字段自增主键, 如果你想实现其他字段也实现自动增加,就可以使用MySQL序列来实现。本章我们将介绍如何使用MySQL的序列。使用AUTO_INCREMENTMySQL中最简单使用序列的方法…

SQL 语句中 where 条件后 写上1=1 是什么意思

前言where 11是sql语句条件逻辑判断表达式,由于11成立,恒为真,该表达式11将始终返回"真"。这种写法实际目的是为了获取逻辑值"True",其实诸如22, 123,中中等之类的写法都可以返回逻辑值"True"&…

介绍自定义JDataGrid电子表格版本公式中的函数?

2019独角兽企业重金招聘Python工程师标准>>> How to write function in JDataGrid Spreadsheet Edition? 1. Understand the formula and function API used in JDataGrid Spreadsheet Edition? Obviously you should understand the “Function” and it’s su…

最新研究!新冠病毒被定义为“大流行”背后,竟然还藏着这样凶险的大杀器?...

全世界只有3.14 % 的人关注了爆炸吧知识你知道当一种疾病被定义为大流行(pandemic)时意味着什么吗?大流行(pandemic) 是指一种疾病在短时间内越过省界国界甚至洲界在全世界范围内流行。历史上,有很多疾病都…

js javaScript array 取指定元素索引、判断是否相同、重复、过滤数据

最近写js也多了&#xff0c;Array中有好多方法不够用。自己加了些以后还可能用到。 <script type"text/javascript"> //找到返回所在索引&#xff0c;不存在返回-1 Array.prototype.index function (el) { var i 0; for (var i 0, len this.length; i <…

Linux下查看进程对应的命令绝对路径

为什么80%的码农都做不了架构师&#xff1f;>>> 由于开发环境混乱&#xff0c;多人共享一台物理机&#xff0c;部分软件不是通过系统管理软件中心安装&#xff08;例如&#xff1a;rpm&#xff0c;apt-get&#xff09;, 同时启动软件是在软件当前目录执行 ./XXX 。…

请收藏!这可能是目前最安全的数据加密传输解决方案

问题为了安全性起见&#xff0c;客户要求客户端必须将数据加密后才能传给服务端。起先&#xff0c;准备使用非对称加密&#xff08;RSA&#xff09;方式&#xff0c;但是发现它对原始文本长度有限制。而对称加密(AES)没有长度限制&#xff0c;但是使用固定密钥存在暴露的风险。…

mysql kill hup_kill -HUP pid

kill -HUP pid其中 pid 是进程标识。如果想要更改配置而不需停止并重新启动服务&#xff0c;请使用该命令。在对配置文件作必要的更改后&#xff0c;发出该命令以动态更新服务配置。根据约定&#xff0c;当您发送一个挂起信号(信号 1 或 HUP)时&#xff0c;大多数服务器进程(所…

Windows Live Essentials Wave3 QFE 官方各组件独立安装包

版本是14.0.8064.0206&#xff0c;签名日期为&#xff1a;2009-2-7 可根据自己的需要选择下载安装&#xff01;均可安装在SERVER版上&#xff01; Live Messenger | Live contacts &#xff08;安装Live Messenger的话&#xff0c;contacts 必须&#xff09; Live Writer Live …

厉害了!平均年龄8岁的抽象派画家,网友笑称:这些作品,康定斯基看了都得服气!...

全世界只有3.14 % 的人关注了爆炸吧知识在孩子们的眼中&#xff0c;世间万物都被赋予了无限的想象力&#xff0c;而绘画是他们独特想法和思维的表达。小鸟为什么在水里&#xff1f;因为它想学习游泳。鱼儿为什么会在天上&#xff1f;因为它想看看大地。一支小小的画笔&#xff…

COM组件与.NET技术对比

一、元数据 在COM中所有组件信息都存储在类型库中。.NET中信息都存储在数据集中。一些COM组件有类型库&#xff0c;一些却没有&#xff08;如VB编的&#xff0c;因为C可以用IDL——接口定义语言表述接口和方法&#xff0c;而VB不行&#xff09;。没有的话需要用C头文件来表述接…

Zabbix如何监控Windows机器

最近一直在研究Zabbix监控Windows机器&#xff0c;涉及到如何快速安装agent,如何修改和完善windows监控模板等等。想把自己的经验给大家分享一下&#xff0c;希望对大家有所帮助。1)安装agent客户端 首先分享一下用bat写的自动化安装Windows机器的agentd安装脚本,脚本里面的tc…