Avoid simultaneous execution of PHP code by first gaining a lock.

4.0.0 2020-01-13 11:12 UTC

This package is auto-updated.

Last update: 2024-04-13 20:19:27 UTC


README

Avoid simultaneous execution of PHP code by first gaining a lock.

Build Status Version

Installation

Through Composer, obviously:

composer require chrisharrison/lock

Why?

If you have code that will potentially cause an unwanted race condition when two parallel processed run it at the same time, you may want to introduce a lock so that only one process can execute that code while others wait.

Usage

First create a LockGuard:

$lockGuard = new LockGuard(
    $maxAttempts,
    $attemptIntervalSeconds,
    $lockDriver,
    $lockInspector
);
  • $maxAttempts: int Maximum number of attempts to gain a lock before it gives up.
  • $attemptIntervalSeconds: int Number of seconds between attempts to gain a lock
  • $lockDriver: LockDriver An instance of a class which deals with persisting the lock to whatever storage mechanism
  • $lockInspector: LockInspector An instance of a class which deals with testing validity of a lock

Once you've create a LockGuard you can use it to protect code within a lock:

$flag = false;

$uniqueProcessId = '<ANY-UNIQUE-STRING>';
$lockUntil = DateTimeImmutable::createFromFormat('U', time()+300); // In 5 mins time

$didExecute = $lockGuard->protect('uniq-process-id', $lockUnitl, function () use (&$flag) {
  $flag = true;
});

The above will attempt to set $flag to true.

If there is a lock that hasn't expired and was not created by the same process (identified by $uniqueProcessId) then the code will execute and the method will return true. Else false. As soon as the code has been successfully executed, the lock will be released. This happens even if the $lockUntil time has not been reached. However if the code hasn't completed after the $lockUntil time has been reached then the lock will expire and other processes can execute again. This is to mitigate situations where a lock is never released.

Typical usage

$lockPath = 'lock.json';

$maxAttempts = 5;
$attemptIntervalSeconds = 3;
$lockDriver = new FilesystemLockDriver($lockPath);
$lockInspector = new DefaultLockInspector;

$lockGuard = new LockGuard(
    $maxAttempts,
    $attemptIntervalSeconds,
    $lockDriver,
    $lockInspector
);

The FilesystemLockDriver persists the lock as JSON to a file using the local filesystem. You could create other LockDrivers that use other methods, such as FlySystem to make use of S3.