Comandi di gestione delle sessioni di PGAdapter

Spanner PGAdapter supporta le istruzioni di gestione della sessione, che ti consentono di modificare lo stato e il comportamento della connessione, eseguire transazioni ed eseguire in modo efficiente batch di istruzioni. Tutte le dichiarazioni che descritti in questo documento possono essere utilizzati con qualsiasi client o driver che si connette a PGAdapter.

Per ulteriori informazioni, consulta un elenco completo dei driver e degli ORM PostgreSQL supportati. I seguenti comandi si applicano ai database in dialetto PostgreSQL.

Per ulteriori informazioni sull'uso di PGAdapter, consulta Avviare PGAdapter.

Istruzioni di connessione

Le seguenti istruzioni consentono di modificare o visualizzare le proprietà della query connessione.

SPANNER.READONLY

Un valore booleano che indica se la connessione è in modalità di sola lettura. La Il valore predefinito è false.

SHOW [VARIABLE] SPANNER.READONLY
SET SPANNER.READONLY {TO|=} { true | false }

Puoi modificare il valore di questa proprietà solo quando non è attiva transazione.

▶ Esempio: transazione di sola lettura (fai clic per espandere)
L'esempio seguente mostra come utilizzare questa proprietà per eseguire l'esecuzione di sola lettura transazioni in Spanner.

SET SPANNER.READONLY = TRUE;
-- This transaction is a read-only transaction.
BEGIN TRANSACTION;

-- The following two queries both use the read-only transaction.
SELECT first_name, last_name
FROM singers
ORDER BY last_name;

SELECT first_name, last_name
FROM albums
ORDER BY title;

-- This shows the read timestamp that was used for the two queries.
SHOW SPANNER.READ_TIMESTAMP;

-- This marks the end of the read-only transaction. The next statement will
-- start a new read-only transaction.
COMMIT;

COMMERCIO AUTOMATICO

Un valore booleano che indica se la connessione è in modalità di commit automatico. Il valore predefinito è true.

NOTA: in genere non è necessario modificare il valore di questa variabile quando usando un driver PostgreSQL con PGAdapter. Questi driver gestiscono automaticamente le transazioni per te eseguendo BEGIN e COMMIT se necessario. Puoi disattivare autocommit quando utilizzi strumenti a riga di comando come psql per impedire il commit di modifiche accidentali dei dati automaticamente.

SHOW [VARIABLE] AUTOCOMMIT
SET AUTOCOMMIT {TO|=} { true | false }

Puoi modificare il valore di questa proprietà solo quando non è presente alcuna transazione attiva.

Se il criterio AUTOCOMMIT viene impostato su false, viene avviata automaticamente una nuova transazione dopo che hai eseguito COMMIT o ROLLBACK. La prima istruzione che esegui avvia la transazione.

▶ Esempio: impegno automatico (fai clic per espandere)
L'esempio seguente mostra come utilizzare la proprietà autocommit.

-- The default value for AUTOCOMMIT is true.
SHOW AUTOCOMMIT;

-- This insert statement is automatically committed after it is executed, as
-- the connection is in autocommit mode.
INSERT INTO T (id, col_a, col_b) VALUES (1, 100, 1);

-- Turning off autocommit means that a new transaction is automatically started
-- when the next statement is executed.
SET AUTOCOMMIT = FALSE;
-- The following statement starts a new transaction.
INSERT INTO T (id, col_a, col_b) VALUES (2, 200, 2);

-- This statement uses the same transaction as the previous statement.
INSERT INTO T (id, col_a, col_b) VALUES (3, 300, 3);

-- Commit the current transaction with the two INSERT statements.
COMMIT;

-- Transactions can also be executed in autocommit mode by executing the BEGIN
-- statement.
SET AUTOCOMMIT = TRUE;

-- Execute a transaction while in autocommit mode.
BEGIN;
INSERT INTO T (id, col_a, col_b) VALUES (4, 400, 4);
INSERT INTO T (id, col_a, col_b) VALUES (5, 500, 5);
COMMIT;

SPANNER.RETRY_ABORTS_INTERNALLY

Un valore booleano che indica se l'interruzione automatica della connessione viene ripetuta transazioni. Il valore predefinito è true.

SHOW [VARIABLE] SPANNER.RETRY_ABORTS_INTERNALLY
SET SPANNER.RETRY_ABORTS_INTERNALLY {TO|=} { true | false }

Puoi eseguire questo comando solo dopo l'avvio di una transazione (vedi BEGIN [TRANSACTION | WORK]) e prima tutte le istruzioni vengono eseguite all'interno della transazione.

Quando attivi SPANNER.RETRY_ABORTS_INTERNALLY, la connessione mantiene un controllo di tutti i dati che restituisce all'applicazione client. Questo viene utilizzato per riprovare la transazione se viene interrotta da Spanner.

Questa impostazione è attiva per impostazione predefinita. Ti consigliamo di disattivare questa impostazione se la tua applicazione proverà già a tentare le transazioni interrotte.

SPANNER.AUTOCOMMIT_DML_MODE

Una proprietà STRING che indica la modalità di commit automatico per le istruzioni DML (Data Manipulation Language).

SHOW [VARIABLE] SPANNER.AUTOCOMMIT_DML_MODE
SET SPANNER.AUTOCOMMIT_DML_MODE {TO|=} { 'TRANSACTIONAL' | 'PARTITIONED_NON_ATOMIC' }

I valori possibili sono:

  • In modalità TRANSACTIONAL, il driver esegue le istruzioni DML come entità atomiche separate transazioni. Il driver crea una nuova transazione, esegue l'istruzione DML e esegue il commit della transazione al termine dell'esecuzione o esegue il rollback della transazione in caso di errore.
  • In modalità PARTITIONED_NON_ATOMIC, il driver esegue le istruzioni DML come istruzioni di aggiornamento partizionate. Un partizionato di aggiornamento può essere eseguita come una serie di molte transazioni, ciascuna delle quali copre delle righe interessate. L'istruzione partizionata fornisce una semantica indebolita in cambio di una maggiore scalabilità e prestazioni.

Il valore predefinito è TRANSACTIONAL.

