如何在Oracle中重命名序列?

rdlzhqv9  于 2023-03-17  发布在  Oracle
关注(0)|答案(2)|浏览(356)

我需要重命名我的表的序列。有很多表,他们是复杂的,删除任何东西将是不可取的。有没有办法重命名他们?
我试过:

ALTER SEQUENCE ISEQ$$_149698 RENAME TO NEW_SEQUENCE;
RENAME ISEQ$$_149698 to NEW_SEQUENCE;

第一个选项抛出以下错误:

SQL Error [2286] [42000]: ORA-02286: no options specified for ALTER SEQUENCE

第二:

SQL Error [32799] [99999]: ORA-32799: cannot rename a system-generated sequence
zkure5ic

zkure5ic1#

您不能重命名为标识列生成的序列。(正如其他用户所指出的,也正如错误消息所暗示的。)因此,我建议您使用序列默认值,而不是标识列。
例如:

--Create the sequence and a table to use it.
create sequence my_sequence;
create table my_table(a number default my_sequence.nextval, b number);

--Rename the sequence to whatever you want.
rename my_sequence to my_sequence2;

但是,默认方法也有一些缺点:
1.此功能在12.1之前不可用。(尽管标识列也是一个新功能。)
1.你必须自己创建序列(很明显)。
1.您还需要记住将序列授予任何将向表中插入行的用户:

grant insert, select on my_table to test_user;
grant select on my_sequence to test_user;

1.如果重命名默认序列,还必须修改默认值以指向新序列。

--After a sequence rename, this INSERT fails with: ORA-02289: sequence does not exist
insert into my_table(b) values(1);

--You must first modify the table:
alter table my_table modify a number default my_sequence2.nextval;

--Now this will run:
insert into my_table(b) values(1);

尽管使用序列缺省值有一些缺点,但我仍然喜欢这种方法而不是标识列,因为我希望所有对象在每个环境中都具有完全相同的名称。

tp5buhyn

tp5buhyn2#

rename old_seq to new_sequence;

相关问题