Quickest query to check for the existence of a row in Oracle?

后端 未结 4 1984
北荒
北荒 2021-02-05 22:31

I\'m using Oracle, and I have a very large table. I need to check for the existence of any row meeting some simple criteria. What\'s the best way to go about this using simple

相关标签:
4条回答
  • 2021-02-05 23:05

    Using COUNT(*) is OK if you also use rownum=1:

    declare
       l_cnt integer;
    begin
       select count(*)
       into   l_cnt
       from   x
       where  x.col_a = value_a 
       and    x.col_b = value_b
       and    rownum = 1;
    end;
    

    This will always return a row, so no need to handle any NO_DATA_FOUND exception. The value of l_cnt will be 0 (no rows) or 1 (at least 1 row exists).

    0 讨论(0)
  • 2021-02-05 23:06
    begin
    select 'row DOES exist' 
      into ls_result
    from dual
    where exists (select null from x where x.col_a = value_a and x.col_b = value_b);
    exception
    when no_data_found then
      ls_result := ' row does NOT exist';
    end;
    
    0 讨论(0)
  • 2021-02-05 23:11
    SELECT  NULL
    FROM    x
    WHERE   x.col_a = value_a
            AND x.col_b = value_b
            AND rownum = 1
    

    COUNT(*) is certainly not the best way since it will need to count all the rows, while ROWNUM = 1 returns as soon as it finds the first matching row.

    Here's the PL/SQL code:

    DECLARE
            ex INT;
    BEGIN
            BEGIN
                    SELECT  NULL
                    INTO    ex
                    FROM    dual
                    WHERE   1 = 1
                            AND rownum = 1;
                    DBMS_OUTPUT.put_line('found');
            EXCEPTION
            WHEN no_data_found THEN
                    DBMS_OUTPUT.put_line('not found');
            END;
    END;
    
    0 讨论(0)
  • 2021-02-05 23:12

    I think using EXISTS gives a more natural answer to the question than trying to optimise a COUNT query using ROWNUM.

    Let Oracle do the ROWNUM optimisation for you.

    create or replace function is_exists (
            p_value_a varchar2,
            p_value_b varchar2)
            return boolean
    is
    
       v_exists varchar2(1 char);
    
    begin
    
        begin
            select 'Y' into v_exists from dual
            where exists
                (select 1 from x where x.col_a = p_value_a and x.col_b = p_value_a);
    
        exception
    
            when no_data_found then
    
                v_exists := null;
    
        end;
    
        return v_exists is not null;
    
    end is_exists;
    
    0 讨论(0)
提交回复
热议问题