In contrast to most databases, CockroachDB offers SERIALIZABLE isolation by default, which is the strongest of the four transaction isolation levels defined by the SQL standard and is stronger than the SNAPSHOT isolation level developed later. SERIALIZABLE isolation guarantees that even though transactions may execute in parallel, the result is the same as if they had executed one at a time, without any concurrency. This ensures data correctness by preventing all "anomalies" allowed by weaker isolation levels.
In this tutorial, you'll work through a hypothetical scenario that demonstrates the effectiveness of SERIALIZABLE isolation for maintaining data correctness.
- You'll start by reviewing the scenario and its schema.
- You'll finish by executing the scenario at SERIALIZABLEisolation, observing how it guarantees correctness. You'll use CockroachDB for this portion.
For a deeper discussion of transaction isolation and the write skew anomaly, see the Real Transactions are Serializable and What Write Skew Looks Like blog posts.
Overview
Scenario
- A hospital has an application for doctors to manage their on-call shifts.
- The hospital has a rule that at least one doctor must be on call at any one time.
- Two doctors are on-call for a particular shift, and both of them try to request leave for the shift at approximately the same time.
- In PostgreSQL, with the default READ COMMITTEDisolation level, the write skew anomaly results in both doctors successfully booking leave and the hospital having no doctors on call for that particular shift.
- In CockroachDB, with the SERIALIZABLEisolation level, write skew is prevented, one doctor is allowed to book leave and the other is left on-call, and lives are saved.
Write skew
When write skew happens, a transaction reads something, makes a decision based on the value it saw, and writes the decision to the database. However, by the time the write is made, the premise of the decision is no longer true. Only SERIALIZABLE and some implementations of REPEATABLE READ isolation prevent this anomaly.
Schema

Step 1. Set up the scenario on PostgreSQL
- If you haven't already, install PostgreSQL locally. On Mac, you can use Homebrew: - $ brew install postgres
- 
$ postgres -D /usr/local/var/postgres &
- Open a SQL connection to PostgreSQL: - $ psql
- Create the - doctorstable:- > CREATE TABLE doctors ( id INT PRIMARY KEY, name TEXT );
- Create the - schedulestable:- > CREATE TABLE schedules ( day DATE, doctor_id INT REFERENCES doctors (id), on_call BOOL, PRIMARY KEY (day, doctor_id) );
- Add two doctors to the - doctorstable:- > INSERT INTO doctors VALUES (1, 'Abe'), (2, 'Betty');
- Insert one week's worth of data into the - schedulestable:- > INSERT INTO schedules VALUES ('2024-10-01', 1, true), ('2024-10-01', 2, true), ('2024-10-02', 1, true), ('2024-10-02', 2, true), ('2024-10-03', 1, true), ('2024-10-03', 2, true), ('2024-10-04', 1, true), ('2024-10-04', 2, true), ('2024-10-05', 1, true), ('2024-10-05', 2, true), ('2024-10-06', 1, true), ('2024-10-06', 2, true), ('2024-10-07', 1, true), ('2024-10-07', 2, true);
- Confirm that at least one doctor is on call each day of the week: - > SELECT day, count(*) AS doctors_on_call FROM schedules WHERE on_call = true GROUP BY day ORDER BY day;- day | doctors_on_call ------------+----------------- 2024-10-01 | 2 2024-10-02 | 2 2024-10-03 | 2 2024-10-04 | 2 2024-10-05 | 2 2024-10-06 | 2 2024-10-07 | 2 (7 rows)
Step 2. Run the scenario on PostgreSQL
- Doctor 1, Abe, starts to request leave for 10/5/18 using the hospital's schedule management application. The application starts a transaction: - > BEGIN;
- The application checks to make sure at least one other doctor is on call for the requested date: - > SELECT count(*) FROM schedules WHERE on_call = true AND day = '2024-10-05' AND doctor_id != 1;- count ------- 1 (1 row)
- Around the same time, doctor 2, Betty, starts to request leave for the same day using the hospital's schedule management application. In a new terminal, start a second SQL session: - $ psql
- The application starts a transaction: - > BEGIN;
- The application checks to make sure at least one other doctor is on call for the requested date: - > SELECT count(*) FROM schedules WHERE on_call = true AND day = '2024-10-05' AND doctor_id != 2;- count ------- 1 (1 row)
- In the terminal for doctor 1, since the previous check confirmed that another doctor is on call for 10/5/18, the application tries to update doctor 1's schedule: - > UPDATE schedules SET on_call = false WHERE day = '2024-10-05' AND doctor_id = 1;
- In the terminal for doctor 2, since the previous check confirmed the same thing, the application tries to update doctor 2's schedule: - > UPDATE schedules SET on_call = false WHERE day = '2024-10-05' AND doctor_id = 2;
- In the terminal for doctor 1, the application commits the transaction, despite the fact that the previous check (the - SELECTquery) is no longer true:- > COMMIT;
- In the terminal for doctor 2, the application commits the transaction, despite the fact that the previous check (the - SELECTquery) is no longer true:- > COMMIT;
Step 3. Check data correctness on PostgreSQL
So what just happened? Each transaction started by reading a value that, before the end of the transaction, became incorrect. Despite that fact, each transaction was allowed to commit. This is known as write skew, and the result is that 0 doctors are scheduled to be on call on 10/5/18.
To check this, in either terminal, run:
> SELECT * FROM schedules WHERE day = '2024-10-05';
    day     | doctor_id | on_call
