Update and insert in oracle PL/SQL along with if else condition

9.3k Views Asked by At

Please find by below code snippet :

BEGIN
  IF (in_config1 IS NOT NULL OR in_config1 !='') THEN
      UPDATE question_table
      SET comment = in_config1 
      WHERE id= id
      AND questionid = 1;
  ELSE
      INSERT INTO question_table(
      tid
      ,questionid 
      ,comments) 
      VALUES( id
      , 1
      , in_config1);
 END IF;
 END;

My requirement is to update question_table based on some condition.If update fails which would be incase if record is not present,then i need to add insert statement in the else block. In the above code update is working. But insert statement is not getting executed.Please let me know whats wrong?

2

There are 2 best solutions below

0
On BEST ANSWER

If I understand you, you need upsert statement, where you update if the record match some value, and you insert if it doesn't. The best option can serve you in this case is MERGE clause. It's efficient, flexible and readable. The following is a general script that might need minor changes based on where you are getting the values from and your tables structures.

MERGE INTO question_table a   
USING (SELECT id, your_key, in_config1 FROM DUAL) b   
ON (a.id = b.id)   
WHEN MATCHED THEN   
UPDATE question_table   
SET comment = in_config1   
WHEN NOT MATCHED THEN   
INSERT INTO question_table(   
      tid  
     ,questionid    
     ,comments)   
     VALUES( id  
     , 1  
     , in_config1);   
0
On

simply you can do like this use sql%notfound

  BEGIN
    IF (in_config1 IS NOT NULL OR in_config1 != '') THEN
      UPDATE question_table
         SET comment = in_config1
       WHERE id = id
         AND questionid = 1;
      if sql%notfound then
        INSERT INTO question_table (tid, questionid, comments) VALUES (id, 1, in_config1);
      end if;
    END IF;
  exception
    when others then
      dbms_output.put_line(sqlerrm);
  END;