PL/SQL-如何使用游标的所有列插入到表中
问题描述:
我正在使用游标将数据插入表中,因为如果记录失败,我只希望该记录被丢弃并继续插入其余部分。PL/SQL-如何使用游标的所有列插入到表中
所以我使用游标来检索信息。
有没有办法一次插入游标的所有列,而不是一个一个选择它们?
cursor c1 is
select a,b,c,d,e from ab where a = 'something';
begin
for var_c1 in c1 loop
begin
insert into ba (a,b,c,d,e)
values (var_c1.all);
-- instead of values (var_c1.a, var_c1.b, var_c1.c,var_c1.d, var_c1.e)
exception when others then continue;
end;
end;
答
出于性能,你应该把所有的记录到一个集合,那么你可以使用BULK INSERT... SAVE EXCEPTION
象下面这样:
DECLARE
TYPE t_tab IS TABLE OF ba%ROWTYPE;
l_tab t_tab := t_tab();
l_error_count NUMBER;
ex_dml_errors EXCEPTION;
PRAGMA EXCEPTION_INIT(ex_dml_errors, -24381);
BEGIN
-- Fill the collection. ***
-- l_tab <--- ??
-- *** next question is to make l_tab fill with the result of your cursor
--
-- Perform a bulk operation.
BEGIN
FORALL i IN l_tab.first .. l_tab.last SAVE EXCEPTIONS
INSERT INTO ba
VALUES l_tab(i);
EXCEPTION
WHEN ex_dml_errors THEN
l_error_count := SQL%BULK_EXCEPTIONS.count;
DBMS_OUTPUT.put_line('Number of failures: ' || l_error_count);
FOR i IN 1 .. l_error_count LOOP
DBMS_OUTPUT.put_line('Error: ' || i ||
' Array Index: ' || SQL%BULK_EXCEPTIONS(i).error_index ||
' Message: ' || SQLERRM(-SQL%BULK_EXCEPTIONS(i).ERROR_CODE));
END LOOP;
END;
END;
/
希望它可以帮助
我会建议你做一些阅读那肯定会帮助你解决你的问题。阅读http://www.oracle.com/technetwork/issue-archive/2012/12-sep/o52plsql-1709862.html – XING