▶ Esempio: DML partizionato (fai clic per espandere)
L'esempio seguente mostra come eseguire DML partizionato utilizzando PGAdapter.

-- Change autocommit DML mode to use Partitioned DML.
SET SPANNER.AUTOCOMMIT_DML_MODE = 'PARTITIONED_NON_ATOMIC';

-- Delete all singers that have been marked as inactive.
-- This statement is executed using Partitioned DML.
DELETE
FROM singers
WHERE active=false;

-- Change DML mode back to standard `TRANSACTIONAL`.
SET SPANNER.AUTOCOMMIT_DML_MODE = 'TRANSACTIONAL';

STATEMENT_TIMEOUT

Una proprietà di tipo STRING che indica il valore di timeout corrente per le istruzioni.

SHOW [VARIABLE] STATEMENT_TIMEOUT
SET STATEMENT_TIMEOUT {TO|=} { '<int8>{ s | ms | us | ns }' | <int8> | DEFAULT }

Il valore int8 è un numero intero seguito da un suffisso che indica l'ora unità. Un valore pari a DEFAULT indica che non è stato impostato alcun valore di timeout. Se è stato impostato un valore di timeout delle istruzioni, le istruzioni richiedono più tempo del il valore di timeout specificato causerà un errore di timeout e invaliderà il valore transazione.

Le unità di tempo supportate sono:

  • s: secondi
  • ms: millisecondi
  • us: microsecondi
  • ns: nanosecondi

DEFAULT è pari a 0 secondi, il che significa che non è previsto alcun timeout. Un numero int8 senza unità indica int8 ms. Ad esempio, entrambi i comandi seguenti impostano il timeout dell'istruzione su 2 secondi.

SET STATEMENT_TIMEOUT TO 2000;
SET STATEMENT_TIMEOUT TO '2s';

Il timeout di un'istruzione durante una transazione rende la transazione non valida, Le istruzioni successive nella transazione invalidata (tranne ROLLBACK) non vanno a buon fine.

READ_ONLY_STALENESS

Una proprietà di tipo STRING che indica lo stato attuale l'impostazione di inattività di sola lettura, Spanner utilizza le query e le transazioni di sola lettura in AUTOCOMMIT .

SHOW [VARIABLE] SPANNER.READ_ONLY_STALENESS
SET SPANNER.READ_ONLY_STALENESS {TO|=} staleness_type

staleness_type:

{ 'STRONG' 
  | 'MIN_READ_TIMESTAMP timestamp'
  | 'READ_TIMESTAMP timestamp'
  | 'MAX_STALENESS <int8>{ s | ms | us | ns }'
  | 'EXACT_STALENESS <int8>{ s | ms | us | ns }' }

Il valore di obsolescenza di sola lettura si applica a tutti successive transazioni di sola lettura e per tutte le query in modalità AUTOCOMMIT.

Il valore predefinito è STRONG.

Le opzioni per le associazioni di timestamp sono le seguenti:

  • STRONG indica a Spanner di eseguire lettura forte.
  • MAX_STALENESS definisce l'intervallo di tempo utilizzato da Spanner per eseguire una lettura inattività limitata, rispetto a now().
  • MIN_READ_TIMESTAMP definisce un orario assoluto utilizzato da Spanner per l'esecuzione una lettura di inattività limitata.
  • EXACT_STALENESS definisce l'intervallo di tempo utilizzato da Spanner per eseguire una lettura inattività esatta, rispetto a now().
  • READ_TIMESTAMP definisce un orario assoluto utilizzato da Spanner per eseguire di lettura dello stato di inattività.

I timestamp devono utilizzare il seguente formato:

YYYY-[M]M-[D]D [[H]H:[M]M:[S]S[.DDDDDD]][timezone]

Le unità di tempo supportate per l'impostazione di MAX_STALENESS e EXACT_STALENESS sono:

  • s: secondi
  • ms: millisecondi
  • us: microsecondi
  • ns: nanosecondi

Puoi modificare il valore di questa proprietà solo quando non è attiva transazione.

▶ Esempio: mancato aggiornamento in sola lettura (fai clic per espandere)
L'esempio seguente mostra come eseguire query utilizzando un valore di obsoletità personalizzato con PGAdapter.

-- Set the read-only staleness to MAX_STALENESS 10 seconds.
SET SPANNER.READ_ONLY_STALENESS = 'MAX_STALENESS 10s';

-- Execute a query in auto-commit mode. This will return results that are up to
-- 10 seconds stale.
SELECT first_name, last_name
FROM singers
ORDER BY last_name;

-- Read-only staleness can also be applied to read-only transactions.
-- MAX_STALENESS is however only allowed for queries in autocommit mode.
-- Change the staleness to EXACT_STALENESS and start a read-only transaction.
SET SPANNER.READ_ONLY_STALENESS = 'EXACT_STALENESS 10s';
BEGIN;
SET TRANSACTION READ ONLY;

SELECT first_name, last_name
FROM singers
ORDER BY last_name;

SELECT title, singer_id
FROM albums
ORDER BY title;

COMMIT;

-- Read staleness can also be an exact timestamp.
SET SPANNER.READ_ONLY_STALENESS = 'READ_TIMESTAMP 2024-01-26T10:36:00Z';

SELECT first_name, last_name
FROM singers
ORDER BY last_name;

SPANNER.OPTIMIZER_VERSION

Una proprietà di tipo STRING che indica la versione dell'ottimizzatore. La versione è numerico o "LATEST".

SHOW [VARIABLE] SPANNER.OPTIMIZER_VERSION
SET SPANNER.OPTIMIZER_VERSION {TO|=} { 'version'|'LATEST'|'' }

Imposta la versione dell'ottimizzatore da utilizzare per tutte le seguenti istruzioni sulla connessione. Imposto la versione dello strumento di ottimizzazione su '' (la stringa vuota) indica di utilizzare la versione più recente. Se non è impostata alcuna versione dell'ottimizzatore, Spanner utilizza la versione dell'ottimizzatore impostata a livello di database.

Il valore predefinito è ''.

▶ Esempio: versione dell'ottimizzatore (fai clic per espandere)
L'esempio seguente mostra come eseguire query utilizzando un modello versione dello strumento di ottimizzazione PGAdapter.