------------+-----------+---------
 2024-10-05 |         1 | f
 2024-10-05 |         2 | f
(2 rows)
Again, this anomaly is the result of PostgreSQL's default isolation level of READ COMMITTED, but note that this would happen with any isolation level except SERIALIZABLE and some implementations of REPEATABLE READ:
> SHOW TRANSACTION_ISOLATION;
 transaction_isolation
-----------------------
 read committed
(1 row)
Exit each SQL shell with \q and then stop the PostgreSQL server:
$ pkill -9 postgres
Step 4. Set up the scenario on CockroachDB
When you repeat the scenario on CockroachDB, you'll see that the anomaly is prevented by CockroachDB's SERIALIZABLE transaction isolation.
- If you haven't already, install CockroachDB locally. 
- Use the - cockroach start-single-nodecommand to start a one-node CockroachDB cluster in insecure mode:- $ cockroach start-single-node \ --insecure \ --store=serializable-demo \ --listen-addr=localhost
- In a new terminal window, open the built-in SQL client and connect to - localhost:- $ cockroach sql --insecure --host=localhost
- Create the - doctorstable:- > CREATE TABLE doctors ( id INT PRIMARY KEY, name TEXT );
- Create the - schedulestable:- > CREATE TABLE schedules ( day DATE, doctor_id INT REFERENCES doctors (id), on_call BOOL, PRIMARY KEY (day, doctor_id) );
- Add two doctors to the - doctorstable:- > INSERT INTO doctors VALUES (1, 'Abe'), (2, 'Betty');
- Insert one week's worth of data into the - schedulestable:- > INSERT INTO schedules VALUES ('2024-10-01', 1, true), ('2024-10-01', 2, true), ('2024-10-02', 1, true), ('2024-10-02', 2, true), ('2024-10-03', 1, true), ('2024-10-03', 2, true), ('2024-10-04', 1, true), ('2024-10-04', 2, true), ('2024-10-05', 1, true), ('2024-10-05', 2, true), ('2024-10-06', 1, true), ('2024-10-06', 2, true), ('2024-10-07', 1, true), ('2024-10-07', 2, true);
- Confirm that at least one doctor is on call each day of the week: - > SELECT day, count(*) AS on_call FROM schedules WHERE on_call = true GROUP BY day ORDER BY day;- day | on_call -------------+---------- 2024-10-01 | 2 2024-10-02 | 2 2024-10-03 | 2 2024-10-04 | 2 2024-10-05 | 2 2024-10-06 | 2 2024-10-07 | 2 (7 rows)
Step 5. Run the scenario on CockroachDB
- Doctor 1, Abe, starts to request leave for 10/5/18 using the hospital's schedule management application. The application starts a transaction: - > BEGIN;
- The application checks to make sure at least one other doctor is on call for the requested date: - > SELECT count(*) FROM schedules WHERE on_call = true AND day = '2024-10-05' AND doctor_id != 1;- count --------- 1 (1 row)
- Around the same time, doctor 2, Betty, starts to request leave for the same day using the hospital's schedule management application. In a new terminal, start a second SQL session: - $ cockroach sql --insecure --host=localhost
- The application starts a transaction: - > BEGIN;
- The application checks to make sure at least one other doctor is on call for the requested date: - > SELECT count(*) FROM schedules WHERE on_call = true AND day = '2024-10-05' AND doctor_id != 2;- count --------- 1 (1 row)
- In the terminal for doctor 1, since the previous check confirmed that another doctor is on call for 10/5/18, the application tries to update doctor 1's schedule: - > UPDATE schedules SET on_call = false WHERE day = '2024-10-05' AND doctor_id = 1;
- In the terminal for doctor 2, since the previous check confirmed the same thing, the application tries to update doctor 2's schedule: - > UPDATE schedules SET on_call = false WHERE day = '2024-10-05' AND doctor_id = 2;
- In the terminal for doctor 1, the application tries to commit the transaction: - > COMMIT;- The transaction for doctor 1 is committed. 
- In the terminal for doctor 2, the application tries to commit the transaction: - > COMMIT;- Since CockroachDB uses - SERIALIZABLEisolation, the database detects that the previous check (the- SELECTquery) is no longer true due to a concurrent transaction. It therefore prevents the transaction from committing, returning a retry error that indicates that the transaction must be attempted again.- ERROR: restart transaction: TransactionRetryWithProtoRefreshError: TransactionRetryError: retry txn (RETRY_SERIALIZABLE - failed preemptive refresh due to encountered recently written committed value /Table/105/1/20001/1/0 @1700513356.063385000,2): "sql txn" meta={id=10f4abbc key=/Table/105/1/20001/2/0 iso=Serializable pri=0.00167708 epo=0 ts=1700513366.194063000,2 min=1700513327.262632000,0 seq=1} lock=true stat=PENDING rts=1700513327.262632000,0 wto=false gul=1700513327.762632000,0 SQLSTATE: 40001 HINT: See: https://www.cockroachlabs.com/docs/v24.2/transaction-retry-error-reference.html#retry_serializableTip:- For this kind of error, CockroachDB recommends a client-side transaction retry loop that would transparently observe that the one doctor cannot take time off because the other doctor already succeeded in asking for it. You can find generic transaction retry functions for various languages in our Build an App tutorials. - For more information about the error message for the - RETRY_SERIALIZABLEerror type, see the Transaction Retry Error Reference.
Step 6. Check data correctness on CockroachDB
- In either terminal, confirm that one doctor is still on call for 10/5/18: - > SELECT * FROM schedules WHERE day = '2024-10-05';- day | doctor_id | on_call -------------+-----------+---------- 2024-10-05 | 1 | f 2024-10-05 | 2 | t (2 rows)
- Again, the write skew anomaly was prevented by CockroachDB using the - SERIALIZABLEisolation level:- > SHOW TRANSACTION_ISOLATION;- transaction_isolation ------------------------- serializable (1 row)
- Exit the SQL shell in each terminal: - > \q
- Exit each SQL shell with - \qand then stop the node:- Get the process ID of the node: - ps -ef | grep cockroach | grep -v grep- 501 21691 1 0 6:19PM ttys001 0:01.15 cockroach start-single-node --insecure --store=serializable-demo --listen-addr=localhost- Gracefully shut down the node, specifying its process ID: - kill -TERM 21691- initiating graceful shutdown of server server drained and shutdown completed- If you do not plan to restart the cluster, you may want to remove the node's data store: - $ rm -rf serializable-demo
What's next?
Explore other CockroachDB benefits and features:
- Replication & Rebalancing
- CockroachDB Resilience
- Low Latency Multi-Region Deployment
- Serializable Transactions
- Cross-Cloud Migration
- Orchestration
- JSON Support
You might also want to learn more about how transactions work in CockroachDB and in general: