user2132054
user2132054

Reputation: 3

Dynamic loop in PL/SQL

I am currently looping through values in PL/SQL with the following:

for c in (select * from example_table where name is not null) loop  
  -- logic  
end loop; 

I would like to replace the SQL statement with a dynamic one, for example:

l_sql := 'select * from example_table where || l_col || is not null';  
for c in (l_sql) loop  
  -- logic  
end loop;  

Is this possible?

Best regards

Upvotes: 0

Views: 130

Answers (1)

Kaushik Nayak
Kaushik Nayak

Reputation: 31648

That's not possible with an implicit cursor loop ( select inside for loop ). You may use the conventional OPEN .. FETCH .. LOOP through a REFCURSOR with a record variable of tablename%ROWTYPE

DECLARE
t_rec  example_table%ROWTYPE;
l_sql  VARCHAR2(1000);
v_cur SYS_REFCURSOR;
l_col varchar2(32) := 'MY_COLUMN';
BEGIN
  l_sql := 'select * from example_table where '|| l_col || ' is not null';  

OPEN v_cur FOR l_sql;
   LOOP
      FETCH v_cur INTO t_rec; --fetch a row 
         EXIT WHEN v_cur%NOTFOUND;

    -- your logic using t_rec columns.
   END LOOP;
CLOSE v_cur;

END;
/

Upvotes: 2

Related Questions