-- Set the optimizer version to 5 and execute a query.
SET SPANNER.OPTIMIZER_VERSION = '5';

SELECT first_name, last_name
FROM singers
ORDER BY last_name;

-- Execute the same query with the latest optimizer version.
SET SPANNER.OPTIMIZER_VERSION = 'LATEST';

SELECT first_name, last_name
FROM singers
ORDER BY last_name;

-- Revert back to using the default optimizer version that has been set for the
-- database.
SET SPANNER.OPTIMIZER_VERSION = '';

SELECT first_name, last_name
FROM singers
ORDER BY last_name;

SPANNER.OPTIMIZER_STATISTICS_PACKAGE

Una proprietà di tipo STRING che indica lo stato attuale pacchetto di statistiche per l'ottimizzazione usato da questa connessione.

SHOW [VARIABLE] SPANNER.OPTIMIZER_STATISTICS_PACKAGE
SET SPANNER.OPTIMIZER_STATISTICS_PACKAGE {TO|=} { 'package'|'' }

Imposta il pacchetto di statistiche dello strumento di ottimizzazione da utilizzare per tutte le istruzioni successive sulla connessione. <package> deve essere un nome di pacchetto valido. Se non è impostato alcun pacchetto di statistiche dell'ottimizzatore, Spanner utilizza il pacchetto di statistiche dell'ottimizzatore impostato a livello di database.

Il valore predefinito è ''.

▶ Esempio: pacchetto di statistiche dell'ottimizzatore (fai clic per espandere)
L'esempio seguente mostra come eseguire query utilizzando un modello pacchetto di statistiche sull'ottimizzazione con PGAdapter.

-- Show the available optimizer statistics packages in this database.
SELECT * FROM INFORMATION_SCHEMA.SPANNER_STATISTICS;

-- Set the optimizer statistics package and execute a query.
SET SPANNER.OPTIMIZER_STATISTICS_PACKAGE = 'auto_20240124_06_47_29UTC';

SELECT first_name, last_name
FROM singers
ORDER BY last_name;

-- Execute the same query with the default optimizer statistics package.
SET SPANNER.OPTIMIZER_VERSION = '';

SELECT first_name, last_name
FROM singers
ORDER BY last_name;

SPANNER.RETURN_COMMIT_STATS

Una proprietà di tipo BOOL che indica se devono essere restituite statistiche per le transazioni su questa connessione. Puoi visualizzare le statistiche restituite eseguendo il comando SHOW [VARIABLE] COMMIT_RESPONSE.

SHOW [VARIABLE] SPANNER.RETURN_COMMIT_STATS
SET SPANNER.RETURN_COMMIT_STATS {TO|=} { true | false }

Il valore predefinito è false.

▶ Esempio: statistiche sui commit (fai clic per espandere)
L'esempio seguente mostra come visualizzare le statistiche di commit per una transazione con PGAdapter.

-- Enable the returning of commit stats.
SET SPANNER.RETURN_COMMIT_STATS = true;

-- Execute a transaction.
BEGIN;
INSERT INTO T (id, col_a, col_b)
VALUES (1, 100, 1), (2, 200, 2), (3, 300, 3);
COMMIT;

-- View the commit response with the transaction statistics for the last
-- transaction that was committed.
SHOW SPANNER.COMMIT_RESPONSE;

SPANNER.RPC_PRIORITY

Una proprietà di tipo STRING che indica la priorità relativa per Richieste Spanner. La priorità funge da suggerimento per lo schedulatore Spanner e non garantisce l'ordine di esecuzione.

SHOW [VARIABLE] SPANNER.RPC_PRIORITY
SET SPANNER.RPC_PRIORITY {TO|=} {'HIGH'|'MEDIUM'|'LOW'|'NULL'}

'NULL' indica che non è necessario includere alcun suggerimento nella richiesta.

Il valore predefinito è 'NULL'.

Puoi anche utilizzare un suggerimento di dichiarazione per specificare la priorità dell'RPC:

/*@RPC_PRIORITY=PRIORITY_LOW*/ SELECT * FROM Albums

Per ulteriori informazioni, vedi Priority.

Estratti conto transazioni

Le seguenti istruzioni gestiscono e confermano le transazioni Spanner.

LIVELLO DI ISOLAMENTO DELLE TRANSAZIONI

SHOW [ VARIABLE ] TRANSACTION ISOLATION LEVEL

Restituisce un insieme di risultati con una riga e una colonna di tipo STRING. La il valore restituito è sempre serializable, perché questo è l'unico supportato di isolamento per i database di dialetti PostgreSQL di Spanner.

SPANNER.READ_TIMESTAMP

SHOW [VARIABLE] SPANNER.READ_TIMESTAMP

Restituisce un insieme di risultati con una riga e una colonna di tipo TIMESTAMP contenente il timestamp di lettura della transazione di sola lettura più recente. Questa dichiarazione restituisce un timestamp solo quando una transazione di sola lettura è ancora attiva abbia eseguito almeno una query o subito dopo che è stata eseguita una transazione di sola lettura e prima dell'inizio di una nuova transazione. In caso contrario, il risultato è NULL.

▶ Esempio: leggi timestamp (fai clic per espandere)
L'esempio seguente mostra come visualizzare l'ultimo timestamp di lettura per un'operazione di sola lettura con PGAdapter.

-- Execute a query in autocommit mode using the default read-only staleness
-- (strong).
SELECT first_name, last_name
FROM singers
ORDER BY last_name;

-- Shows the read timestamp that was used for the previous query.
SHOW SPANNER.READ_TIMESTAMP;

-- Set a non-deterministic read-only staleness and execute the same query.
SET SPANNER.READ_ONLY_STALENESS = 'MAX_STALENESS 20s';

SELECT first_name, last_name
FROM singers
ORDER BY last_name;

-- Shows the read timestamp that was used for the previous query. The timestamp
-- is determined by Spanner, and is guaranteed to be no less than 20
-- seconds stale.
SHOW SPANNER.READ_TIMESTAMP;

-- The read timestamp of a read-only transaction can also be retrieved.
SET SPANNER.READ_ONLY_STALENESS = 'STRONG';
BEGIN;
SET TRANSACTION READ ONLY;

