6

我有一个 oracle 表,其中一些列中有嵌套表。现在,我需要能够在主表的每条记录中更新每个嵌套表中的所有记录。这是如何实现的?我尝试过的任何方法,我都会收到关于无法对该视图执行更新或单行子查询返回多行的错误。

这是一个例子来说明。我可以像这样运行更新:

    UPDATE TABLE(select entity.name
                 from entity
                 where entity.uidn = 2)
    SET last = 'Decepticon',
    change_date = SYSDATE,
    change_user = USER
    WHERE first = 'Galvatron';

但在这种情况下,table 子句是在单个行的单个嵌套表上执行的。如果您不想要等于 2 的 entity.uidn,如何执行这样的更新?

谢谢!

4

1 回答 1

10

避免在数据库中使用嵌套表的最佳理由可能是它们难以使用,而且语法文档不足且难以理解。

继续!

这是一个带有嵌套表的表。

SQL> select f.force_name, t.id, t.name
  2  from transformer_forces f, table(f.force_members) t
  3  /

FORCE_NAME         ID NAME
---------- ---------- --------------------
Autobot             0 Metroplex
Autobot             0 Optimus Prime
Autobot             0 Rodimus
Decepticon          0 Galvatron
Decepticon          0 Megatron
Decepticon          0 Starscream
Dinobot             0 Grimlock
Dinobot             0 Swoop
Dinobot             0 Snarl

9 rows selected.

SQL>

如您所见,嵌套表中的每个元素的 ID 属性在所有情况下都设置为零。我们想做的是更新所有这些。可惜!

SQL> update table
  2   ( select force_members from transformer_forces ) t
  3  set t.id = rownum
  4  /
 ( select force_members from transformer_forces ) t
   *
ERROR at line 2:
ORA-01427: single-row subquery returns more than one row


SQL> 

可以为保存表中的单行更新嵌套表中的所有元素:

SQL> update table
  2       ( select force_members from transformer_forces
  3         where force_name = 'Autobot') t
  4      set t.id = rownum
  5  /

3 rows updated.

SQL>

但对整个表执行操作的唯一方法是 PL/SQL 循环。呸!

还有另一种选择:通过 NESTED_TABLE_GET_REFS 提示使用嵌套表定位器。这是一个特别晦涩的事情(它不在提示的主要列表中),但它确实有用:

SQL> update /*+ NESTED_TABLE_GET_REFS */ force_members_nt
  2  set id = rownum
  3  /

9 rows updated.

SQL> select f.force_name, t.id, t.name
  2  from transformer_forces f, table(f.force_members) t
  3  /

FORCE_NAME         ID NAME
---------- ---------- --------------------
Autobot             1 Metroplex
Autobot             2 Optimus Prime
Autobot             3 Rodimus
Decepticon          4 Galvatron
Decepticon          5 Megatron
Decepticon          6 Starscream
Dinobot             7 Grimlock
Dinobot             8 Swoop
Dinobot             9 Snarl

9 rows selected.

SQL>

这个提示允许我们完全绕过保留表并使用实际的嵌套表。即嵌套表存储子句中指定的对象:

create table transformer_forces (
    force_name varchar2(10)
    , force_members transformers_nt)
nested table force_members store as force_members_nt return as value;
                                    ^^^^^^^^^^^^^^^^
于 2010-07-15T19:34:25.340 回答