2

在我的代码中,我输入了员工表中不可用的薪水,然后再次在异常块中的员工表的主键列中插入重复的employee_id,我正在处理未找到数据No data found的异常,但我不知道为什么最后也会出现异常?

输出:

Enter some other sal
ORA-01400: cannot insert NULL into ("SCOTT"."EMPLOYEES"."LAST_NAME")
ORA-01403: no data found  --This should not come according to logic

这是代码:

DECLARE
v_sal number:=&p_sal;
v_num number;
BEGIN
   BEGIN
            select salary INTO v_num from employees where salary=v_sal;
   EXCEPTION
           WHEN no_data_found THEN
                   DBMS_OUTPUT.PUT_LINE('Enter some other sal');

           INSERT INTO employees (employee_id)values(100) ;
   END;
EXCEPTION
   WHEN OTHERS THEN
   DBMS_OUTPUT.PUT_LINE(sqlerrm);
END;       
4

2 回答 2

5

行为是在 EXCEPTIONS 块中抛出的错误连接到 SQLERRM,因此向上传播。我承认它没有记录在案,但我们可以在这里清楚地看到它:

SQL> declare
  2      v_sal t23.sal%type := 230;
  3      l_num t23.sal%type;
  4  begin
  5      begin
  6          begin
  7              select sal into l_num
  8              from t23 where sal = v_sal;
  9          exception
 10              when no_data_found then
 11                  dbms_output.put_line('inner exception::'||sqlerrm);
 12                  insert into t23  values (99, 'MR KNOX', v_sal);
 13          end;
 14      exception
 15          when dup_val_on_index then
 16              dbms_output.put_line('middle exception::'||sqlerrm);
 17              insert into t23 (id, sal) values (99, v_sal);
 18      end;
 19  exception
 20      when others then
 21          dbms_output.put_line('outer exception::'||sqlerrm);
 22  end;
 23  /
inner exception::ORA-01403: no data found
middle exception::ORA-00001: unique constraint (APC.T23_PK) violated
ORA-01403: no data found
outer exception::ORA-01400: cannot insert NULL into ("APC"."T23"."LAST_NAME")
ORA-00001: unique constraint (APC.T23_PK) violated
ORA-01403: no data found

PL/SQL procedure successfully completed.

SQL>  

注意:如果有一个嵌套异常块成功处理了抛出的异常,它不会连接到 SQLERRM。也就是说,SQLERRM 由一堆未成功处理的异常组成。

于 2010-04-18T08:15:28.647 回答
1

在您的异常块中,您尝试插入employees,但不要设置列last_name,这是不可NULL用的。

ORA-01400: 无法将 NULL 插入 ("SCOTT"."EMPLOYEES"."LAST_NAME")

ORA-01403: no data found是堆栈跟踪的一部分,由您的选择失败引起。


您可以DEFAULT为所有不可为空的列定义值或更改插入:

INSERT INTO employees (employee_id, last_name, ...) Values (100, 'Scott', ...);
于 2010-04-18T08:02:00.377 回答