PostgreSQL
 sql >> Database >  >> RDS >> PostgreSQL

Continuazione di una transazione dopo un errore di violazione della chiave primaria

Puoi anche utilizzare SAVEPOINT in una transazione.

Lo pseudocodice Python è illustrato dal lato dell'applicazione:

database.execute("BEGIN")
foreach data_row in input_data_dictionary:
    database.execute("SAVEPOINT bulk_savepoint")
    try:
        database.execute("INSERT", table, data_row)
    except:
        database.execute("ROLLBACK TO SAVEPOINT bulk_savepoint")
        log_error(data_row)
        error_count = error_count + 1
    else:
        database.execute("RELEASE SAVEPOINT bulk_savepoint")

if error_count > error_threshold:
    database.execute("ROLLBACK")
else:
    database.execute("COMMIT")

Modifica:ecco un esempio reale in azione in psql basato su una leggera variazione dell'esempio nella documentazione (istruzioni SQL precedute da ">"):

> CREATE TABLE table1 (test_field INTEGER NOT NULL PRIMARY KEY);
NOTICE:  CREATE TABLE / PRIMARY KEY will create implicit index "table1_pkey" for table "table1"
CREATE TABLE

> BEGIN;
BEGIN
> INSERT INTO table1 VALUES (1);
INSERT 0 1
> SAVEPOINT my_savepoint;
SAVEPOINT
> INSERT INTO table1 VALUES (1);
ERROR:  duplicate key value violates unique constraint "table1_pkey"
> ROLLBACK TO SAVEPOINT my_savepoint;
ROLLBACK
> INSERT INTO table1 VALUES (3);
INSERT 0 1
> COMMIT;
COMMIT
> SELECT * FROM table1;  
 test_field 
------------
          1
          3
(2 rows)

Nota che il valore 3 è stato inserito dopo l'errore, ma sempre all'interno della stessa transazione!

La documentazione per SAVEPOINT è su http://www.postgresql.org/docs/8.4/static/sql-savepoint.html.