ArrayLock.php
TLDR
This file contains the implementation of the ArrayLock
class, which is a subclass of the Lock
class in the Illuminate\Cache
namespace. It provides methods for acquiring, releasing, and checking the existence of a lock.
Methods
acquire
Attempts to acquire the lock. Returns true
if the lock was successfully acquired, and false
if the lock already exists and has not expired.
release
Releases the lock. Returns true
if the lock was successfully released, and false
otherwise.
forceRelease
Releases the lock without checking ownership.
exists
Determines if the current lock exists. Returns true
if the lock exists, and false
otherwise.
getCurrentOwner
Returns the owner value written into the driver for this lock.
Classes
ArrayLock
A subclass of the Lock
class. Represents a lock in the array cache store. It has a protected property $store
which references the parent array cache store.
<?php
namespace Illuminate\Cache;
use Illuminate\Support\Carbon;
class ArrayLock extends Lock
{
/**
* The parent array cache store.
*
* @var \Illuminate\Cache\ArrayStore
*/
protected $store;
/**
* Create a new lock instance.
*
* @param \Illuminate\Cache\ArrayStore $store
* @param string $name
* @param int $seconds
* @param string|null $owner
* @return void
*/
public function __construct($store, $name, $seconds, $owner = null)
{
parent::__construct($name, $seconds, $owner);
$this->store = $store;
}
/**
* Attempt to acquire the lock.
*
* @return bool
*/
public function acquire()
{
$expiration = $this->store->locks[$this->name]['expiresAt'] ?? Carbon::now()->addSecond();
if ($this->exists() && $expiration->isFuture()) {
return false;
}
$this->store->locks[$this->name] = [
'owner' => $this->owner,
'expiresAt' => $this->seconds === 0 ? null : Carbon::now()->addSeconds($this->seconds),
];
return true;
}
/**
* Determine if the current lock exists.
*
* @return bool
*/
protected function exists()
{
return isset($this->store->locks[$this->name]);
}
/**
* Release the lock.
*
* @return bool
*/
public function release()
{
if (! $this->exists()) {
return false;
}
if (! $this->isOwnedByCurrentProcess()) {
return false;
}
$this->forceRelease();
return true;
}
/**
* Returns the owner value written into the driver for this lock.
*
* @return string
*/
protected function getCurrentOwner()
{
if (! $this->exists()) {
return null;
}
return $this->store->locks[$this->name]['owner'];
}
/**
* Releases this lock in disregard of ownership.
*
* @return void
*/
public function forceRelease()
{
unset($this->store->locks[$this->name]);
}
}