Is it possible to kill a single query in oracle without killing the session?

I found a trick. I have no idea how safe this is to play with, but it does work. There is an Oracle event, 10237, which is described as “simulate ^C (for testing purposes)”.

You have to have the SID and SERIAL# of the session you want to interrupt.

Call SYS.DBMS_SYSTEM.SET_EV( sid, serial#, 10237, 1, ” ) to activate the event in the target session. Any currently executing statement should be interrupted (receiving “ORA-01013: user requested cancel of current operation”). As long as the event is set, any further statements the session attempts to execute will immediately terminate with the same error.

To deactivate the event, make the same call with the fourth parameter set to “0”. The session will then be able to execute statements again.

Note that the target session has to detect that the event is set, which may take time, or may never happen, depending on what it is doing. So you can’t just quickly toggle the event on and off. You would need to turn it on, verify that the statement in question has stopped, then turn it off.

Here’s some sample code. This is meant to be run as an anonymous block in SQLPlus, with substitution variables “sid” and “serial” defined appropriately. You could turn it into a stored procedure with those as its parameters.

DECLARE
  l_status  v$session.status%TYPE;
BEGIN

  dbms_system.set_ev( &sid, &serial, 10237, 1, '');

  LOOP
    SELECT status INTO l_status FROM v$session
      WHERE sid = &sid and serial# = &serial;
    EXIT WHEN l_status="INACTIVE";
  END LOOP;

  dbms_system.set_ev( &sid, &serial, 10237, 0, '');
END;

Leave a Comment