0

我有 2 个表,1 个是位置,另一个是查找表。我必须查看查找表中的位置值,如果它们存在,则将它们标记为“Y”和“N”以及它们对应的值

在此处输入图像描述

我写了如下的个人更新声明:

**Location1,L1value**

Update Location
set (Location1,L1value) = 
(select UPPER(VAlue),'Y'  from Location_lookup  where  trim(Location1)=Location
where exists (select 1 from Location_lookup  where   trim(Location1)=Location);
commit;

**Location2,value**
Update Location
set (Location2,L2value) = 
(select UPPER(VAlue),'Y'  from Location_lookup  where  trim(Location2)=Location
where exists (select 1 from Location_lookup  where  trim(Location2)=Location);
commit;

对于第三个标志和值也是如此。

有没有办法为所有三个条件编写单个更新?我寻找单个更新的原因是我有 10+ 百万条记录,我不想扫描记录三个不同的时间。查找表有 > 3200 万条记录。

4

1 回答 1

2

这是一个使用 Oracle 的批量 FORALL ... UPDATE 功能的解决方案。这不像纯 SQL 解决方案那样具有性能,但它更易于编码,并且对于现代企业服务器上的 1000 万行,效率差异可能并不重要,特别是如果这是一次性练习。

注意事项:

  1. 你没有说 LOCATION 是否有主键。对于这个答案,我假设它有一个 ID 列。如果没有主键,该解决方案将不起作用,但如果您的表没有主键,您可能会遇到更大的问题。
  2. 您的问题提到将 FLAG 列设置为“'Y' 和 'N'”,但所需的输出仅显示'Y'设置。我已经包括了处理,'N'但请参阅下面的结尾。
declare
  cursor get_locations is
    with lkup as (
      select *
      from   location_lookup
    )
    select  locn.id
           ,locn.location1
           ,upper(lup1.value)          as l1value
           ,nvl2(lup1.value, 'Y', 'N') as l1flag  
           ,locn.location2
           ,upper(lup2.value)          as l2value
           ,nvl2(lup2.value, 'Y', 'N') as l2flag  
           ,locn.location3
           ,upper(lup3.value)          as l3value
           ,nvl2(lup3.value, 'Y', 'N') as l3flag
    from  location locn
          left outer join lkup lup1 on trim(locn.location1) = lup1.location 
          left outer join lkup lup2 on trim(locn.location2) = lup2.location 
          left outer join lkup lup3 on trim(locn.location3) = lup3.location 
    where lup1.location is not null
    or    lup2.location is not null 
    or    lup3.location is not null;
    
  type t_locations_type is table of get_locations%rowtype index by binary_integer;
  t_locations t_locations_type;
  
begin

  open get_locations;
  
  loop
    fetch get_locations bulk collect into t_locations limit 10000;
    exit when t_locations.count() = 0;
    
    forall idx in t_locations.first() .. t_locations.last()
      update location
      set    l1value = t_locations(idx).l1value 
            ,l1flag  = t_locations(idx).l1flag
            ,l2value = t_locations(idx).l2value 
            ,l2flag  = t_locations(idx).l2flag
            ,l3value = t_locations(idx).l3value 
            ,l3flag  = t_locations(idx).l3flag
      where id = t_locations(idx).id;
                  
  end loop;
  
  close get_locations; 
  
end;
/

这里有一个关于 db<>fiddle的工作演示。演示输出与查询中发布的示例输出不完全匹配,因为这与给定的输入数据不匹配。


将标志设置为“Y”还是“N”?

上面的代码在查找表上使用了左外连接。如果找到一行,NVL2() 函数将返回“Y”,否则返回“N”。这意味着始终填充标志列,无论值列是否存在。ID=4000例外情况是对于任何位置(在我的演示中)在 LOCATION_LOOKUP 中没有匹配项的行。在这种情况下,标志列将为空。这种不一致源于问题中的不一致。

要解决它:

  • 如果您希望所有标志列都被填充,请从游标查询'N'中删除 WHERE 子句。get_locations
  • 如果您不想设置标志来相应地'N'更改 NVL2() 函数调用:nvl2(lup1.value, 'Y', null) as l1flag
于 2020-07-30T08:02:50.817 回答