我已尝试在oracle SQL中使用noorder
子句但仍然按升序获取生成的序列。
以下是序列创建脚本
create sequence otp_seq
minvalue 100000 maxvalue 999999
increment by 1 nocycle noorder;
当我反复运行以下命令时:
select otp_seq.nextval from dual;
它仅在序列中给出值:
100000
100001
100002
我想要的是从给定域中随机生成的值,即在minValue和maxValue之间,应该是唯一的。
答案 0 :(得分:3)
关于NOORDER
条款,the documentation says:
"如果您不想保证按请求顺序生成序列号,请指定
NOORDER
。 "
关键词是保证。 NOORDER
不承诺随机性,这意味着NEXTVAL
可能无序生成数字。这在RAC环境中主要受到关注,其中每个节点都具有序列号的缓存;在这些情况下NOORDER
意味着我们无法从给定值序列中推断NEXTVAL
个请求的序列,即我们不能使用这些数字按创建顺序对记录进行排序。
根据您的要求。
您的要求是矛盾的。随机性意味着不可预测性。唯一性意味着可预测性。
你不能用序列来实现它,但你可以建立你自己的东西:
create table pseudo_sequence (
used varchar2(1) default 'N' not null
, id number not null
, next_val number not null
, primary key (used, id)
)
organization index
/
请注意Index Only Table语法。下一个技巧是随机填充表格。
insert into pseudo_sequence (id, next_val)
with nbr as (
select level + 99999 as nx
from dual
connect by level <= 900000
order by dbms_random.value
)
select rownum, nx from nbr
/
我们需要ID列来保留表中NEXT_VAL的随机分布;如果没有它,索引将强加一个订单,我们希望每次进行查询时都避免排序。
接下来,我们构建一个查询以从表中获取下一个值,并将其标记为已使用:
create or replace function random_nextval
return number
is
pragma autonomous_transaction;
cursor ps is
select next_val
from pseudo_sequence
where used = 'N'
and rownum = 1
for update of used skip locked;
return_value number;
begin
open ps;
fetch ps into return_value;
update pseudo_sequence
set used = 'Y'
where current of ps;
close ps;
commit;
return return_value;
end;
/
以下是它的工作原理:
SQL> select random_nextval from dual
2 connect by level <= 5
3 /
RANDOM_NEXTVAL
--------------
216000
625803
806843
997165
989896
SQL> select * from pseudo_sequence where used='Y'
2 /
U ID NEXT_VAL
- ---------- ----------
Y 1 216000
Y 2 625803
Y 3 806843
Y 4 997165
Y 5 989896
SQL> select random_nextval from dual
2 connect by level <= 5
3 /
RANDOM_NEXTVAL
--------------
346547
911900
392290
712611
760088
SQL>
当然,我们可以说这不是随机的,因为下一个值可以通过查看基础表来预测,但也许它足以满足您的需求。我不会在多用户环境中做出任何关于可扩展性的承诺,但鉴于你的数字空间不足90万,我觉得这不是一个主要问题。