This project demonstrates pessimistic locking and skip locking for concurrency control in a Spring Boot application using MySQL and Docker Compose. It processes tasks by selecting 1,000 unprocessed tasks at startup and handling them in parallel 10 at a time.
- At startup, the system fetches 1,000 unprocessed tasks from
tbl_process
. - Parallel processing begins, handling 10 tasks at a time.
- Pessimistic Locking ensures no two workers process the same task.
- Skip Locking allows efficient handling of remaining tasks.
+-------------------------------+
| Unprocessed Tasks |
| (Selected 1000) |
+-------------------------------+
|| (Parallel 100 workers)
\/
+-------------------------------+
| Worker 1 | Worker 2 | ... 100 |
| (Locks row & processes task) |
+-------------------------------+
|| (Skip Locked)
\/
+-------------------------------+
| Remaining Tasks |
| (Only unlocked tasks) |
+-------------------------------+
- Spring Boot 3
- Spring Data JPA
- MySQL (Docker)
- Pessimistic Locking (
@Lock(PESSIMISTIC_WRITE)
) - Skip Locking (
FOR UPDATE SKIP LOCKED
)
git clone https://github.com/your-repo/concurrency-control-locking.git
cd concurrency-control-locking
docker-compose up -d
β This will create:
- A MySQL database named
task_db
. - A table
tbl_process
with sample processed and unprocessed tasks.
mvn clean install
mvn spring-boot:run
πΉ The system fetches 1,000 tasks and starts processing 10 at a time using parallel threads.
CREATE TABLE tbl_process (
id BIGINT AUTO_INCREMENT PRIMARY KEY,
processed BOOLEAN NOT NULL
);
β Sample Data (Automatically Inserted at Startup)
id | processed |
---|---|
1 | FALSE |
2 | FALSE |
3 | TRUE |
... | ... |
- Ensures no two workers process the same task.
- Prevents conflicts by locking the row until the transaction is complete.
@Lock(LockModeType.PESSIMISTIC_WRITE)
@QueryHints({
@QueryHint(name = "javax.persistence.lock.timeout", value = "-2") // Skip locked rows
})
@Query("SELECT t FROM Process t WHERE t.processed = false")
List<Process> findUnprocessedWithLock();
- Skips already locked rows to avoid blocking other transactions.
- Used for efficient parallel task processing.
SELECT * FROM tbl_process WHERE processed = FALSE
FOR UPDATE SKIP LOCKED LIMIT 10;
1οΈβ£ Start multiple instances of the application:
mvn spring-boot:run
2οΈβ£ Observe logs to see how tasks are processed in parallel.
3οΈβ£ Check the database to verify processed tasks:
SELECT COUNT(*) FROM tbl_process WHERE processed = TRUE;
πΉ Pessimistic Locking ensures safe, conflict-free processing.
πΉ Skip Locking improves efficiency by avoiding locked rows.
πΉ Parallel processing speeds up task execution.