基于所有列的组合更新表

时间:2018-03-17 09:02:16

标签: sql oracle plsql

我正在尝试根据所有列的组合更新更新列。

表A

NUM_1 NUM_2 NUM_3 Name
----- ----- ----- ---- 
    1     4     6 Test1
    4     4     5 Test2
    4     4     3 Test3

表B

NUM_1 NUM_2 NUM_3 Name
----- ----- ----- ---- 
    1     4     6 Final_1
    4     4     5 Final_2
    4     4     3 Final_3

如果三列NUM1,NUM2,NUM 3匹配,那么我需要使用表B中的值更新表A中的名称。

是否有使用任何相关查询的简单脚本或其他内容?

2 个答案:

答案 0 :(得分:1)

Oracle不支持ANSI 92联接进行更新,这样可以轻松实现,但我们可以通过MERGE实现同样的目标。

merge into tableA a
using ( select * from tableB ) b
on ( a.num1 = b.num1
     and a.num2 = b.num2
     and a.num3 = b.num3)
when matched then
    update
    set a.name = b.name
/

注意:此解决方案假定(num1, num2, num3)tableB上的唯一键。但是任何解决方案都需要这样的唯一性(否则你怎么知道哪个name实例适用于tableA?)。

答案 1 :(得分:1)

另一种选择:

SQL> select * From a;

      NUM1       NUM2       NUM3 NAME
---------- ---------- ---------- --------------------
         1          4          6 test1      --> according to table B data, this
         4          4          5 test2      --> and this NAME should be updated
         4          4          0 test3
         1          2          3 test4

SQL> select * From b;

      NUM1       NUM2       NUM3 NAME
---------- ---------- ---------- --------------------
         1          4          6 final1
         4          4          5 final2
         4          4          3 final3

SQL> update a set
  2    a.name = (select b.name from b
  3              where b.num1 = a.num1
  4                and b.num2 = a.num2
  5                and b.num3 = a.num3
  6             )
  7  where exists (select null from b
  8                where b.num1 = a.num1
  9                  and b.num2 = a.num2
 10                  and b.num3 = a.num3
 11               );

2 rows updated.

SQL>
SQL> select * From a;

      NUM1       NUM2       NUM3 NAME
---------- ---------- ---------- --------------------
         1          4          6 final1
         4          4          5 final2
         4          4          0 test3
         1          2          3 test4

SQL>