SELECT first_name, last_name
FROM singers
ORDER BY last_name;

-- Shows the read timestamp of the current read-only transaction. All queries in
-- this transaction will use this read timestamp.
SHOW SPANNER.READ_TIMESTAMP;

SELECT title
FROM albums
ORDER BY title;

-- The read timestamp is the same as for the previous query, as all queries in
-- the same transaction use the same read timestamp.
SHOW SPANNER.READ_TIMESTAMP;

COMMIT;

SPANNER.COMMIT_TIMESTAMP

SHOW [VARIABLE] SPANNER.COMMIT_TIMESTAMP

Restituisce un insieme di risultati con una riga e una colonna di tipo TIMESTAMP contenente il timestamp del commit dell'ultima transazione di lettura/scrittura eseguita da Spanner. Questa istruzione restituisce un timestamp solo quando la esegui dopo aver eseguito il commit di una transazione di lettura/scrittura e prima di eseguire eventuali istruzioni SELECT, DML o di modifica dello schema successive. In caso contrario, il risultato è NULL.

▶ Esempio: timestamp del commit (fai clic per espandere)
L'esempio seguente mostra come visualizzare il timestamp dell'ultimo commit per un di scrittura con PGAdapter.

-- Execute a DML statement.
INSERT INTO T (id, col_a, col_b)
VALUES (1, 100, 1), (2, 200, 2), (3, 300, 3);

-- Show the timestamp that the statement was committed.
SHOW SPANNER.COMMIT_TIMESTAMP;

SPANNER.COMMIT_RESPONSE

SHOW [VARIABLE] SPANNER.COMMIT_RESPONSE

Restituisce un insieme di risultati con una riga e due colonne:

  • COMMIT_TIMESTAMP (type=TIMESTAMP) indica quando è avvenuta l'ultima il commit della transazione è stato eseguito.
  • MUTATION_COUNT (type=int8) indica il numero di mutazioni applicate in la transazione impegnata. Questo valore è sempre vuoto quando viene eseguito sull'emulatore.

Il conteggio delle mutazioni è disponibile solo se SET RETURN_COMMIT_STATS era impostato su true prima del commit della transazione.

▶ Esempio: risposta al commit (fai clic per espandere)
L'esempio seguente mostra come visualizzare l'ultima risposta di commit per un'operazione di scrittura con PGAdapter.

-- Enable returning commit stats in addition to the commit timestamp.
SET SPANNER.RETURN_COMMIT_STATS = true;

-- Execute a DML statement.
INSERT INTO T (id, col_a, col_b)
VALUES (1, 100, 1), (2, 200, 2), (3, 300, 3);

-- Show the timestamp that the statement was committed.
SHOW SPANNER.COMMIT_RESPONSE;

{ START | BEGIN } [ TRANSACTION | WORK ]

{ START | BEGIN } [ TRANSACTION | WORK ] [{ READ ONLY | READ WRITE }]

Avvia una nuova transazione. Le parole chiave TRANSACTION e WORK sono facoltative. equivalenti e non hanno alcun effetto.

  • Usa COMMIT o ROLLBACK per terminare una transazione.
  • Se hai attivato la modalità AUTOCOMMIT, questa istruzione interrompe temporaneamente la connessione dalla modalità AUTOCOMMIT. La connessione torna alla modalità AUTOCOMMIT al termine della transazione.
  • Se READ ONLY o READ WRITE non è specificato, la modalità di transazione è determinato dalla modalità di transazione predefinita della sessione. L'impostazione predefinita è impostato con il comando SET SESSION CHARACTERISTICS AS TRANSACTION.

Puoi eseguire questa istruzione solo quando non è presente alcuna transazione attiva.

▶ Esempio: INIZIO TRANSAZIONE (fai clic per espandere)
L'esempio seguente mostra come avviare diversi tipi di transazioni con PGAdapter.

-- This starts a transaction using the current defaults of this connection.
-- The value of SPANNER.READONLY determines whether the transaction is a
-- read/write or a read-only transaction.

BEGIN;
INSERT INTO T (id, col_a, col_b)
VALUES (1, 100, 1);
COMMIT;

-- Set SPANNER.READONLY to TRUE to use read-only transactions by default.
SET SPANNER.READONLY=TRUE;

-- This starts a read-only transaction.
BEGIN;
SELECT first_name, last_name
FROM singers
ORDER BY last_name;
COMMIT;

-- Use the 'READ WRITE' or 'READ ONLY' qualifier in the BEGIN statement to
-- override the current default of the connection.
SET SPANNER.READONLY=FALSE;
BEGIN READ ONLY;
SELECT first_name, last_name
FROM singers
ORDER BY last_name;
COMMIT;

COMMIT [TRANSACTION | WORK]

COMMIT [TRANSACTION | WORK]

Esegue il commit della transazione corrente. Le parole chiave TRANSACTION e WORK sono facoltative ed equivalenti e non hanno alcun effetto.

  • Il commit di una transazione di lettura/scrittura comporta tutti gli aggiornamenti di questa transazione visibile ad altre transazioni e sblocca tutti i blocchi della transazione su Spanner.
  • Il commit di una transazione di sola lettura termina l'attuale transazione di sola lettura. Qualsiasi l'istruzione successiva avvia una nuova transazione. Non esiste una differenza semantica tra COMMIT e ROLLBACK per una transazione di sola lettura.

Puoi eseguire questa istruzione solo mentre è presente una transazione attiva.

▶ Esempio: COMMIT TRANSACTION (fai clic per espandere)
L'esempio seguente mostra come eseguire il commit di una transazione con PGAdapter.

-- Execute a regular read/write transaction.
BEGIN;
INSERT INTO T (id, col_a, col_b)
VALUES (1, 100, 1);
COMMIT;

-- Execute a read-only transaction. Read-only transactions also need to be
-- either committed or rolled back in PGAdapter in order to mark the
-- end of the transaction.
BEGIN READ ONLY;
SELECT first_name, last_name
FROM singers
ORDER BY last_name;
COMMIT;

ROLLBACK [TRANSACTION | WORK]

