将rowtype变量复制到另一个

时间:2019-03-13 18:19:34

标签: oracle plsql

我有

l_tab1 table1%rowtype;
l_tab2 table2%rowtype;

table1和table2的结构相同。

如何将数据从l_tab1移动到l_tab2?

现在我可以看到两种方式,但是我不喜欢它,因为我需要对字段进行硬编码。

1

l_tab2.field1 := l_tab1.field1;
l_tab2.field2 := l_tab1.field2;

2

select * into l_tab2
from table1
where field1 = l_tab1.field1
  and field2 = l_tab1.field2;

3

我相信它应该像

一样容易得多
insert into l_tab2
values l_tab1;

或类似的内容,而无需使用字段。

2 个答案:

答案 0 :(得分:5)

如果两个表具有相同的结构,则至少从Oracle 11.2开始,应该进行简单分配。

使用以下表格

create table table1(col1 number, col2 number);
create table table2(col1 number, col2 number);

insert into table1 values (1, 11);
insert into table2 values (2, 22);

我们有:

SQL> select * from table1;

      COL1       COL2
---------- ----------
         1         11

SQL> select * from table2;

      COL1       COL2
---------- ----------
         2         22

SQL> declare
  2      l_tab1  table1%rowtype;
  3      l_tab2  table2%rowtype;
  4  begin
  5      select *
  6      into l_tab1
  7      from table1;
  8      l_tab2 := l_tab1;
  9      insert into table2 values l_tab2;
 10  end;
 11  /

PL/SQL procedure successfully completed.

SQL> select * from table2;

      COL1       COL2
---------- ----------
         1         11
         2         22

SQL>

答案 1 :(得分:0)

没有指定每一列就无法执行所需的操作。

一种解决方法可能是使用集合而不是记录类型。每个集合可能只有1条记录,但是您无需指定每一列就可以做到这一点。

这个答案有一个更复杂的例子,但大致是您所需要的。

https://stackoverflow.com/a/18700073/1811001