MySQL - ROLLBACK TO SAVEPOINT Statement



ROLLBACK TO SAVEPOINT Statement

The SAVEPOINT statement is used to set a save point for the transaction with the specified name. If a save point with the given name already exists the old one will be deleted.

The ROLLBACK TO SAVEPOINT statement is similar to ROLLBACK except it undoes all the changes done by the current transaction to the last named save point. This statement doesnot terminates the transaction but it just reverts the modifications.

This statement also deletes all the savepoints created after the specified savepoint (to which the changes are being reverted).

When you invoke this statement if there is no savepoint with the given name an error will be generated.

Syntax

Following is the syntax of the MySQL RELEASE SAVEPOINT Statement −

ROLLBACK [WORK] TO [SAVEPOINT] identifier

Example

Assume we have created a table using the CREATE statement as shown below −

CREATE TABLE EMPLOYEE(
   FIRST_NAME VARCHAR(20),
   LAST_NAME VARCHAR(20),
   AGE INT,
   INCOME INT);

If we have a .csv file, and an .xml file with the following contents −

data.xml −

<rowgt;
   <FIRST_NAMEgt;Javed</FIRST_NAMEgt;
   <LAST_NAMEgt;Syed</LAST_NAMEgt;
   <AGEgt;25</AGEgt;
   <INCOMEgt;9855</INCOMEgt;
</rowgt;
<rowgt;
   <FIRST_NAMEgt;Abhinav</FIRST_NAMEgt;
   <LAST_NAMEgt;Gomatam</LAST_NAMEgt; 
   <AGEgt;30</AGEgt;
   <INCOMEgt;7000</INCOMEgt;
</rowgt;

data.csv −

'Krishna','Sharma',19,2000
'Raj','Kandukuri',20,7000

Following MySQL transaction tries to insert contents of these files in to the table −

START TRANSACTION;

LOAD DATA INFILE "C:/ProgramData/MySQL/MySQL Server 8.0/Uploads/data.csv" 
into table employee
   FIELDS TERMINATED BY ','
   LINES TERMINATED BY '\n';

SAVEPOINT mysavepoint;

load xml infile "C:/ProgramData/MySQL/MySQL Server 8.0/Uploads/data.xml" 
into table employee ROWS IDENTIFIED BY '<row>';

If you verify the contents of the above table, you can observe all the inserted records as −

SELECT * FROM EMPLOYEE;

Output

The above query will produce the following output −

FIRST_NAME LAST_NAME AGE INCOME
'Krishna' 'Sharma' 19 2000
'Raj' 'Kandukuri' 20 7000
Javed Syed 25 9855
Abhinav Gomatam 30 7000

Following statement reverts the changes made to the last savepoint −

ROLLBACK TO SAVEPOINT mysavepoint;

After this if you verify the contents, you can observe only two records −

select * FROM EMPLOYEE;

Output

Following is the output of the above query −

FIRST_NAME LAST_NAME AGE INCOME
'Krishna' 'Sharma' 19 2000
'Raj' 'Kandukuri' 20 7000
Advertisements