ROLLBACK [TRANSACTION | WORK]

Esegue un ROLLBACK della transazione corrente. Le parole chiave TRANSACTION e I valori WORK sono facoltativi ed equivalenti e non hanno alcun effetto.

  • L'esecuzione di un ROLLBACK di una transazione di lettura-scrittura cancella tutte le mutazioni messe in buffer, esegue il rollback della transazione su Spanner e rilascia tutti i blocchi trattenuti dalla transazione.
  • L'esecuzione di un ROLLBACK di una transazione di sola lettura termina la transazione di sola lettura corrente. Tutti gli eventuali comandi successivi avviano una nuova transazione. Non sono presenti differenza semantica tra COMMIT e ROLLBACK per un modello di sola lettura su una connessione.

Puoi eseguire questa istruzione solo quando è presente una transazione attiva.

▶ Esempio: ROLLBACK TRANSACTION (fai clic per espandere)
L'esempio seguente mostra come eseguire il rollback di una transazione con PGAdapter.

-- Use ROLLBACK to undo the effects of a transaction.
BEGIN;
INSERT INTO T (id, col_a, col_b)
VALUES (1, 100, 1);
-- This will ensure that the insert statement is not persisted in the database.
ROLLBACK;

-- Read-only transactions also need to be either committed or rolled back in
-- PGAdapter in order to mark the end of the transaction. There is no
-- semantic difference between rolling back or committing a read-only
-- transaction.
BEGIN READ ONLY;
SELECT first_name, last_name
FROM singers
ORDER BY last_name;
ROLLBACK;

SET TRANSACTION

SET TRANSACTION { READ ONLY | READ WRITE }

Imposta la modalità di transazione per la transazione corrente.

Puoi eseguire questa istruzione solo quando AUTOCOMMIT è false oppure se hai avviato una transazione eseguendo BEGIN [TRANSACTION | WORK] e non hanno ancora eseguito alcuna istruzione nella transazione.

Questa istruzione imposta la modalità di transazione solo per la transazione corrente. Quando viene eseguito il commit o il rollback della transazione, la transazione successiva utilizza il valore predefinito per la connessione. (vedi SET SESSION CHARACTERISTICS).

▶ Esempio: SET TRANSACTION (fai clic per espandere)
L'esempio seguente mostra come impostare le caratteristiche delle transazioni con PGAdapter.

-- Start a transaction and set the transaction mode to read-only.
BEGIN;
SET TRANSACTION READ ONLY;

SELECT first_name, last_name
FROM singers
ORDER BY last_name;

-- Commit the read-only transaction to mark the end of the transaction.
COMMIT;

-- Start a transaction and set the transaction mode to read/write.
BEGIN;
SET TRANSACTION READ WRITE;

INSERT INTO T (id, col_a, col_b)
VALUES (1, 100, 1);

COMMIT;

IMPOSTARE LE CARATTERISTICHE DELLA SESSIONE

SET SESSION CHARACTERISTICS AS TRANSACTION { READ ONLY | READ WRITE }

Imposta la modalità di transazione predefinita per le transazioni nella sessione su READ ONLY o READ WRITE. Questa istruzione è consentita solo quando non è presente alcuna transazione attiva.

Il comando SET TRANSACTION può sostituire questa impostazione.

▶ Esempio: IMPOSTARE LE CARATTERISTICHE DELLA SESSIONE (fai clic per espandere)
L'esempio seguente mostra come impostare le caratteristiche della sessione con PGAdapter.

-- Set the default transaction mode to read-only.
SET SESSION CHARACTERISTICS AS TRANSACTION READ ONLY;

-- This will now start a read-only transaction.
BEGIN;
SELECT first_name, last_name
FROM singers
ORDER BY last_name;
COMMIT;

-- You can override the default transaction mode with the SET TRANSACTION
-- statement.
SET SESSION CHARACTERISTICS AS TRANSACTION READ WRITE;
BEGIN;
SET TRANSACTION READ ONLY;
SELECT first_name, last_name
FROM singers
ORDER BY last_name;
COMMIT;

SPANNER.STATEMENT_TAG

Una proprietà di tipo STRING contenente il tag di richiesta per il prossimo l'Informativa.

SHOW [ VARIABLE ] SPANNER.STATEMENT_TAG
SET SPANNER.STATEMENT_TAG {TO|=} 'tag-name'

Imposta il tag di richiesta per l'istruzione successiva da eseguire. È possibile impostare un solo tag per istruzione. Il tag non comprende più istruzioni. questo elemento deve essere impostato per singole istruzioni. Un tag di richiesta può essere rimosso impostandolo alla stringa vuota ('').

Il valore predefinito è ''.

Per la stessa istruzione è possibile impostare sia tag di transazione che tag di istruzioni.

Puoi anche utilizzare un suggerimento di istruzioni per aggiungere un tag di istruzioni:

/*@STATEMENT_TAG='my-tag'*/ SELECT * FROM albums

Per ulteriori informazioni, consulta la sezione Risoluzione dei problemi relativi ai tag di richiesta e di transazione.

▶ Esempio: tag di dichiarazione (fai clic per espandere)
L'esempio seguente mostra come impostare i tag di istruzioni con PGAdapter.

-- Set the statement tag that should be included with the next statement.
SET SPANNER.STATEMENT_TAG = 'tag1';
SELECT first_name, last_name
FROM singers
ORDER BY last_name;

-- The statement tag property is cleared after each statement execution.
SHOW SPANNER.STATEMENT_TAG;
-- Set another tag for the next statement.
SET SPANNER.STATEMENT_TAG = 'tag2';
SELECT title
FROM albums
ORDER BY title;

-- Set a statement tag with a query hint.
/*@STATEMENT_TAG='tag3'*/
SELECT track_number, title
FROM tracks
WHERE album_id=1 AND singer_id=1
ORDER BY track_number;

SPANNER.TRANSACTION_TAG

Una proprietà di tipo STRING contenente il tag transazione per il passaggio successivo transazione.

SHOW [ VARIABLE ] SPANNER.TRANSACTION_TAG
SET SPANNER.TRANSACTION_TAG {TO|=} 'tag-name'

