I have a PL/SQL block where I:
DECLARE
TYPE t_list IS TABLE OF my_table.key%TYPE;
lst t_list := t_list();
cur SYS_REFCURSOR;
var NUMBER; -- Holds sequence value
BEGIN
-- Assign sequence value
var := my_sequence.NEXTVAL;
-- Open and fetch cursor
OPEN cur FOR
SELECT key FROM my_table WHERE some_conditions;
FETCH cur BULK COLLECT INTO lst;
CLOSE cur;
-- Debug output
DBMS_OUTPUT.PUT_LINE('lst.COUNT: ' || lst.COUNT); -- Prints 0
-- FORALL update
FORALL I IN 1..lst.COUNT
UPDATE my_table
SET col = SYSDATE
WHERE key = lst(I)
AND status = 'A';
DBMS_OUTPUT.PUT_LINE('SQL%ROWCOUNT: ' || SQL%ROWCOUNT); -- Prints 1
END;
Observations & Issue:
Questions:
Oracle did everything well; it is you who doesn't understand it.
SQL%ROWCOUNT
shows 1, that's true - but it is related to this statement:
var := my_sequence.NEXTVAL;
Have a look:
SQL> DECLARE
2 var NUMBER;
3 BEGIN
4 var := seq_test.NEXTVAL;
5
6 DBMS_OUTPUT.PUT_LINE ('SQL%ROWCOUNT: ' || SQL%ROWCOUNT);
7 END;
8 /
SQL%ROWCOUNT: 1
PL/SQL procedure successfully completed.
SQL>
Nothing else has been executed because cursor didn't fetch anything, FORALL wasn't executed so nothing (after the assignment statement) "reset" SQL%ROWCOUNT
to some other value - so, the final result you got was 1
(as it should've been).
I guess you can now answer all 3 questions yourself.