5

我正在创建一个表,我将在其中添加文件名和许多其他字段。我使用 fileid 列按顺序表示文件;即要上传的第一个文件的fieldid 应该是1,然后下一个文件的fileid 应该是2,依此类推。我使用了序列和触发器:

create sequence create_file_id start with 1 increment by 1 nocache;

触发器是:

before insert on add_files_details
for each row
begin
select create_file_id.nextval into :new.file_id from dual;
end;

但是,如果从表中删除任何记录/记录,那么序列就会变得混乱。所以,我正在考虑使用另一个带有触发器的序列,将前一个序列的值减少删除的行数。但是我一直在执行这个序列的触发器。

序列:

create sequence del_file_id increment by -1 nocache;

有什么方法可以做到这一点?

4

2 回答 2

5

阅读AskTom,了解为什么您不想尝试创建无间隙序列。

@Nicholas 有一个很好的方法,以前从未想过。

但是,有几个问题。

  1. 如果在您的视图中使用 rownum,您还必须在 TAB_ID 上包含 ORDER BY 语句。
  2. 使用示例中的 TAB_ID;在 RAC 系统中,无法保证您将获得下一个可用号码,因此 ORDER BY 可能无济于事。

不过,稍微扩展一下方法,也许在表上添加一个 DATE 或 TIMESTAMP 列,然后在 ORDER BY 中使用它。我没有测试过这种方法。

回到 AskTom 的观点,你想要一个无间隙序列是否有特定的原因?

当房间里的水管在盒子所在的房间上方爆裂时会发生什么,其中 50 个盒子完全损坏,无法使用。

或者有人不小心压碎了一个盒子。

管他呢

总的来说,它并不是没有间隙的。而且它也不是系统分配的、无间隙的序列……

于 2013-08-15T22:43:32.893 回答
5

您可以让序列执行主键工作并创建基表的视图,选择

rownum作为您希望按顺序查看从 1 到 N 的数字的列:

SQL> create table your_table(
  2    tab_id number primary key,
  3    col    number
  4  )
  5  ;

Table created

SQL> create sequence gen_id;

Sequence created

SQL> create trigger TR_PK_your_table
  2  before insert on your_table
  3  for each row
  4  begin
  5    :new.tab_id := gen_id.nextval; -- This kind of assignment is allowed in 11g  
  6  end;                             -- and higher, in version prior to 11g 
  7  /                                -- conventional select statement is used

Trigger created

SQL> insert into your_table(col)
  2  select level 
  3    from dual
  4  connect by level <=7;

7 rows inserted

SQL> commit;

Commit complete

SQL> select *
  2    from your_table;

    TAB_ID        COL
---------- ----------
         1          1
         2          2
         3          3
         4          4
         5          5
         6          6
         7          7

7 rows selected

SQL> create or replace view V_your_table
  2  as
  3  select tab_id
  4       , col
  5       , rownum as num
  6    from your_table
  7  ;

View created

SQL> select *
  2    from v_your_table;

    TAB_ID        COL        NUM
---------- ---------- ----------
         1          1          1
         2          2          2
         3          3          3
         4          4          4
         5          5          5
         6          6          6
         7          7          7

7 rows selected

SQL> delete from your_table where tab_id in (3,5,6);

3 rows deleted

SQL> commit;

Commit complete

SQL> select *
  2    from your_table;

    TAB_ID        COL
---------- ----------
         1          1
         2          2
         4          4
         7          7

SQL> select *
  2    from v_your_table;

    TAB_ID        COL        NUM
---------- ---------- ----------
         1          1          1
         2          2          2
         4          4          3
         7          7          4

SQL> 
于 2013-08-15T20:33:11.133 回答