Imposta il tag transazione per la transazione corrente da eseguire. Solo uno può essere impostato per transazione. Il tag non si applica a più transazioni, ma deve essere impostato su base transazionale. Un tag transazione può essere rimosso impostandola sulla stringa vuota (''). Il tag transazione deve essere impostato prima che eventuali istruzioni siano state eseguite nella transazione.

Il valore predefinito è ''.

Puoi impostare sia i tag transazioni sia i tag estratto conto per lo stesso estratto conto.

Per ulteriori informazioni, consulta la sezione Risoluzione dei problemi relativi ai tag di richiesta e di transazione.

▶ Esempio: tag transazione (fai clic per espandere)
L'esempio seguente mostra come impostare tag transazione con PGAdapter.

BEGIN;
-- Set the transaction tag for the current transaction.
SET SPANNER.TRANSACTION_TAG = 'transaction-tag-1';

-- Set the statement tag that should be included with the next statement.
-- The statement will include both the statement tag and the transaction tag.
SET SPANNER.STATEMENT_TAG = 'select-statement';
SELECT first_name, last_name
FROM singers
ORDER BY last_name;

-- The statement tag property is cleared after each statement execution.
SHOW SPANNER.STATEMENT_TAG;

-- Set another tag for the next statement.
SET SPANNER.STATEMENT_TAG = 'insert-statement';
INSERT INTO T (id, col_a, col_b)
VALUES (1, 100, 1);

COMMIT;

-- The transaction tag property is cleared when the transaction finishes.
SHOW SPANNER.TRANSACTION_TAG;

Istruzioni batch

Le istruzioni seguenti gestiscono i batch di istruzioni DDL e inviano questi batch a Spanner.

AVVIA DDL DI BATCH

START BATCH DDL

Avvia un batch di istruzioni DDL sulla connessione. Tutte le istruzioni successive durante il batch devono essere istruzioni DDL. Le istruzioni DDL vengono messe in un buffer localmente e inviate a Spanner come un unico batch quando esegui RUN BATCH. L'esecuzione di più istruzioni DDL come un unico batch è in genere più veloce dell'esecuzione delle istruzioni separatamente.

Puoi eseguire questa istruzione solo quando non è presente alcuna transazione attiva.

▶ Esempio: batch DDL (fai clic per espandere)
L'esempio seguente mostra come eseguire un batch DDL con PGAdapter.

-- Start a DDL batch. All following statements must be DDL statements.
START BATCH DDL;

-- This statement is buffered locally until RUN BATCH is executed.
CREATE TABLE singers (
  id bigint primary key,
  first_name varchar,
  last_name varchar
);

-- This statement is buffered locally until RUN BATCH is executed.
CREATE TABLE albums (
  id bigint primary key,
  title varchar,
  singer_id bigint,
  constraint fk_albums_singers foreign key (singer_id) references singers (id)
);

-- This runs the DDL statements as one batch.
RUN BATCH;

ESEGUI BATCH

RUN BATCH

Invia al database tutte le istruzioni DDL contenute nel buffer nel batch DDL corrente, attende che Spanner esegua queste istruzioni e termina il DDL attuale batch.

Se Spanner non riesce a eseguire almeno un'istruzione DDL, RUN BATCH restituisce un errore per la prima istruzione DDL che Spanner non riesce a eseguire. In caso contrario, l'articolo RUN BATCH viene restituito correttamente.

PRIMA LETTO

Cancella tutte le istruzioni DDL incluse nel buffer nel batch DDL attuale e termina il batch.

Puoi eseguire questa istruzione solo quando è attivo un batch DDL. Puoi utilizzare la modalità ABORT BATCH a prescindere dal fatto che il batch abbia un DDL inserito nel buffer o meno istruzioni. Tutte le istruzioni DDL precedenti nel batch verranno interrotte.

▶ Esempio: interrompere il batch DDL (fai clic per espandere)
L'esempio seguente mostra come interrompere un batch DDL con PGAdapter.

-- Start a DDL batch. All following statements must be DDL statements.
START BATCH DDL;

-- The following statements are buffered locally.
CREATE TABLE singers (
  id bigint primary key,
  first_name varchar,
  last_name varchar
);
CREATE TABLE albums (
  id bigint primary key,
  title varchar,
  singer_id bigint,
  constraint fk_albums_singers foreign key (singer_id) references singers (id)
);

-- This aborts the DDL batch and removes the DDL statements from the buffer.
ABORT BATCH;

INIZIO DML BATCH

Le seguenti istruzioni raggruppano le due istruzioni DML e le inviano una chiamata al server. Un batch DML può essere eseguito come parte di una transazione in modalità commit automatico.

START BATCH DML;
INSERT INTO MYTABLE (ID, NAME) VALUES (1, 'ONE');
INSERT INTO MYTABLE (ID, NAME) VALUES (2, 'TWO');
RUN BATCH;

▶ Esempio: batch DML (fai clic per espandere)
L'esempio seguente mostra come eseguire un batch DML con PGAdapter.

-- Start a DML batch. All following statements must be a DML statement.
START BATCH DML;

-- The following statements are buffered locally.
INSERT INTO MYTABLE (ID, NAME) VALUES (1, 'ONE');
INSERT INTO MYTABLE (ID, NAME) VALUES (2, 'TWO');

-- This sends the statements to Spanner.
RUN BATCH;

-- DML batches can also be part of a read/write transaction.
BEGIN;
-- Insert a row using a single statement.
INSERT INTO MYTABLE (ID, NAME) VALUES (3, 'THREE');

-- Insert two rows using a batch.
START BATCH DML;
INSERT INTO MYTABLE (ID, NAME) VALUES (4, 'FOUR');
INSERT INTO MYTABLE (ID, NAME) VALUES (5, 'FIVE');
RUN BATCH;

-- Rollback the current transaction. This rolls back both the single DML
-- statement and the DML batch.
ROLLBACK;

Comandi Savepoint

I punti di salvataggio in PGAdapter vengono emulati. Rollback ai tiratori di un punto di salvataggio eseguire il backup dell'intera transazione e ritentare l'operazione fino al punto in cui è stata impostata. Questa operazione non riuscirà AbortedDueToConcurrentModificationException errore se i dati sottostanti è stato usato dalla transazione fino al punto di salvataggio è stato modificato.

