检查在此上下文中是否存在不存在PLS-00405:子查询

时间:2018-04-20 20:00:38

标签: oracle if-statement stored-procedures plsql

我有光标从TableA中选择,然后选择插入TableB的Fetch Loop。

我想检查TableB中是否已存在该值。

如果它存在,那么我想跳过插入。

create or replace
PROCEDURE DAILY_RPT (
    v_start       IN DATE,
    v_end        IN DATE)

IS

    ao_out_no   out_pair.out_no%type;

cursor get is
SELECT ao_out_no from tableA;

BEGIN
 open get;
     LOOP
     fetch get into ao_out_no;
      EXIT WHEN get%NOTFOUND;
     if (ao_out_no = (select out_no from TableA where out_no = ao_out_no) THEN
     --DO NOTHING
     else 
        INSERT INTO TABLEB(OUT_NO) VALUES (ao_out_no);
     end if;

        END LOOP;
     close get;

END;

我使用IF CONDITION然而,我使用变量if if condition&我到了下面。

PLS-00405: subquery not allowed in this context

if (ao_out_no = (select out_no from TableA where out_no = ao_out_no) THEN

3 个答案:

答案 0 :(得分:1)

根本不需要游标或PL / SQL:

INSERT INTO TABLEB(OUT_NO) 
SELECT ao_out_no 
FROM tableA ta
WHERE ... -- filtering rows
  AND NOT EXISTS (SELECT * From TableB tb WHERE tb.OUT_NO = ta.ao_out_no);

答案 1 :(得分:0)

使用以下内容:

for i in (
    select out_no from TableA where out_no
)
loop
    if i.out_no = ao_out_no
    then
        -- DO NOTHING
    else 
        ...

或 创建一个名为x的新变量,然后通过

为其赋值
select out_no into x from TableA where out_no = ao_out_no;

并检查x的返回值。

答案 2 :(得分:0)

使用更正的语法,它将是这样的:

create or replace procedure daily_rpt
    ( v_start in date
    , v_end   in date )
as
begin
    for r in (
        select ao_out_no, 0 as exists_check
        from   tablea
    )
    loop
        select count(*) into exists_check
        from   tablea
        where  out_no = r.ao_out_no
        and    rownum = 1;

        if r.exists_check > 0 then
            --DO NOTHING
        else
            insert into tableb (out_no) values (r.ao_out_no);
        end if;

    end loop;
end;

然而,查询所有行然后对每一行进行额外查找以决定是否要使用它是低效的,因为SQL可以为您做这样的事情。所以版本2可能是这样的:

create or replace procedure daily_rpt
    ( v_start in date
    , v_end   in date )
as
begin
    for r in (
        select ao_out_no
        from   tablea
        where  not exists
               ( select count(*)
                 from   tablea
                 where  out_no = r.ao_out_no
                 and    rownum = 1 )
    )
    loop
        insert into tableb (out_no) values (r.ao_out_no);
    end loop;
end;

此时您可以使用insert ... where not exists (...)语句替换整个循环。