Skip to main content

Optimistic Offline Lock

Data accessConcurrencyData accessFault toleranceIsolationPersistenceTransactionsAbout 3 min

Also known as

  • Optimistic Concurrency Control

Intent

To manage concurrent data modifications without using long-duration database locks, thus improving system performance and scalability.

Explanation

Real world example

Imagine a library with multiple users checking out and returning books. Instead of locking each book while a user is browsing or deciding whether to borrow it, the library uses an optimistic approach. Each book has a timestamp or version number. When a user decides to borrow a book, they check the book's version number. If it matches the current version, the transaction proceeds. If another user has borrowed the book in the meantime, causing a version mismatch, the first user is informed to retry. This approach allows multiple users to browse and attempt to borrow books concurrently, improving the library's efficiency and user satisfaction without locking the entire catalog.

In plain words

The Optimistic Offline Lock pattern manages concurrent data modifications by allowing transactions to proceed without locks, resolving conflicts only when they occur to enhance performance and scalability.

Wikipedia says

Optimistic concurrency control (OCC), also known as optimistic locking, is a concurrency control method applied to transactional systems such as relational database management systems and software transactional memory.

Programmatic Example

The Optimistic Offline Lock pattern is a concurrency control method that allows multiple transactions to proceed without locks, resolving conflicts only when they occur. This pattern is useful in scenarios where the likelihood of conflicting transactions is low and long-duration locks could hamper performance and scalability.

First, we have a Card entity that represents a bank card with a sum of money and a version number.


@Data
@NoArgsConstructor
@AllArgsConstructor
public class Card {

    /**
     * Primary key.
     */
    private long id;

    /**
     * Foreign key points to card's owner.
     */
    private long personId;

    /**
     * Sum of money. 
     */
    private float sum;

    /**
     * Current version of object;
     */
    private int version;
}

The CardUpdateService class implements the UpdateService interface and provides a method doUpdate to update the Card entity. The doUpdate method first retrieves the current version of the Card entity. It then performs some business logic to update the sum of money in the Card. Before updating the Card in the database, it checks if the version of the Card in the database is the same as the initial version it retrieved. If the versions match, it proceeds with the update. If the versions do not match, it means that another transaction has updated the Card in the meantime, and it throws an ApplicationException.


@RequiredArgsConstructor
public class CardUpdateService implements UpdateService<Card> {

    private final JpaRepository<Card> cardJpaRepository;

    @Override
    @Transactional(rollbackFor = ApplicationException.class) //will roll back transaction in case ApplicationException
    public Card doUpdate(Card card, long cardId) {
        float additionalSum = card.getSum();
        Card cardToUpdate = cardJpaRepository.findById(cardId);
        int initialVersion = cardToUpdate.getVersion();
        float resultSum = cardToUpdate.getSum() + additionalSum;
        cardToUpdate.setSum(resultSum);
        //Maybe more complex business-logic e.g. HTTP-requests and so on

        if (initialVersion != cardJpaRepository.getEntityVersionById(cardId)) {
            String exMessage = String.format("Entity with id %s were updated in another transaction", cardId);
            throw new ApplicationException(exMessage);
        }

        cardJpaRepository.update(cardToUpdate);
        return cardToUpdate;
    }
}

In this code snippet, the doUpdate method in the CardUpdateService class is a programmatic example of the Optimistic Offline Lock pattern. It allows the Card entity to be updated without locks and resolves conflicts by checking the version of the Card before the update.

Applicability

  • When multiple transactions need to access and modify the same data simultaneously without causing data inconsistencies.
  • In systems where the likelihood of conflicting transactions is low.
  • When you want to avoid long-duration locks that could hamper performance and scalability.

Tutorials

Known Uses

  • Web-based applications with high-read, low-write access patterns.
  • Distributed systems where locking resources for long durations is not feasible.
  • Java enterprise applications using JPA or Hibernate for data persistence.

Known uses

  • Web-based applications with high-read, low-write access patterns.
  • Distributed systems where locking resources for long durations is not feasible.
  • Java enterprise applications using JPA or Hibernate for data persistence.

Consequences

Benefits:

  • Reduces the need for locking resources, which improves performance.
  • Increases system scalability by allowing more transactions to proceed concurrently.
  • Simplifies transaction management by handling conflicts only when they occur.

Trade-offs:

  • Requires additional logic (versioning, rollback/retry) to handle conflicts, which can complicate the application code.
  • Can lead to more frequent retries of transactions if conflicts are common.
  • Not suitable for high-conflict scenarios where frequent data modification collisions occur.
  • Pessimistic Offline Lock: Unlike the Optimistic Offline Lock, this pattern uses locks to prevent conflicts by locking the data during the entire transaction. It is useful in high-conflict scenarios.
  • Unit of Workopen in new window: Helps in managing a set of changes as a single transaction, ensuring data integrity. It can be used in conjunction with Optimistic Offline Lock to handle complex transactions.
  • Version Numberopen in new window: A common technique used in Optimistic Offline Lock to detect conflicts by maintaining a version number for each data entity.

Credits