La creazione e il rilascio dei punti di salvataggio hanno sempre esito positivo quando è supportato il supporto dei punti di salvataggio in un bucket in cui è abilitato il controllo delle versioni.

Le seguenti istruzioni attivano e disattivano i punti di salvataggio emulati nelle transazioni.

SPANNER.SAVEPOINT_SUPPORT

SHOW [VARIABLE] SPANNER.SAVEPOINT_SUPPORT
SET SPANNER.SAVEPOINT_SUPPORT = { 'DISABLED' | 'FAIL_AFTER_ROLLBACK' | 'ENABLED' }

Una proprietà di tipo STRING che indica l'attuale SAVEPOINT_SUPPORT configurazione. I valori possibili sono:

  • DISABLED: tutti i comandi del punto di salvataggio sono disabilitati e non riusciranno.
  • FAIL_AFTER_ROLLBACK: i comandi di punto di salvataggio sono abilitati. Il rollback a un il punto di salvataggio esegue il rollback dell'intera transazione. Se tenti di eseguire l'operazione, usa la transazione dopo il rollback a un punto di salvataggio.
  • ENABLED: tutti i comandi di punto di salvataggio sono abilitati. Rollback a un punto di salvataggio in corso esegue il rollback della transazione e viene eseguito un nuovo tentativo al punto di salvataggio. Questo l'operazione non riesce e restituisce un errore AbortedDueToConcurrentModificationException se i dati sottostanti utilizzati dalla transazione fino al punto di salvataggio è cambiato.

Il valore predefinito è ENABLED.

Puoi eseguire questa istruzione solo quando non è presente alcuna transazione attiva.

SAVEPOINT nome_del_punto_di_salvataggio

SAVEPOINT savepoint-name;

SAVEPOINT crea un nuovo punto di salvataggio all'interno della transazione corrente. È possibile eseguire il rollback di una transazione a un punto di salvataggio per annullare tutte le operazioni eseguite dal momento della sua creazione.

▶ Esempio: punto di salvataggio (fai clic per espandere)
L'esempio seguente mostra come utilizzare i punti di salvataggio con PGAdapter.

-- Start a transaction and execute an insert statement.
BEGIN;
INSERT INTO T (id, col_a, col_b) VALUES (1, 100, 1);

-- Set a savepoint and then execute another insert statement.
SAVEPOINT one_row_inserted;
INSERT INTO T (id, col_a, col_b) VALUES (2, 200, 2);

-- Roll back to the savepoint. This will undo all statements that have been
-- executed after the savepoint.
ROLLBACK TO one_row_inserted;

-- This only commits the first insert statement.
COMMIT;

ROLLBACK TO savepoint_name

ROLLBACK TO savepoint_name

Esegue il rollback della transazione corrente nel punto di salvataggio con il nome specificato.

Non è garantito che il rollback a un punto di salvataggio vada a buon fine in tutti i casi. Il rollback a un punto di salvataggio esegue il rollback dell'intera transazione e la riprova fino al punto in cui è stato impostato il punto di salvataggio. Questa operazione non riuscirà AbortedDueToConcurrentModificationException se i dati sottostanti presentano utilizzato dalla transazione fino al punto di salvataggio è cambiato.

RILASCIA [SAVEPOINT] savepoint_name

RELEASE savepoint_name

Rimuove il punto di salvataggio dalla transazione corrente. Non può più essere utilizzato per eseguire un'istruzione ROLLBACK TO savepoint_name.

Istruzioni preparate

Le istruzioni riportate di seguito creano ed eseguono le istruzioni preparate.

PREPARATI

PREPARE statement_name [(data_type, ...)] AS statement

Prepara una dichiarazione su questa connessione. L'istruzione viene analizzata e convalidata da Spanner e archiviati in memoria in PGAdapter.

▶ Esempio: istruzioni preparate (fai clic per espandere)
L'esempio seguente mostra come creare ed eseguire istruzioni preparate con PGAdapter.

-- Create a prepared statement that can be used to insert a single row.
PREPARE insert_t AS INSERT INTO T (id, col_a, col_b) VALUES ($1, $2, $3);

-- The prepared statement can be used to insert rows both in autocommit, in a
-- transaction, and in DML batches.

-- Execute in autocommit.
EXECUTE insert_t (1, 100, 1);

-- Execute in transaction.
BEGIN;
EXECUTE insert_t (2, 200, 2);
EXECUTE insert_t (3, 300, 3);
COMMIT;

-- Execute in a DML batch.
START BATCH DML;
EXECUTE insert_t (4, 400, 4);
EXECUTE insert_t (5, 500, 5);
RUN BATCH;

-- Prepared statements can be removed with the DEALLOCATE command.
DEALLOCATE insert_t;

EXECUTE

EXECUTE statement_name [(value, ...)]

Esegue un'istruzione creata su questa connessione con PREPARE.

▶ Esempio: Esegui (fai clic per espandere)
L'esempio seguente mostra come preparare ed eseguire istruzioni con PGAdapter.

-- Create a prepared statement.
PREPARE my_statement AS insert into my_table (id, value) values ($1, $2);

-- Execute the statement twice with different parameter values.
EXECUTE my_statement (1, 'One');
EXECUTE my_statement (2, 'Two');

DEALLOCATE

DEALLOCATE statement_name

Rimuove un'istruzione preparata da questa connessione.

Copia

PGAdapter supporta un sottoinsieme del comando COPY di PostgreSQL.

COPY nome_tabella FROM STDIN

COPY table_name FROM STDIN [BINARY]

Copia i dati da stdin a Spanner. È più efficiente utilizzare COPY per importare un set di dati di grandi dimensioni in Spanner rispetto a eseguire affermazioni INSERT.

COPY può essere combinato con SPANNER.AUTOCOMMIT_DML_MODE per eseguire una una transazione non atomica. In questo modo la transazione può eseguire più mutazioni rispetto al limite standard di mutazione delle transazioni.

▶ Esempio: copia (fai clic per espandere)
Gli esempi riportati di seguito mostrano come copiare i dati da e verso Spanner con PGAdapter.

