Oracle:如何限制“select ... for update skip locked”中的行数

问题描述 投票:3回答:1

我有一张桌子:

table foo{
  bar number,
  status varchar2(50)
}

我有多个线程/主机每个消耗该表。每个线程更新状态,即悲观地锁定行。

在oracle 12.2中。

select ... for update skip locked似乎做了这个工作,但我想限制行数。新的FETCH NEXT听起来是对的,但我不能正确的语法:

SELECT * FROM foo ORDER BY bar 
OFFSET 20 ROWS FETCH NEXT 10 ROWS ONLY 
FOR UPDATE SKIP LOCKED;

实现这一目标的最简单方法是什么,即使用最少的code1(理想情况下没有pl / sql函数)?

我想要这样的东西:

select * from (select * from foo 
               where status<>'baz' order by bar
) where rownum<10 for update skip locked

PS 1.我们正在考虑远离甲骨文。

sql oracle
1个回答
1
投票

我建议创建pl / sql函数并使用动态sql来控制锁定记录的数量。在获取时获取锁。因此,获取N条记录会自动锁定它们。请记住,一旦完成事务 - 提交或回滚,记录就会被解锁。以下是锁定N条记录并将其id值作为数组返回的示例(假设您已在表中添加了主键ID列):

create or replace function get_next_unlocked_records(iLockSize number)
return sys.odcinumberlist
is
  cRefCursor sys_refcursor;
  aIds       sys.odcinumberlist := sys.odcinumberlist();
begin
  -- open cursor. No locks so far
  open cRefCursor for 
    'select id from foo '||
    'for update skip locked';

  -- we fetch and lock at the same time 
  fetch cRefCursor bulk collect into aIds limit iLockSize;

  -- close cursor
  close cRefCursor;

  -- return locked ID values, 
  -- lock is kept until the transaction is finished
  return aIds; 

end;

sys.odcinumberlist是内置的数字数组。

以下是在db中运行的测试脚本:

declare 
  aRes sys.odcinumberlist;
begin
  aRes := get_next_unlocked_records(10);
  for c in (
    select column_value id
    from   table(aRes)
  ) loop
    dbms_output.put_line(c.id);
  end loop;
end;
© www.soinside.com 2019 - 2024. All rights reserved.