create table numbers (number bigint not null primary key, name varchar);

Esegui un'operazione COPY atomica:

cat numbers.txt | psql -h /tmp -d test-db -c "copy numbers from stdin;"

Esegui un'operazione COPY non atomica:

cat numbers.txt | psql -h /tmp -d test-db \
  -c "set spanner.autocommit_dml_mode='partitioned_non_atomic'; copy numbers from stdin;"

Copia i dati da PostgreSQL a Spanner:

psql -h localhost -p 5432 -d my-local-db \
  -c "copy (select i, to_char(i, 'fm000') from generate_series(1, 1000000) s(i)) to stdout binary" \
  | psql -h localhost -p 5433 -d my-spanner-db \
  -c "set spanner.autocommit_dml_mode='partitioned_non_atomic'; copy numbers from stdin binary;"

In questo esempio si presuppone che PostgreSQL venga eseguito sulla porta 5432 PGAdapter viene eseguito sulla porta 5433.

Per altri esempi, consulta la sezione Supporto di PGAdapter - COPY.

COPIA table_name PER STDOUT [BINARY]

COPY table_name TO STDOUT [BINARY]

Copia i dati in una tabella o da una query in stdout.

Data Boost e istruzioni di query partizionate

Data Boost consente di eseguire query di analisi ed esportazioni di dati con un impatto quasi nullo sui carichi di lavoro esistenti nell'istanza Spanner di cui è stato eseguito il provisioning. Data Boost è supportato solo per le query partizionate.

Puoi attivare Data Boost con l'istruzione SET SPANNER.DATA_BOOST_ENABLED.

PGAdapter supporta tre alternative per l'esecuzione di query partizionate:

  • SET SPANNER.AUTO_PARTITION_MODE = true
  • RUN PARTITIONED QUERY sql
  • PARTITION sql seguito da più RUN PARTITION 'partition-token'

Nelle sezioni che seguono vengono descritti tutti questi metodi.

SPANNER.DATA_BOOST_ENABLED

SHOW SPANNER.DATA_BOOST_ENABLED
SET SPANNER.DATA_BOOST_ENABLED {TO|=} { true | false }

Imposta se questa connessione deve utilizzare Data Boost per le query partizionate.

Il valore predefinito è false.

▶ Esempio: eseguire una query utilizzando Data Boost (fai clic per espandere)
L'esempio seguente mostra come eseguire una query utilizzando il potenziamento dei dati con PGAdapter.

-- Enable Data Boost on this connection.
SET SPANNER.DATA_BOOST_ENABLED = true;

-- Execute a partitioned query. Data Boost is only used for partitioned queries.
RUN PARTITIONED QUERY SELECT FirstName, LastName FROM Singers;

SPANNER.AUTO_PARTITION_MODE

SHOW SPANNER.AUTO_PARTITION_MODE
SET SPANNER.AUTO_PARTITION_MODE {TO|=} { true | false}

Una proprietà di tipo BOOL che indica se la connessione utilizza automaticamente partizionate per tutte le query eseguite.

  • Imposta questa variabile su true se vuoi che la connessione utilizzi partizionata per tutte le query eseguite.
  • Imposta anche SPANNER.DATA_BOOST_ENABLED su true se vuoi che connessione per utilizzare Data Boost per tutti query.

Il valore predefinito è false.

▶ Esempio: Esegui (fai clic per espandere)
Questo esempio esegue due query con PGAdapter utilizzando Incremento dei dati

SET SPANNER.AUTO_PARTITION_MODE = true
SET SPANNER.DATA_BOOST_ENABLED = true
SELECT first_name, last_name FROM singers
SELECT singer_id, title FROM albums

ESEGUI QUERY PARZIATA

RUN PARTITIONED QUERY <sql>

Esegue una query come query partizionata su Spanner. Assicurati che SPANNER.DATA_BOOST_ENABLED sia impostato su true per eseguire la query con Data Boost:

SET SPANNER.DATA_BOOST_ENABLED = true
RUN PARTITIONED QUERY SELECT FirstName, LastName FROM Singers

PGAdapter partiziona internamente la query ed esegue le partizioni parallelo. I risultati vengono uniti in un unico set di risultati e restituiti al un'applicazione. È possibile impostare il numero di thread worker che eseguono le partizioni con la variabile SPANNER.MAX_PARTITIONED_PARALLELISM.

PARTIZIONE <SQL>

PARTITION <sql>

Crea un elenco di partizioni per eseguire una query su Spanner e restituisce un elenco di token di partizione. Ogni token di partizione può essere eseguito su una connessione separata sullo stesso PGAdapter o su un altro utilizzando il comando RUN PARTITION 'partition-token'.

▶ Esempio: query di partizione (fai clic per espandere)
L'esempio seguente mostra come partizionare una query ed eseguire ogni partizione separatamente utilizzando PGAdapter.

-- Partition a query. This returns a list of partition tokens that can be
-- executed either on this connection or on any other connection to the same
-- database.
PARTITION SELECT FirstName, LastName FROM Singers;

-- Run the partitions that were returned from the previous statement.
RUN PARTITION 'partition-token-1';
RUN PARTITION 'partition-token-2';

RUN PARTITION 'partition-token'

RUN PARTITION 'partition-token'

Esegue una partizione di query precedentemente restituita dal comando PARTITION. Il comando può essere eseguito su qualsiasi connessione connessa lo stesso database che ha creato i token di partizione.

SPANNER.MAX_PARTITIONED_PARALLELISM

Una proprietà di tipo bigint che indica il numero di thread di lavoro utilizzati da PGAdapter per eseguire le partizioni. Questo valore viene utilizzato per:

  • SPANNER.AUTO_PARTITION_MODE = true
  • RUN PARTITIONED QUERY sql
SHOW SPANNER.MAX_PARTITIONED_PARALLELISM
SET SPANNER.MAX_PARTITIONED_PARALLELISM {TO|=} <bigint>

Imposta il numero massimo di thread worker che PGAdapter può utilizzare per eseguire le partizioni. Se questo valore è impostato su 0, PGAdapter deve: utilizza come massimo il numero di core della CPU sul computer client.

Il valore predefinito è 0.

Passaggi successivi