installation de motranslator
via Composer
This commit is contained in:
377
vendor/symfony/cache/Traits/AbstractAdapterTrait.php
vendored
Normal file
377
vendor/symfony/cache/Traits/AbstractAdapterTrait.php
vendored
Normal file
@@ -0,0 +1,377 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
use Psr\Cache\CacheItemInterface;
|
||||
use Psr\Log\LoggerAwareTrait;
|
||||
use Symfony\Component\Cache\CacheItem;
|
||||
use Symfony\Component\Cache\Exception\InvalidArgumentException;
|
||||
|
||||
/**
|
||||
* @author Nicolas Grekas <p@tchwork.com>
|
||||
*
|
||||
* @internal
|
||||
*/
|
||||
trait AbstractAdapterTrait
|
||||
{
|
||||
use LoggerAwareTrait;
|
||||
|
||||
/**
|
||||
* needs to be set by class, signature is function(string <key>, mixed <value>, bool <isHit>).
|
||||
*/
|
||||
private static \Closure $createCacheItem;
|
||||
|
||||
/**
|
||||
* needs to be set by class, signature is function(array <deferred>, string <namespace>, array <&expiredIds>).
|
||||
*/
|
||||
private static \Closure $mergeByLifetime;
|
||||
|
||||
private string $namespace = '';
|
||||
private int $defaultLifetime;
|
||||
private string $namespaceVersion = '';
|
||||
private bool $versioningIsEnabled = false;
|
||||
private array $deferred = [];
|
||||
private array $ids = [];
|
||||
|
||||
/**
|
||||
* The maximum length to enforce for identifiers or null when no limit applies.
|
||||
*/
|
||||
protected ?int $maxIdLength = null;
|
||||
|
||||
/**
|
||||
* Fetches several cache items.
|
||||
*
|
||||
* @param array $ids The cache identifiers to fetch
|
||||
*/
|
||||
abstract protected function doFetch(array $ids): iterable;
|
||||
|
||||
/**
|
||||
* Confirms if the cache contains specified cache item.
|
||||
*
|
||||
* @param string $id The identifier for which to check existence
|
||||
*/
|
||||
abstract protected function doHave(string $id): bool;
|
||||
|
||||
/**
|
||||
* Deletes all items in the pool.
|
||||
*
|
||||
* @param string $namespace The prefix used for all identifiers managed by this pool
|
||||
*/
|
||||
abstract protected function doClear(string $namespace): bool;
|
||||
|
||||
/**
|
||||
* Removes multiple items from the pool.
|
||||
*
|
||||
* @param array $ids An array of identifiers that should be removed from the pool
|
||||
*/
|
||||
abstract protected function doDelete(array $ids): bool;
|
||||
|
||||
/**
|
||||
* Persists several cache items immediately.
|
||||
*
|
||||
* @param array $values The values to cache, indexed by their cache identifier
|
||||
* @param int $lifetime The lifetime of the cached values, 0 for persisting until manual cleaning
|
||||
*
|
||||
* @return array|bool The identifiers that failed to be cached or a boolean stating if caching succeeded or not
|
||||
*/
|
||||
abstract protected function doSave(array $values, int $lifetime): array|bool;
|
||||
|
||||
public function hasItem(mixed $key): bool
|
||||
{
|
||||
$id = $this->getId($key);
|
||||
|
||||
if (isset($this->deferred[$key])) {
|
||||
$this->commit();
|
||||
}
|
||||
|
||||
try {
|
||||
return $this->doHave($id);
|
||||
} catch (\Exception $e) {
|
||||
CacheItem::log($this->logger, 'Failed to check if key "{key}" is cached: '.$e->getMessage(), ['key' => $key, 'exception' => $e, 'cache-adapter' => get_debug_type($this)]);
|
||||
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
public function clear(string $prefix = ''): bool
|
||||
{
|
||||
$this->deferred = [];
|
||||
if ($cleared = $this->versioningIsEnabled) {
|
||||
if ('' === $namespaceVersionToClear = $this->namespaceVersion) {
|
||||
foreach ($this->doFetch([static::NS_SEPARATOR.$this->namespace]) as $v) {
|
||||
$namespaceVersionToClear = $v;
|
||||
}
|
||||
}
|
||||
$namespaceToClear = $this->namespace.$namespaceVersionToClear;
|
||||
$namespaceVersion = self::formatNamespaceVersion(mt_rand());
|
||||
try {
|
||||
$e = $this->doSave([static::NS_SEPARATOR.$this->namespace => $namespaceVersion], 0);
|
||||
} catch (\Exception $e) {
|
||||
}
|
||||
if (true !== $e && [] !== $e) {
|
||||
$cleared = false;
|
||||
$message = 'Failed to save the new namespace'.($e instanceof \Exception ? ': '.$e->getMessage() : '.');
|
||||
CacheItem::log($this->logger, $message, ['exception' => $e instanceof \Exception ? $e : null, 'cache-adapter' => get_debug_type($this)]);
|
||||
} else {
|
||||
$this->namespaceVersion = $namespaceVersion;
|
||||
$this->ids = [];
|
||||
}
|
||||
} else {
|
||||
$namespaceToClear = $this->namespace.$prefix;
|
||||
}
|
||||
|
||||
try {
|
||||
return $this->doClear($namespaceToClear) || $cleared;
|
||||
} catch (\Exception $e) {
|
||||
CacheItem::log($this->logger, 'Failed to clear the cache: '.$e->getMessage(), ['exception' => $e, 'cache-adapter' => get_debug_type($this)]);
|
||||
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
public function deleteItem(mixed $key): bool
|
||||
{
|
||||
return $this->deleteItems([$key]);
|
||||
}
|
||||
|
||||
public function deleteItems(array $keys): bool
|
||||
{
|
||||
$ids = [];
|
||||
|
||||
foreach ($keys as $key) {
|
||||
$ids[$key] = $this->getId($key);
|
||||
unset($this->deferred[$key]);
|
||||
}
|
||||
|
||||
try {
|
||||
if ($this->doDelete($ids)) {
|
||||
return true;
|
||||
}
|
||||
} catch (\Exception) {
|
||||
}
|
||||
|
||||
$ok = true;
|
||||
|
||||
// When bulk-delete failed, retry each item individually
|
||||
foreach ($ids as $key => $id) {
|
||||
try {
|
||||
$e = null;
|
||||
if ($this->doDelete([$id])) {
|
||||
continue;
|
||||
}
|
||||
} catch (\Exception $e) {
|
||||
}
|
||||
$message = 'Failed to delete key "{key}"'.($e instanceof \Exception ? ': '.$e->getMessage() : '.');
|
||||
CacheItem::log($this->logger, $message, ['key' => $key, 'exception' => $e, 'cache-adapter' => get_debug_type($this)]);
|
||||
$ok = false;
|
||||
}
|
||||
|
||||
return $ok;
|
||||
}
|
||||
|
||||
public function getItem(mixed $key): CacheItem
|
||||
{
|
||||
$id = $this->getId($key);
|
||||
|
||||
if (isset($this->deferred[$key])) {
|
||||
$this->commit();
|
||||
}
|
||||
|
||||
$isHit = false;
|
||||
$value = null;
|
||||
|
||||
try {
|
||||
foreach ($this->doFetch([$id]) as $value) {
|
||||
$isHit = true;
|
||||
}
|
||||
|
||||
return (self::$createCacheItem)($key, $value, $isHit);
|
||||
} catch (\Exception $e) {
|
||||
CacheItem::log($this->logger, 'Failed to fetch key "{key}": '.$e->getMessage(), ['key' => $key, 'exception' => $e, 'cache-adapter' => get_debug_type($this)]);
|
||||
}
|
||||
|
||||
return (self::$createCacheItem)($key, null, false);
|
||||
}
|
||||
|
||||
public function getItems(array $keys = []): iterable
|
||||
{
|
||||
$ids = [];
|
||||
$commit = false;
|
||||
|
||||
foreach ($keys as $key) {
|
||||
$ids[] = $this->getId($key);
|
||||
$commit = $commit || isset($this->deferred[$key]);
|
||||
}
|
||||
|
||||
if ($commit) {
|
||||
$this->commit();
|
||||
}
|
||||
|
||||
try {
|
||||
$items = $this->doFetch($ids);
|
||||
} catch (\Exception $e) {
|
||||
CacheItem::log($this->logger, 'Failed to fetch items: '.$e->getMessage(), ['keys' => $keys, 'exception' => $e, 'cache-adapter' => get_debug_type($this)]);
|
||||
$items = [];
|
||||
}
|
||||
$ids = array_combine($ids, $keys);
|
||||
|
||||
return $this->generateItems($items, $ids);
|
||||
}
|
||||
|
||||
public function save(CacheItemInterface $item): bool
|
||||
{
|
||||
if (!$item instanceof CacheItem) {
|
||||
return false;
|
||||
}
|
||||
$this->deferred[$item->getKey()] = $item;
|
||||
|
||||
return $this->commit();
|
||||
}
|
||||
|
||||
public function saveDeferred(CacheItemInterface $item): bool
|
||||
{
|
||||
if (!$item instanceof CacheItem) {
|
||||
return false;
|
||||
}
|
||||
$this->deferred[$item->getKey()] = $item;
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
/**
|
||||
* Enables/disables versioning of items.
|
||||
*
|
||||
* When versioning is enabled, clearing the cache is atomic and doesn't require listing existing keys to proceed,
|
||||
* but old keys may need garbage collection and extra round-trips to the back-end are required.
|
||||
*
|
||||
* Calling this method also clears the memoized namespace version and thus forces a resynchronization of it.
|
||||
*
|
||||
* @return bool the previous state of versioning
|
||||
*/
|
||||
public function enableVersioning(bool $enable = true): bool
|
||||
{
|
||||
$wasEnabled = $this->versioningIsEnabled;
|
||||
$this->versioningIsEnabled = $enable;
|
||||
$this->namespaceVersion = '';
|
||||
$this->ids = [];
|
||||
|
||||
return $wasEnabled;
|
||||
}
|
||||
|
||||
public function reset(): void
|
||||
{
|
||||
if ($this->deferred) {
|
||||
$this->commit();
|
||||
}
|
||||
$this->namespaceVersion = '';
|
||||
$this->ids = [];
|
||||
}
|
||||
|
||||
public function __sleep(): array
|
||||
{
|
||||
throw new \BadMethodCallException('Cannot serialize '.__CLASS__);
|
||||
}
|
||||
|
||||
public function __wakeup(): void
|
||||
{
|
||||
throw new \BadMethodCallException('Cannot unserialize '.__CLASS__);
|
||||
}
|
||||
|
||||
public function __destruct()
|
||||
{
|
||||
if ($this->deferred) {
|
||||
$this->commit();
|
||||
}
|
||||
}
|
||||
|
||||
private function generateItems(iterable $items, array &$keys): \Generator
|
||||
{
|
||||
$f = self::$createCacheItem;
|
||||
|
||||
try {
|
||||
foreach ($items as $id => $value) {
|
||||
if (!isset($keys[$id])) {
|
||||
throw new InvalidArgumentException(\sprintf('Could not match value id "%s" to keys "%s".', $id, implode('", "', $keys)));
|
||||
}
|
||||
$key = $keys[$id];
|
||||
unset($keys[$id]);
|
||||
yield $key => $f($key, $value, true);
|
||||
}
|
||||
} catch (\Exception $e) {
|
||||
CacheItem::log($this->logger, 'Failed to fetch items: '.$e->getMessage(), ['keys' => array_values($keys), 'exception' => $e, 'cache-adapter' => get_debug_type($this)]);
|
||||
}
|
||||
|
||||
foreach ($keys as $key) {
|
||||
yield $key => $f($key, null, false);
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
protected function getId(mixed $key): string
|
||||
{
|
||||
if ($this->versioningIsEnabled && '' === $this->namespaceVersion) {
|
||||
$this->ids = [];
|
||||
$this->namespaceVersion = '1'.static::NS_SEPARATOR;
|
||||
try {
|
||||
foreach ($this->doFetch([static::NS_SEPARATOR.$this->namespace]) as $v) {
|
||||
$this->namespaceVersion = $v;
|
||||
}
|
||||
$e = true;
|
||||
if ('1'.static::NS_SEPARATOR === $this->namespaceVersion) {
|
||||
$this->namespaceVersion = self::formatNamespaceVersion(time());
|
||||
$e = $this->doSave([static::NS_SEPARATOR.$this->namespace => $this->namespaceVersion], 0);
|
||||
}
|
||||
} catch (\Exception $e) {
|
||||
}
|
||||
if (true !== $e && [] !== $e) {
|
||||
$message = 'Failed to save the new namespace'.($e instanceof \Exception ? ': '.$e->getMessage() : '.');
|
||||
CacheItem::log($this->logger, $message, ['exception' => $e instanceof \Exception ? $e : null, 'cache-adapter' => get_debug_type($this)]);
|
||||
}
|
||||
}
|
||||
|
||||
if (\is_string($key) && isset($this->ids[$key])) {
|
||||
return $this->namespace.$this->namespaceVersion.$this->ids[$key];
|
||||
}
|
||||
\assert('' !== CacheItem::validateKey($key));
|
||||
$this->ids[$key] = $key;
|
||||
|
||||
if (\count($this->ids) > 1000) {
|
||||
$this->ids = \array_slice($this->ids, 500, null, true); // stop memory leak if there are many keys
|
||||
}
|
||||
|
||||
if (null === $this->maxIdLength) {
|
||||
return $this->namespace.$this->namespaceVersion.$key;
|
||||
}
|
||||
if (\strlen($id = $this->namespace.$this->namespaceVersion.$key) > $this->maxIdLength) {
|
||||
// Use xxh128 to favor speed over security, which is not an issue here
|
||||
$this->ids[$key] = $id = substr_replace(base64_encode(hash('xxh128', $key, true)), static::NS_SEPARATOR, -(\strlen($this->namespaceVersion) + 2));
|
||||
$id = $this->namespace.$this->namespaceVersion.$id;
|
||||
}
|
||||
|
||||
return $id;
|
||||
}
|
||||
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
public static function handleUnserializeCallback(string $class): never
|
||||
{
|
||||
throw new \DomainException('Class not found: '.$class);
|
||||
}
|
||||
|
||||
private static function formatNamespaceVersion(int $value): string
|
||||
{
|
||||
return strtr(substr_replace(base64_encode(pack('V', $value)), static::NS_SEPARATOR, 5), '/', '_');
|
||||
}
|
||||
}
|
||||
113
vendor/symfony/cache/Traits/ContractsTrait.php
vendored
Normal file
113
vendor/symfony/cache/Traits/ContractsTrait.php
vendored
Normal file
@@ -0,0 +1,113 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
use Psr\Log\LoggerInterface;
|
||||
use Symfony\Component\Cache\Adapter\AdapterInterface;
|
||||
use Symfony\Component\Cache\CacheItem;
|
||||
use Symfony\Component\Cache\Exception\InvalidArgumentException;
|
||||
use Symfony\Component\Cache\LockRegistry;
|
||||
use Symfony\Contracts\Cache\CacheInterface;
|
||||
use Symfony\Contracts\Cache\CacheTrait;
|
||||
use Symfony\Contracts\Cache\ItemInterface;
|
||||
|
||||
/**
|
||||
* @author Nicolas Grekas <p@tchwork.com>
|
||||
*
|
||||
* @internal
|
||||
*/
|
||||
trait ContractsTrait
|
||||
{
|
||||
use CacheTrait {
|
||||
doGet as private contractsGet;
|
||||
}
|
||||
|
||||
private \Closure $callbackWrapper;
|
||||
private array $computing = [];
|
||||
|
||||
/**
|
||||
* Wraps the callback passed to ->get() in a callable.
|
||||
*
|
||||
* @return callable the previous callback wrapper
|
||||
*/
|
||||
public function setCallbackWrapper(?callable $callbackWrapper): callable
|
||||
{
|
||||
if (!isset($this->callbackWrapper)) {
|
||||
$this->callbackWrapper = LockRegistry::compute(...);
|
||||
|
||||
if (\in_array(\PHP_SAPI, ['cli', 'phpdbg', 'embed'], true)) {
|
||||
$this->setCallbackWrapper(null);
|
||||
}
|
||||
}
|
||||
|
||||
if (null !== $callbackWrapper && !$callbackWrapper instanceof \Closure) {
|
||||
$callbackWrapper = $callbackWrapper(...);
|
||||
}
|
||||
|
||||
$previousWrapper = $this->callbackWrapper;
|
||||
$this->callbackWrapper = $callbackWrapper ?? static fn (callable $callback, ItemInterface $item, bool &$save, CacheInterface $pool, \Closure $setMetadata, ?LoggerInterface $logger) => $callback($item, $save);
|
||||
|
||||
return $previousWrapper;
|
||||
}
|
||||
|
||||
private function doGet(AdapterInterface $pool, string $key, callable $callback, ?float $beta, ?array &$metadata = null): mixed
|
||||
{
|
||||
if (0 > $beta ??= 1.0) {
|
||||
throw new InvalidArgumentException(\sprintf('Argument "$beta" provided to "%s::get()" must be a positive number, %f given.', static::class, $beta));
|
||||
}
|
||||
|
||||
static $setMetadata;
|
||||
|
||||
$setMetadata ??= \Closure::bind(
|
||||
static function (CacheItem $item, float $startTime, ?array &$metadata) {
|
||||
if ($item->expiry > $endTime = microtime(true)) {
|
||||
$item->newMetadata[CacheItem::METADATA_EXPIRY] = $metadata[CacheItem::METADATA_EXPIRY] = $item->expiry;
|
||||
$item->newMetadata[CacheItem::METADATA_CTIME] = $metadata[CacheItem::METADATA_CTIME] = (int) ceil(1000 * ($endTime - $startTime));
|
||||
} else {
|
||||
unset($metadata[CacheItem::METADATA_EXPIRY], $metadata[CacheItem::METADATA_CTIME], $metadata[CacheItem::METADATA_TAGS]);
|
||||
}
|
||||
},
|
||||
null,
|
||||
CacheItem::class
|
||||
);
|
||||
|
||||
$this->callbackWrapper ??= LockRegistry::compute(...);
|
||||
|
||||
return $this->contractsGet($pool, $key, function (CacheItem $item, bool &$save) use ($pool, $callback, $setMetadata, &$metadata, $key) {
|
||||
// don't wrap nor save recursive calls
|
||||
if (isset($this->computing[$key])) {
|
||||
$value = $callback($item, $save);
|
||||
$save = false;
|
||||
|
||||
return $value;
|
||||
}
|
||||
|
||||
$this->computing[$key] = $key;
|
||||
$startTime = microtime(true);
|
||||
|
||||
if (!isset($this->callbackWrapper)) {
|
||||
$this->setCallbackWrapper($this->setCallbackWrapper(null));
|
||||
}
|
||||
|
||||
try {
|
||||
$value = ($this->callbackWrapper)($callback, $item, $save, $pool, function (CacheItem $item) use ($setMetadata, $startTime, &$metadata) {
|
||||
$setMetadata($item, $startTime, $metadata);
|
||||
}, $this->logger ?? null);
|
||||
$setMetadata($item, $startTime, $metadata);
|
||||
|
||||
return $value;
|
||||
} finally {
|
||||
unset($this->computing[$key]);
|
||||
}
|
||||
}, $beta, $metadata, $this->logger ?? null);
|
||||
}
|
||||
}
|
||||
190
vendor/symfony/cache/Traits/FilesystemCommonTrait.php
vendored
Normal file
190
vendor/symfony/cache/Traits/FilesystemCommonTrait.php
vendored
Normal file
@@ -0,0 +1,190 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
use Symfony\Component\Cache\Exception\InvalidArgumentException;
|
||||
|
||||
/**
|
||||
* @author Nicolas Grekas <p@tchwork.com>
|
||||
*
|
||||
* @internal
|
||||
*/
|
||||
trait FilesystemCommonTrait
|
||||
{
|
||||
private string $directory;
|
||||
private string $tmpSuffix;
|
||||
|
||||
private function init(string $namespace, ?string $directory): void
|
||||
{
|
||||
if (!isset($directory[0])) {
|
||||
$directory = sys_get_temp_dir().\DIRECTORY_SEPARATOR.'symfony-cache';
|
||||
} else {
|
||||
$directory = realpath($directory) ?: $directory;
|
||||
}
|
||||
if (isset($namespace[0])) {
|
||||
if (preg_match('#[^-+_.A-Za-z0-9]#', $namespace, $match)) {
|
||||
throw new InvalidArgumentException(\sprintf('Namespace contains "%s" but only characters in [-+_.A-Za-z0-9] are allowed.', $match[0]));
|
||||
}
|
||||
$directory .= \DIRECTORY_SEPARATOR.$namespace;
|
||||
} else {
|
||||
$directory .= \DIRECTORY_SEPARATOR.'@';
|
||||
}
|
||||
if (!is_dir($directory)) {
|
||||
@mkdir($directory, 0777, true);
|
||||
}
|
||||
$directory .= \DIRECTORY_SEPARATOR;
|
||||
// On Windows the whole path is limited to 258 chars
|
||||
if ('\\' === \DIRECTORY_SEPARATOR && \strlen($directory) > 234) {
|
||||
throw new InvalidArgumentException(\sprintf('Cache directory too long (%s).', $directory));
|
||||
}
|
||||
|
||||
$this->directory = $directory;
|
||||
}
|
||||
|
||||
protected function doClear(string $namespace): bool
|
||||
{
|
||||
$ok = true;
|
||||
|
||||
foreach ($this->scanHashDir($this->directory) as $file) {
|
||||
if ('' !== $namespace && !str_starts_with($this->getFileKey($file), $namespace)) {
|
||||
continue;
|
||||
}
|
||||
|
||||
$ok = ($this->doUnlink($file) || !file_exists($file)) && $ok;
|
||||
}
|
||||
|
||||
return $ok;
|
||||
}
|
||||
|
||||
protected function doDelete(array $ids): bool
|
||||
{
|
||||
$ok = true;
|
||||
|
||||
foreach ($ids as $id) {
|
||||
$file = $this->getFile($id);
|
||||
$ok = (!is_file($file) || $this->doUnlink($file) || !file_exists($file)) && $ok;
|
||||
}
|
||||
|
||||
return $ok;
|
||||
}
|
||||
|
||||
protected function doUnlink(string $file): bool
|
||||
{
|
||||
return @unlink($file);
|
||||
}
|
||||
|
||||
private function write(string $file, string $data, ?int $expiresAt = null): bool
|
||||
{
|
||||
$unlink = false;
|
||||
set_error_handler(static fn ($type, $message, $file, $line) => throw new \ErrorException($message, 0, $type, $file, $line));
|
||||
try {
|
||||
$tmp = $this->directory.$this->tmpSuffix ??= str_replace('/', '-', base64_encode(random_bytes(6)));
|
||||
try {
|
||||
$h = fopen($tmp, 'x');
|
||||
} catch (\ErrorException $e) {
|
||||
if (!str_contains($e->getMessage(), 'File exists')) {
|
||||
throw $e;
|
||||
}
|
||||
|
||||
$tmp = $this->directory.$this->tmpSuffix = str_replace('/', '-', base64_encode(random_bytes(6)));
|
||||
$h = fopen($tmp, 'x');
|
||||
}
|
||||
fwrite($h, $data);
|
||||
fclose($h);
|
||||
$unlink = true;
|
||||
|
||||
if (null !== $expiresAt) {
|
||||
touch($tmp, $expiresAt ?: time() + 31556952); // 1 year in seconds
|
||||
}
|
||||
|
||||
if ('\\' === \DIRECTORY_SEPARATOR) {
|
||||
$success = copy($tmp, $file);
|
||||
} else {
|
||||
$success = rename($tmp, $file);
|
||||
$unlink = !$success;
|
||||
}
|
||||
|
||||
return $success;
|
||||
} finally {
|
||||
restore_error_handler();
|
||||
|
||||
if ($unlink) {
|
||||
@unlink($tmp);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
private function getFile(string $id, bool $mkdir = false, ?string $directory = null): string
|
||||
{
|
||||
// Use xxh128 to favor speed over security, which is not an issue here
|
||||
$hash = str_replace('/', '-', base64_encode(hash('xxh128', static::class.$id, true)));
|
||||
$dir = ($directory ?? $this->directory).strtoupper($hash[0].\DIRECTORY_SEPARATOR.$hash[1].\DIRECTORY_SEPARATOR);
|
||||
|
||||
if ($mkdir && !is_dir($dir)) {
|
||||
@mkdir($dir, 0777, true);
|
||||
}
|
||||
|
||||
return $dir.substr($hash, 2, 20);
|
||||
}
|
||||
|
||||
private function getFileKey(string $file): string
|
||||
{
|
||||
return '';
|
||||
}
|
||||
|
||||
private function scanHashDir(string $directory): \Generator
|
||||
{
|
||||
if (!is_dir($directory)) {
|
||||
return;
|
||||
}
|
||||
|
||||
$chars = '+-ABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789';
|
||||
|
||||
for ($i = 0; $i < 38; ++$i) {
|
||||
if (!is_dir($directory.$chars[$i])) {
|
||||
continue;
|
||||
}
|
||||
|
||||
for ($j = 0; $j < 38; ++$j) {
|
||||
if (!is_dir($dir = $directory.$chars[$i].\DIRECTORY_SEPARATOR.$chars[$j])) {
|
||||
continue;
|
||||
}
|
||||
|
||||
foreach (@scandir($dir, \SCANDIR_SORT_NONE) ?: [] as $file) {
|
||||
if ('.' !== $file && '..' !== $file) {
|
||||
yield $dir.\DIRECTORY_SEPARATOR.$file;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public function __sleep(): array
|
||||
{
|
||||
throw new \BadMethodCallException('Cannot serialize '.__CLASS__);
|
||||
}
|
||||
|
||||
public function __wakeup(): void
|
||||
{
|
||||
throw new \BadMethodCallException('Cannot unserialize '.__CLASS__);
|
||||
}
|
||||
|
||||
public function __destruct()
|
||||
{
|
||||
if (method_exists(parent::class, '__destruct')) {
|
||||
parent::__destruct();
|
||||
}
|
||||
if (isset($this->tmpSuffix) && is_file($this->directory.$this->tmpSuffix)) {
|
||||
unlink($this->directory.$this->tmpSuffix);
|
||||
}
|
||||
}
|
||||
}
|
||||
113
vendor/symfony/cache/Traits/FilesystemTrait.php
vendored
Normal file
113
vendor/symfony/cache/Traits/FilesystemTrait.php
vendored
Normal file
@@ -0,0 +1,113 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
use Symfony\Component\Cache\Exception\CacheException;
|
||||
use Symfony\Component\Cache\Marshaller\MarshallerInterface;
|
||||
|
||||
/**
|
||||
* @author Nicolas Grekas <p@tchwork.com>
|
||||
* @author Rob Frawley 2nd <rmf@src.run>
|
||||
*
|
||||
* @internal
|
||||
*/
|
||||
trait FilesystemTrait
|
||||
{
|
||||
use FilesystemCommonTrait;
|
||||
|
||||
private MarshallerInterface $marshaller;
|
||||
|
||||
public function prune(): bool
|
||||
{
|
||||
$time = time();
|
||||
$pruned = true;
|
||||
|
||||
foreach ($this->scanHashDir($this->directory) as $file) {
|
||||
if (!$h = @fopen($file, 'r')) {
|
||||
continue;
|
||||
}
|
||||
|
||||
if (($expiresAt = (int) fgets($h)) && $time >= $expiresAt) {
|
||||
fclose($h);
|
||||
$pruned = (@unlink($file) || !file_exists($file)) && $pruned;
|
||||
} else {
|
||||
fclose($h);
|
||||
}
|
||||
}
|
||||
|
||||
return $pruned;
|
||||
}
|
||||
|
||||
protected function doFetch(array $ids): iterable
|
||||
{
|
||||
$values = [];
|
||||
$now = time();
|
||||
|
||||
foreach ($ids as $id) {
|
||||
$file = $this->getFile($id);
|
||||
if (!is_file($file) || !$h = @fopen($file, 'r')) {
|
||||
continue;
|
||||
}
|
||||
if (($expiresAt = (int) fgets($h)) && $now >= $expiresAt) {
|
||||
fclose($h);
|
||||
@unlink($file);
|
||||
} else {
|
||||
$i = rawurldecode(rtrim(fgets($h)));
|
||||
$value = stream_get_contents($h);
|
||||
fclose($h);
|
||||
if ($i === $id) {
|
||||
$values[$id] = $this->marshaller->unmarshall($value);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
return $values;
|
||||
}
|
||||
|
||||
protected function doHave(string $id): bool
|
||||
{
|
||||
$file = $this->getFile($id);
|
||||
|
||||
return is_file($file) && (@filemtime($file) > time() || $this->doFetch([$id]));
|
||||
}
|
||||
|
||||
protected function doSave(array $values, int $lifetime): array|bool
|
||||
{
|
||||
$expiresAt = $lifetime ? (time() + $lifetime) : 0;
|
||||
$values = $this->marshaller->marshall($values, $failed);
|
||||
|
||||
foreach ($values as $id => $value) {
|
||||
if (!$this->write($this->getFile($id, true), $expiresAt."\n".rawurlencode($id)."\n".$value, $expiresAt)) {
|
||||
$failed[] = $id;
|
||||
}
|
||||
}
|
||||
|
||||
if ($failed && !is_writable($this->directory)) {
|
||||
throw new CacheException(\sprintf('Cache directory is not writable (%s).', $this->directory));
|
||||
}
|
||||
|
||||
return $failed;
|
||||
}
|
||||
|
||||
private function getFileKey(string $file): string
|
||||
{
|
||||
if (!$h = @fopen($file, 'r')) {
|
||||
return '';
|
||||
}
|
||||
|
||||
fgets($h); // expiry
|
||||
$encodedKey = fgets($h);
|
||||
fclose($h);
|
||||
|
||||
return rawurldecode(rtrim($encodedKey));
|
||||
}
|
||||
}
|
||||
37
vendor/symfony/cache/Traits/ProxyTrait.php
vendored
Normal file
37
vendor/symfony/cache/Traits/ProxyTrait.php
vendored
Normal file
@@ -0,0 +1,37 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
use Symfony\Component\Cache\PruneableInterface;
|
||||
use Symfony\Contracts\Service\ResetInterface;
|
||||
|
||||
/**
|
||||
* @author Nicolas Grekas <p@tchwork.com>
|
||||
*
|
||||
* @internal
|
||||
*/
|
||||
trait ProxyTrait
|
||||
{
|
||||
private object $pool;
|
||||
|
||||
public function prune(): bool
|
||||
{
|
||||
return $this->pool instanceof PruneableInterface && $this->pool->prune();
|
||||
}
|
||||
|
||||
public function reset(): void
|
||||
{
|
||||
if ($this->pool instanceof ResetInterface) {
|
||||
$this->pool->reset();
|
||||
}
|
||||
}
|
||||
}
|
||||
1225
vendor/symfony/cache/Traits/Redis5Proxy.php
vendored
Normal file
1225
vendor/symfony/cache/Traits/Redis5Proxy.php
vendored
Normal file
File diff suppressed because it is too large
Load Diff
1266
vendor/symfony/cache/Traits/Redis6Proxy.php
vendored
Normal file
1266
vendor/symfony/cache/Traits/Redis6Proxy.php
vendored
Normal file
File diff suppressed because it is too large
Load Diff
81
vendor/symfony/cache/Traits/Redis6ProxyTrait.php
vendored
Normal file
81
vendor/symfony/cache/Traits/Redis6ProxyTrait.php
vendored
Normal file
@@ -0,0 +1,81 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
if (version_compare(phpversion('redis'), '6.1.0-dev', '>=')) {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait Redis6ProxyTrait
|
||||
{
|
||||
public function dump($key): \Redis|string|false
|
||||
{
|
||||
return $this->initializeLazyObject()->dump(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hRandField($key, $options = null): \Redis|array|string|false
|
||||
{
|
||||
return $this->initializeLazyObject()->hRandField(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hSet($key, ...$fields_and_vals): \Redis|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->hSet(...\func_get_args());
|
||||
}
|
||||
|
||||
public function mget($keys): \Redis|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->mget(...\func_get_args());
|
||||
}
|
||||
|
||||
public function sRandMember($key, $count = 0): mixed
|
||||
{
|
||||
return $this->initializeLazyObject()->sRandMember(...\func_get_args());
|
||||
}
|
||||
|
||||
public function waitaof($numlocal, $numreplicas, $timeout): \Redis|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->waitaof(...\func_get_args());
|
||||
}
|
||||
}
|
||||
} else {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait Redis6ProxyTrait
|
||||
{
|
||||
public function dump($key): \Redis|string
|
||||
{
|
||||
return $this->initializeLazyObject()->dump(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hRandField($key, $options = null): \Redis|array|string
|
||||
{
|
||||
return $this->initializeLazyObject()->hRandField(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hSet($key, $member, $value): \Redis|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->hSet(...\func_get_args());
|
||||
}
|
||||
|
||||
public function mget($keys): \Redis|array
|
||||
{
|
||||
return $this->initializeLazyObject()->mget(...\func_get_args());
|
||||
}
|
||||
|
||||
public function sRandMember($key, $count = 0): \Redis|array|false|string
|
||||
{
|
||||
return $this->initializeLazyObject()->sRandMember(...\func_get_args());
|
||||
}
|
||||
}
|
||||
}
|
||||
980
vendor/symfony/cache/Traits/RedisCluster5Proxy.php
vendored
Normal file
980
vendor/symfony/cache/Traits/RedisCluster5Proxy.php
vendored
Normal file
@@ -0,0 +1,980 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
use Symfony\Component\VarExporter\LazyObjectInterface;
|
||||
use Symfony\Contracts\Service\ResetInterface;
|
||||
|
||||
// Help opcache.preload discover always-needed symbols
|
||||
class_exists(\Symfony\Component\VarExporter\Internal\Hydrator::class);
|
||||
class_exists(\Symfony\Component\VarExporter\Internal\LazyObjectRegistry::class);
|
||||
class_exists(\Symfony\Component\VarExporter\Internal\LazyObjectState::class);
|
||||
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
class RedisCluster5Proxy extends \RedisCluster implements ResetInterface, LazyObjectInterface
|
||||
{
|
||||
use RedisProxyTrait {
|
||||
resetLazyObject as reset;
|
||||
}
|
||||
|
||||
public function __construct($name, $seeds = null, $timeout = null, $read_timeout = null, $persistent = null, #[\SensitiveParameter] $auth = null)
|
||||
{
|
||||
$this->initializeLazyObject()->__construct(...\func_get_args());
|
||||
}
|
||||
|
||||
public function _masters()
|
||||
{
|
||||
return $this->initializeLazyObject()->_masters(...\func_get_args());
|
||||
}
|
||||
|
||||
public function _prefix($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->_prefix(...\func_get_args());
|
||||
}
|
||||
|
||||
public function _redir()
|
||||
{
|
||||
return $this->initializeLazyObject()->_redir(...\func_get_args());
|
||||
}
|
||||
|
||||
public function _serialize($value)
|
||||
{
|
||||
return $this->initializeLazyObject()->_serialize(...\func_get_args());
|
||||
}
|
||||
|
||||
public function _unserialize($value)
|
||||
{
|
||||
return $this->initializeLazyObject()->_unserialize(...\func_get_args());
|
||||
}
|
||||
|
||||
public function _compress($value)
|
||||
{
|
||||
return $this->initializeLazyObject()->_compress(...\func_get_args());
|
||||
}
|
||||
|
||||
public function _uncompress($value)
|
||||
{
|
||||
return $this->initializeLazyObject()->_uncompress(...\func_get_args());
|
||||
}
|
||||
|
||||
public function _pack($value)
|
||||
{
|
||||
return $this->initializeLazyObject()->_pack(...\func_get_args());
|
||||
}
|
||||
|
||||
public function _unpack($value)
|
||||
{
|
||||
return $this->initializeLazyObject()->_unpack(...\func_get_args());
|
||||
}
|
||||
|
||||
public function acl($key_or_address, $subcmd, ...$args)
|
||||
{
|
||||
return $this->initializeLazyObject()->acl(...\func_get_args());
|
||||
}
|
||||
|
||||
public function append($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->append(...\func_get_args());
|
||||
}
|
||||
|
||||
public function bgrewriteaof($key_or_address)
|
||||
{
|
||||
return $this->initializeLazyObject()->bgrewriteaof(...\func_get_args());
|
||||
}
|
||||
|
||||
public function bgsave($key_or_address)
|
||||
{
|
||||
return $this->initializeLazyObject()->bgsave(...\func_get_args());
|
||||
}
|
||||
|
||||
public function bitcount($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->bitcount(...\func_get_args());
|
||||
}
|
||||
|
||||
public function bitop($operation, $ret_key, $key, ...$other_keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->bitop(...\func_get_args());
|
||||
}
|
||||
|
||||
public function bitpos($key, $bit, $start = null, $end = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->bitpos(...\func_get_args());
|
||||
}
|
||||
|
||||
public function blpop($key, $timeout_or_key, ...$extra_args)
|
||||
{
|
||||
return $this->initializeLazyObject()->blpop(...\func_get_args());
|
||||
}
|
||||
|
||||
public function brpop($key, $timeout_or_key, ...$extra_args)
|
||||
{
|
||||
return $this->initializeLazyObject()->brpop(...\func_get_args());
|
||||
}
|
||||
|
||||
public function brpoplpush($src, $dst, $timeout)
|
||||
{
|
||||
return $this->initializeLazyObject()->brpoplpush(...\func_get_args());
|
||||
}
|
||||
|
||||
public function clearlasterror()
|
||||
{
|
||||
return $this->initializeLazyObject()->clearlasterror(...\func_get_args());
|
||||
}
|
||||
|
||||
public function bzpopmax($key, $timeout_or_key, ...$extra_args)
|
||||
{
|
||||
return $this->initializeLazyObject()->bzpopmax(...\func_get_args());
|
||||
}
|
||||
|
||||
public function bzpopmin($key, $timeout_or_key, ...$extra_args)
|
||||
{
|
||||
return $this->initializeLazyObject()->bzpopmin(...\func_get_args());
|
||||
}
|
||||
|
||||
public function client($key_or_address, $arg = null, ...$other_args)
|
||||
{
|
||||
return $this->initializeLazyObject()->client(...\func_get_args());
|
||||
}
|
||||
|
||||
public function close()
|
||||
{
|
||||
return $this->initializeLazyObject()->close(...\func_get_args());
|
||||
}
|
||||
|
||||
public function cluster($key_or_address, $arg = null, ...$other_args)
|
||||
{
|
||||
return $this->initializeLazyObject()->cluster(...\func_get_args());
|
||||
}
|
||||
|
||||
public function command(...$args)
|
||||
{
|
||||
return $this->initializeLazyObject()->command(...\func_get_args());
|
||||
}
|
||||
|
||||
public function config($key_or_address, $arg = null, ...$other_args)
|
||||
{
|
||||
return $this->initializeLazyObject()->config(...\func_get_args());
|
||||
}
|
||||
|
||||
public function dbsize($key_or_address)
|
||||
{
|
||||
return $this->initializeLazyObject()->dbsize(...\func_get_args());
|
||||
}
|
||||
|
||||
public function decr($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->decr(...\func_get_args());
|
||||
}
|
||||
|
||||
public function decrby($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->decrby(...\func_get_args());
|
||||
}
|
||||
|
||||
public function del($key, ...$other_keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->del(...\func_get_args());
|
||||
}
|
||||
|
||||
public function discard()
|
||||
{
|
||||
return $this->initializeLazyObject()->discard(...\func_get_args());
|
||||
}
|
||||
|
||||
public function dump($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->dump(...\func_get_args());
|
||||
}
|
||||
|
||||
public function echo($msg)
|
||||
{
|
||||
return $this->initializeLazyObject()->echo(...\func_get_args());
|
||||
}
|
||||
|
||||
public function eval($script, $args = null, $num_keys = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->eval(...\func_get_args());
|
||||
}
|
||||
|
||||
public function evalsha($script_sha, $args = null, $num_keys = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->evalsha(...\func_get_args());
|
||||
}
|
||||
|
||||
public function exec()
|
||||
{
|
||||
return $this->initializeLazyObject()->exec(...\func_get_args());
|
||||
}
|
||||
|
||||
public function exists($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->exists(...\func_get_args());
|
||||
}
|
||||
|
||||
public function expire($key, $timeout)
|
||||
{
|
||||
return $this->initializeLazyObject()->expire(...\func_get_args());
|
||||
}
|
||||
|
||||
public function expireat($key, $timestamp)
|
||||
{
|
||||
return $this->initializeLazyObject()->expireat(...\func_get_args());
|
||||
}
|
||||
|
||||
public function flushall($key_or_address, $async = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->flushall(...\func_get_args());
|
||||
}
|
||||
|
||||
public function flushdb($key_or_address, $async = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->flushdb(...\func_get_args());
|
||||
}
|
||||
|
||||
public function geoadd($key, $lng, $lat, $member, ...$other_triples)
|
||||
{
|
||||
return $this->initializeLazyObject()->geoadd(...\func_get_args());
|
||||
}
|
||||
|
||||
public function geodist($key, $src, $dst, $unit = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->geodist(...\func_get_args());
|
||||
}
|
||||
|
||||
public function geohash($key, $member, ...$other_members)
|
||||
{
|
||||
return $this->initializeLazyObject()->geohash(...\func_get_args());
|
||||
}
|
||||
|
||||
public function geopos($key, $member, ...$other_members)
|
||||
{
|
||||
return $this->initializeLazyObject()->geopos(...\func_get_args());
|
||||
}
|
||||
|
||||
public function georadius($key, $lng, $lan, $radius, $unit, $opts = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->georadius(...\func_get_args());
|
||||
}
|
||||
|
||||
public function georadius_ro($key, $lng, $lan, $radius, $unit, $opts = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->georadius_ro(...\func_get_args());
|
||||
}
|
||||
|
||||
public function georadiusbymember($key, $member, $radius, $unit, $opts = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->georadiusbymember(...\func_get_args());
|
||||
}
|
||||
|
||||
public function georadiusbymember_ro($key, $member, $radius, $unit, $opts = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->georadiusbymember_ro(...\func_get_args());
|
||||
}
|
||||
|
||||
public function get($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->get(...\func_get_args());
|
||||
}
|
||||
|
||||
public function getbit($key, $offset)
|
||||
{
|
||||
return $this->initializeLazyObject()->getbit(...\func_get_args());
|
||||
}
|
||||
|
||||
public function getlasterror()
|
||||
{
|
||||
return $this->initializeLazyObject()->getlasterror(...\func_get_args());
|
||||
}
|
||||
|
||||
public function getmode()
|
||||
{
|
||||
return $this->initializeLazyObject()->getmode(...\func_get_args());
|
||||
}
|
||||
|
||||
public function getoption($option)
|
||||
{
|
||||
return $this->initializeLazyObject()->getoption(...\func_get_args());
|
||||
}
|
||||
|
||||
public function getrange($key, $start, $end)
|
||||
{
|
||||
return $this->initializeLazyObject()->getrange(...\func_get_args());
|
||||
}
|
||||
|
||||
public function getset($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->getset(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hdel($key, $member, ...$other_members)
|
||||
{
|
||||
return $this->initializeLazyObject()->hdel(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hexists($key, $member)
|
||||
{
|
||||
return $this->initializeLazyObject()->hexists(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hget($key, $member)
|
||||
{
|
||||
return $this->initializeLazyObject()->hget(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hgetall($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->hgetall(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hincrby($key, $member, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->hincrby(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hincrbyfloat($key, $member, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->hincrbyfloat(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hkeys($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->hkeys(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hlen($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->hlen(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hmget($key, $keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->hmget(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hmset($key, $pairs)
|
||||
{
|
||||
return $this->initializeLazyObject()->hmset(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hscan($str_key, &$i_iterator, $str_pattern = null, $i_count = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->hscan($str_key, $i_iterator, ...\array_slice(\func_get_args(), 2));
|
||||
}
|
||||
|
||||
public function hset($key, $member, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->hset(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hsetnx($key, $member, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->hsetnx(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hstrlen($key, $member)
|
||||
{
|
||||
return $this->initializeLazyObject()->hstrlen(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hvals($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->hvals(...\func_get_args());
|
||||
}
|
||||
|
||||
public function incr($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->incr(...\func_get_args());
|
||||
}
|
||||
|
||||
public function incrby($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->incrby(...\func_get_args());
|
||||
}
|
||||
|
||||
public function incrbyfloat($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->incrbyfloat(...\func_get_args());
|
||||
}
|
||||
|
||||
public function info($key_or_address, $option = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->info(...\func_get_args());
|
||||
}
|
||||
|
||||
public function keys($pattern)
|
||||
{
|
||||
return $this->initializeLazyObject()->keys(...\func_get_args());
|
||||
}
|
||||
|
||||
public function lastsave($key_or_address)
|
||||
{
|
||||
return $this->initializeLazyObject()->lastsave(...\func_get_args());
|
||||
}
|
||||
|
||||
public function lget($key, $index)
|
||||
{
|
||||
return $this->initializeLazyObject()->lget(...\func_get_args());
|
||||
}
|
||||
|
||||
public function lindex($key, $index)
|
||||
{
|
||||
return $this->initializeLazyObject()->lindex(...\func_get_args());
|
||||
}
|
||||
|
||||
public function linsert($key, $position, $pivot, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->linsert(...\func_get_args());
|
||||
}
|
||||
|
||||
public function llen($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->llen(...\func_get_args());
|
||||
}
|
||||
|
||||
public function lpop($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->lpop(...\func_get_args());
|
||||
}
|
||||
|
||||
public function lpush($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->lpush(...\func_get_args());
|
||||
}
|
||||
|
||||
public function lpushx($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->lpushx(...\func_get_args());
|
||||
}
|
||||
|
||||
public function lrange($key, $start, $end)
|
||||
{
|
||||
return $this->initializeLazyObject()->lrange(...\func_get_args());
|
||||
}
|
||||
|
||||
public function lrem($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->lrem(...\func_get_args());
|
||||
}
|
||||
|
||||
public function lset($key, $index, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->lset(...\func_get_args());
|
||||
}
|
||||
|
||||
public function ltrim($key, $start, $stop)
|
||||
{
|
||||
return $this->initializeLazyObject()->ltrim(...\func_get_args());
|
||||
}
|
||||
|
||||
public function mget($keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->mget(...\func_get_args());
|
||||
}
|
||||
|
||||
public function mset($pairs)
|
||||
{
|
||||
return $this->initializeLazyObject()->mset(...\func_get_args());
|
||||
}
|
||||
|
||||
public function msetnx($pairs)
|
||||
{
|
||||
return $this->initializeLazyObject()->msetnx(...\func_get_args());
|
||||
}
|
||||
|
||||
public function multi()
|
||||
{
|
||||
return $this->initializeLazyObject()->multi(...\func_get_args());
|
||||
}
|
||||
|
||||
public function object($field, $key)
|
||||
{
|
||||
return $this->initializeLazyObject()->object(...\func_get_args());
|
||||
}
|
||||
|
||||
public function persist($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->persist(...\func_get_args());
|
||||
}
|
||||
|
||||
public function pexpire($key, $timestamp)
|
||||
{
|
||||
return $this->initializeLazyObject()->pexpire(...\func_get_args());
|
||||
}
|
||||
|
||||
public function pexpireat($key, $timestamp)
|
||||
{
|
||||
return $this->initializeLazyObject()->pexpireat(...\func_get_args());
|
||||
}
|
||||
|
||||
public function pfadd($key, $elements)
|
||||
{
|
||||
return $this->initializeLazyObject()->pfadd(...\func_get_args());
|
||||
}
|
||||
|
||||
public function pfcount($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->pfcount(...\func_get_args());
|
||||
}
|
||||
|
||||
public function pfmerge($dstkey, $keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->pfmerge(...\func_get_args());
|
||||
}
|
||||
|
||||
public function ping($key_or_address)
|
||||
{
|
||||
return $this->initializeLazyObject()->ping(...\func_get_args());
|
||||
}
|
||||
|
||||
public function psetex($key, $expire, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->psetex(...\func_get_args());
|
||||
}
|
||||
|
||||
public function psubscribe($patterns, $callback)
|
||||
{
|
||||
return $this->initializeLazyObject()->psubscribe(...\func_get_args());
|
||||
}
|
||||
|
||||
public function pttl($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->pttl(...\func_get_args());
|
||||
}
|
||||
|
||||
public function publish($channel, $message)
|
||||
{
|
||||
return $this->initializeLazyObject()->publish(...\func_get_args());
|
||||
}
|
||||
|
||||
public function pubsub($key_or_address, $arg = null, ...$other_args)
|
||||
{
|
||||
return $this->initializeLazyObject()->pubsub(...\func_get_args());
|
||||
}
|
||||
|
||||
public function punsubscribe($pattern, ...$other_patterns)
|
||||
{
|
||||
return $this->initializeLazyObject()->punsubscribe(...\func_get_args());
|
||||
}
|
||||
|
||||
public function randomkey($key_or_address)
|
||||
{
|
||||
return $this->initializeLazyObject()->randomkey(...\func_get_args());
|
||||
}
|
||||
|
||||
public function rawcommand($cmd, ...$args)
|
||||
{
|
||||
return $this->initializeLazyObject()->rawcommand(...\func_get_args());
|
||||
}
|
||||
|
||||
public function rename($key, $newkey)
|
||||
{
|
||||
return $this->initializeLazyObject()->rename(...\func_get_args());
|
||||
}
|
||||
|
||||
public function renamenx($key, $newkey)
|
||||
{
|
||||
return $this->initializeLazyObject()->renamenx(...\func_get_args());
|
||||
}
|
||||
|
||||
public function restore($ttl, $key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->restore(...\func_get_args());
|
||||
}
|
||||
|
||||
public function role()
|
||||
{
|
||||
return $this->initializeLazyObject()->role(...\func_get_args());
|
||||
}
|
||||
|
||||
public function rpop($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->rpop(...\func_get_args());
|
||||
}
|
||||
|
||||
public function rpoplpush($src, $dst)
|
||||
{
|
||||
return $this->initializeLazyObject()->rpoplpush(...\func_get_args());
|
||||
}
|
||||
|
||||
public function rpush($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->rpush(...\func_get_args());
|
||||
}
|
||||
|
||||
public function rpushx($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->rpushx(...\func_get_args());
|
||||
}
|
||||
|
||||
public function sadd($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->sadd(...\func_get_args());
|
||||
}
|
||||
|
||||
public function saddarray($key, $options)
|
||||
{
|
||||
return $this->initializeLazyObject()->saddarray(...\func_get_args());
|
||||
}
|
||||
|
||||
public function save($key_or_address)
|
||||
{
|
||||
return $this->initializeLazyObject()->save(...\func_get_args());
|
||||
}
|
||||
|
||||
public function scan(&$i_iterator, $str_node, $str_pattern = null, $i_count = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->scan($i_iterator, ...\array_slice(\func_get_args(), 1));
|
||||
}
|
||||
|
||||
public function scard($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->scard(...\func_get_args());
|
||||
}
|
||||
|
||||
public function script($key_or_address, $arg = null, ...$other_args)
|
||||
{
|
||||
return $this->initializeLazyObject()->script(...\func_get_args());
|
||||
}
|
||||
|
||||
public function sdiff($key, ...$other_keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->sdiff(...\func_get_args());
|
||||
}
|
||||
|
||||
public function sdiffstore($dst, $key, ...$other_keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->sdiffstore(...\func_get_args());
|
||||
}
|
||||
|
||||
public function set($key, $value, $opts = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->set(...\func_get_args());
|
||||
}
|
||||
|
||||
public function setbit($key, $offset, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->setbit(...\func_get_args());
|
||||
}
|
||||
|
||||
public function setex($key, $expire, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->setex(...\func_get_args());
|
||||
}
|
||||
|
||||
public function setnx($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->setnx(...\func_get_args());
|
||||
}
|
||||
|
||||
public function setoption($option, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->setoption(...\func_get_args());
|
||||
}
|
||||
|
||||
public function setrange($key, $offset, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->setrange(...\func_get_args());
|
||||
}
|
||||
|
||||
public function sinter($key, ...$other_keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->sinter(...\func_get_args());
|
||||
}
|
||||
|
||||
public function sinterstore($dst, $key, ...$other_keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->sinterstore(...\func_get_args());
|
||||
}
|
||||
|
||||
public function sismember($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->sismember(...\func_get_args());
|
||||
}
|
||||
|
||||
public function slowlog($key_or_address, $arg = null, ...$other_args)
|
||||
{
|
||||
return $this->initializeLazyObject()->slowlog(...\func_get_args());
|
||||
}
|
||||
|
||||
public function smembers($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->smembers(...\func_get_args());
|
||||
}
|
||||
|
||||
public function smove($src, $dst, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->smove(...\func_get_args());
|
||||
}
|
||||
|
||||
public function sort($key, $options = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->sort(...\func_get_args());
|
||||
}
|
||||
|
||||
public function spop($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->spop(...\func_get_args());
|
||||
}
|
||||
|
||||
public function srandmember($key, $count = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->srandmember(...\func_get_args());
|
||||
}
|
||||
|
||||
public function srem($key, $value)
|
||||
{
|
||||
return $this->initializeLazyObject()->srem(...\func_get_args());
|
||||
}
|
||||
|
||||
public function sscan($str_key, &$i_iterator, $str_pattern = null, $i_count = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->sscan($str_key, $i_iterator, ...\array_slice(\func_get_args(), 2));
|
||||
}
|
||||
|
||||
public function strlen($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->strlen(...\func_get_args());
|
||||
}
|
||||
|
||||
public function subscribe($channels, $callback)
|
||||
{
|
||||
return $this->initializeLazyObject()->subscribe(...\func_get_args());
|
||||
}
|
||||
|
||||
public function sunion($key, ...$other_keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->sunion(...\func_get_args());
|
||||
}
|
||||
|
||||
public function sunionstore($dst, $key, ...$other_keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->sunionstore(...\func_get_args());
|
||||
}
|
||||
|
||||
public function time()
|
||||
{
|
||||
return $this->initializeLazyObject()->time(...\func_get_args());
|
||||
}
|
||||
|
||||
public function ttl($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->ttl(...\func_get_args());
|
||||
}
|
||||
|
||||
public function type($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->type(...\func_get_args());
|
||||
}
|
||||
|
||||
public function unsubscribe($channel, ...$other_channels)
|
||||
{
|
||||
return $this->initializeLazyObject()->unsubscribe(...\func_get_args());
|
||||
}
|
||||
|
||||
public function unlink($key, ...$other_keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->unlink(...\func_get_args());
|
||||
}
|
||||
|
||||
public function unwatch()
|
||||
{
|
||||
return $this->initializeLazyObject()->unwatch(...\func_get_args());
|
||||
}
|
||||
|
||||
public function watch($key, ...$other_keys)
|
||||
{
|
||||
return $this->initializeLazyObject()->watch(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xack($str_key, $str_group, $arr_ids)
|
||||
{
|
||||
return $this->initializeLazyObject()->xack(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xadd($str_key, $str_id, $arr_fields, $i_maxlen = null, $boo_approximate = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->xadd(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xclaim($str_key, $str_group, $str_consumer, $i_min_idle, $arr_ids, $arr_opts = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->xclaim(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xdel($str_key, $arr_ids)
|
||||
{
|
||||
return $this->initializeLazyObject()->xdel(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xgroup($str_operation, $str_key = null, $str_arg1 = null, $str_arg2 = null, $str_arg3 = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->xgroup(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xinfo($str_cmd, $str_key = null, $str_group = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->xinfo(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xlen($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->xlen(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xpending($str_key, $str_group, $str_start = null, $str_end = null, $i_count = null, $str_consumer = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->xpending(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xrange($str_key, $str_start, $str_end, $i_count = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->xrange(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xread($arr_streams, $i_count = null, $i_block = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->xread(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xreadgroup($str_group, $str_consumer, $arr_streams, $i_count = null, $i_block = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->xreadgroup(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xrevrange($str_key, $str_start, $str_end, $i_count = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->xrevrange(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xtrim($str_key, $i_maxlen, $boo_approximate = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->xtrim(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zadd($key, $score, $value, ...$extra_args)
|
||||
{
|
||||
return $this->initializeLazyObject()->zadd(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zcard($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->zcard(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zcount($key, $min, $max)
|
||||
{
|
||||
return $this->initializeLazyObject()->zcount(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zincrby($key, $value, $member)
|
||||
{
|
||||
return $this->initializeLazyObject()->zincrby(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zinterstore($key, $keys, $weights = null, $aggregate = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->zinterstore(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zlexcount($key, $min, $max)
|
||||
{
|
||||
return $this->initializeLazyObject()->zlexcount(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zpopmax($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->zpopmax(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zpopmin($key)
|
||||
{
|
||||
return $this->initializeLazyObject()->zpopmin(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrange($key, $start, $end, $scores = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->zrange(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrangebylex($key, $min, $max, $offset = null, $limit = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->zrangebylex(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrangebyscore($key, $start, $end, $options = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->zrangebyscore(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrank($key, $member)
|
||||
{
|
||||
return $this->initializeLazyObject()->zrank(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrem($key, $member, ...$other_members)
|
||||
{
|
||||
return $this->initializeLazyObject()->zrem(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zremrangebylex($key, $min, $max)
|
||||
{
|
||||
return $this->initializeLazyObject()->zremrangebylex(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zremrangebyrank($key, $min, $max)
|
||||
{
|
||||
return $this->initializeLazyObject()->zremrangebyrank(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zremrangebyscore($key, $min, $max)
|
||||
{
|
||||
return $this->initializeLazyObject()->zremrangebyscore(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrevrange($key, $start, $end, $scores = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->zrevrange(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrevrangebylex($key, $min, $max, $offset = null, $limit = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->zrevrangebylex(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrevrangebyscore($key, $start, $end, $options = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->zrevrangebyscore(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrevrank($key, $member)
|
||||
{
|
||||
return $this->initializeLazyObject()->zrevrank(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zscan($str_key, &$i_iterator, $str_pattern = null, $i_count = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->zscan($str_key, $i_iterator, ...\array_slice(\func_get_args(), 2));
|
||||
}
|
||||
|
||||
public function zscore($key, $member)
|
||||
{
|
||||
return $this->initializeLazyObject()->zscore(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zunionstore($key, $keys, $weights = null, $aggregate = null)
|
||||
{
|
||||
return $this->initializeLazyObject()->zunionstore(...\func_get_args());
|
||||
}
|
||||
}
|
||||
1136
vendor/symfony/cache/Traits/RedisCluster6Proxy.php
vendored
Normal file
1136
vendor/symfony/cache/Traits/RedisCluster6Proxy.php
vendored
Normal file
File diff suppressed because it is too large
Load Diff
46
vendor/symfony/cache/Traits/RedisCluster6ProxyTrait.php
vendored
Normal file
46
vendor/symfony/cache/Traits/RedisCluster6ProxyTrait.php
vendored
Normal file
@@ -0,0 +1,46 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
if (version_compare(phpversion('redis'), '6.1.0-dev', '>')) {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait RedisCluster6ProxyTrait
|
||||
{
|
||||
public function getex($key, $options = []): \RedisCluster|string|false
|
||||
{
|
||||
return $this->initializeLazyObject()->getex(...\func_get_args());
|
||||
}
|
||||
|
||||
public function publish($channel, $message): \RedisCluster|bool|int
|
||||
{
|
||||
return $this->initializeLazyObject()->publish(...\func_get_args());
|
||||
}
|
||||
|
||||
public function waitaof($key_or_address, $numlocal, $numreplicas, $timeout): \RedisCluster|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->waitaof(...\func_get_args());
|
||||
}
|
||||
}
|
||||
} else {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait RedisCluster6ProxyTrait
|
||||
{
|
||||
public function publish($channel, $message): \RedisCluster|bool
|
||||
{
|
||||
return $this->initializeLazyObject()->publish(...\func_get_args());
|
||||
}
|
||||
}
|
||||
}
|
||||
47
vendor/symfony/cache/Traits/RedisClusterNodeProxy.php
vendored
Normal file
47
vendor/symfony/cache/Traits/RedisClusterNodeProxy.php
vendored
Normal file
@@ -0,0 +1,47 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
/**
|
||||
* This file acts as a wrapper to the \RedisCluster implementation so it can accept the same type of calls as
|
||||
* individual \Redis objects.
|
||||
*
|
||||
* Calls are made to individual nodes via: RedisCluster->{method}($host, ...args)'
|
||||
* according to https://github.com/phpredis/phpredis/blob/develop/cluster.markdown#directed-node-commands
|
||||
*
|
||||
* @author Jack Thomas <jack.thomas@solidalpha.com>
|
||||
*
|
||||
* @internal
|
||||
*/
|
||||
class RedisClusterNodeProxy
|
||||
{
|
||||
public function __construct(
|
||||
private array $host,
|
||||
private \RedisCluster $redis,
|
||||
) {
|
||||
}
|
||||
|
||||
public function __call(string $method, array $args)
|
||||
{
|
||||
return $this->redis->{$method}($this->host, ...$args);
|
||||
}
|
||||
|
||||
public function scan(&$iIterator, $strPattern = null, $iCount = null)
|
||||
{
|
||||
return $this->redis->scan($iIterator, $this->host, $strPattern, $iCount);
|
||||
}
|
||||
|
||||
public function getOption($name)
|
||||
{
|
||||
return $this->redis->getOption($name);
|
||||
}
|
||||
}
|
||||
23
vendor/symfony/cache/Traits/RedisClusterProxy.php
vendored
Normal file
23
vendor/symfony/cache/Traits/RedisClusterProxy.php
vendored
Normal file
@@ -0,0 +1,23 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
class_alias(6.0 <= (float) phpversion('redis') ? RedisCluster6Proxy::class : RedisCluster5Proxy::class, RedisClusterProxy::class);
|
||||
|
||||
if (false) {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
class RedisClusterProxy extends \RedisCluster
|
||||
{
|
||||
}
|
||||
}
|
||||
23
vendor/symfony/cache/Traits/RedisProxy.php
vendored
Normal file
23
vendor/symfony/cache/Traits/RedisProxy.php
vendored
Normal file
@@ -0,0 +1,23 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
class_alias(6.0 <= (float) phpversion('redis') ? Redis6Proxy::class : Redis5Proxy::class, RedisProxy::class);
|
||||
|
||||
if (false) {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
class RedisProxy extends \Redis
|
||||
{
|
||||
}
|
||||
}
|
||||
51
vendor/symfony/cache/Traits/RedisProxyTrait.php
vendored
Normal file
51
vendor/symfony/cache/Traits/RedisProxyTrait.php
vendored
Normal file
@@ -0,0 +1,51 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait RedisProxyTrait
|
||||
{
|
||||
private \Closure $initializer;
|
||||
private ?parent $realInstance = null;
|
||||
|
||||
public static function createLazyProxy(\Closure $initializer, ?self $instance = null): static
|
||||
{
|
||||
$instance ??= (new \ReflectionClass(static::class))->newInstanceWithoutConstructor();
|
||||
$instance->realInstance = null;
|
||||
$instance->initializer = $initializer;
|
||||
|
||||
return $instance;
|
||||
}
|
||||
|
||||
public function isLazyObjectInitialized(bool $partial = false): bool
|
||||
{
|
||||
return isset($this->realInstance);
|
||||
}
|
||||
|
||||
public function initializeLazyObject(): object
|
||||
{
|
||||
return $this->realInstance ??= ($this->initializer)();
|
||||
}
|
||||
|
||||
public function resetLazyObject(): bool
|
||||
{
|
||||
$this->realInstance = null;
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
public function __destruct()
|
||||
{
|
||||
}
|
||||
}
|
||||
682
vendor/symfony/cache/Traits/RedisTrait.php
vendored
Normal file
682
vendor/symfony/cache/Traits/RedisTrait.php
vendored
Normal file
@@ -0,0 +1,682 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
use Predis\Command\Redis\UNLINK;
|
||||
use Predis\Connection\Aggregate\ClusterInterface;
|
||||
use Predis\Connection\Aggregate\RedisCluster;
|
||||
use Predis\Connection\Aggregate\ReplicationInterface;
|
||||
use Predis\Connection\Cluster\ClusterInterface as Predis2ClusterInterface;
|
||||
use Predis\Connection\Cluster\RedisCluster as Predis2RedisCluster;
|
||||
use Predis\Response\ErrorInterface;
|
||||
use Predis\Response\Status;
|
||||
use Relay\Relay;
|
||||
use Relay\Sentinel;
|
||||
use Symfony\Component\Cache\Exception\CacheException;
|
||||
use Symfony\Component\Cache\Exception\InvalidArgumentException;
|
||||
use Symfony\Component\Cache\Marshaller\DefaultMarshaller;
|
||||
use Symfony\Component\Cache\Marshaller\MarshallerInterface;
|
||||
|
||||
/**
|
||||
* @author Aurimas Niekis <aurimas@niekis.lt>
|
||||
* @author Nicolas Grekas <p@tchwork.com>
|
||||
*
|
||||
* @internal
|
||||
*/
|
||||
trait RedisTrait
|
||||
{
|
||||
private static array $defaultConnectionOptions = [
|
||||
'class' => null,
|
||||
'persistent' => 0,
|
||||
'persistent_id' => null,
|
||||
'timeout' => 30,
|
||||
'read_timeout' => 0,
|
||||
'retry_interval' => 0,
|
||||
'tcp_keepalive' => 0,
|
||||
'lazy' => null,
|
||||
'redis_cluster' => false,
|
||||
'redis_sentinel' => null,
|
||||
'dbindex' => 0,
|
||||
'failover' => 'none',
|
||||
'ssl' => null, // see https://php.net/context.ssl
|
||||
];
|
||||
private \Redis|Relay|\RedisArray|\RedisCluster|\Predis\ClientInterface $redis;
|
||||
private MarshallerInterface $marshaller;
|
||||
|
||||
private function init(\Redis|Relay|\RedisArray|\RedisCluster|\Predis\ClientInterface $redis, string $namespace, int $defaultLifetime, ?MarshallerInterface $marshaller): void
|
||||
{
|
||||
parent::__construct($namespace, $defaultLifetime);
|
||||
|
||||
if (preg_match('#[^-+_.A-Za-z0-9]#', $namespace, $match)) {
|
||||
throw new InvalidArgumentException(\sprintf('RedisAdapter namespace contains "%s" but only characters in [-+_.A-Za-z0-9] are allowed.', $match[0]));
|
||||
}
|
||||
|
||||
if ($redis instanceof \Predis\ClientInterface && $redis->getOptions()->exceptions) {
|
||||
$options = clone $redis->getOptions();
|
||||
\Closure::bind(function () { $this->options['exceptions'] = false; }, $options, $options)();
|
||||
$redis = new $redis($redis->getConnection(), $options);
|
||||
}
|
||||
|
||||
$this->redis = $redis;
|
||||
$this->marshaller = $marshaller ?? new DefaultMarshaller();
|
||||
}
|
||||
|
||||
/**
|
||||
* Creates a Redis connection using a DSN configuration.
|
||||
*
|
||||
* Example DSN:
|
||||
* - redis://localhost
|
||||
* - redis://example.com:1234
|
||||
* - redis://secret@example.com/13
|
||||
* - redis:///var/run/redis.sock
|
||||
* - redis://secret@/var/run/redis.sock/13
|
||||
*
|
||||
* @param array $options See self::$defaultConnectionOptions
|
||||
*
|
||||
* @throws InvalidArgumentException when the DSN is invalid
|
||||
*/
|
||||
public static function createConnection(#[\SensitiveParameter] string $dsn, array $options = []): \Redis|\RedisArray|\RedisCluster|\Predis\ClientInterface|Relay
|
||||
{
|
||||
if (str_starts_with($dsn, 'redis:')) {
|
||||
$scheme = 'redis';
|
||||
} elseif (str_starts_with($dsn, 'rediss:')) {
|
||||
$scheme = 'rediss';
|
||||
} else {
|
||||
throw new InvalidArgumentException('Invalid Redis DSN: it does not start with "redis[s]:".');
|
||||
}
|
||||
|
||||
if (!\extension_loaded('redis') && !class_exists(\Predis\Client::class)) {
|
||||
throw new CacheException('Cannot find the "redis" extension nor the "predis/predis" package.');
|
||||
}
|
||||
|
||||
$params = preg_replace_callback('#^'.$scheme.':(//)?(?:(?:(?<user>[^:@]*+):)?(?<password>[^@]*+)@)?#', function ($m) use (&$auth) {
|
||||
if (isset($m['password'])) {
|
||||
if (\in_array($m['user'], ['', 'default'], true)) {
|
||||
$auth = rawurldecode($m['password']);
|
||||
} else {
|
||||
$auth = [rawurldecode($m['user']), rawurldecode($m['password'])];
|
||||
}
|
||||
|
||||
if ('' === $auth) {
|
||||
$auth = null;
|
||||
}
|
||||
}
|
||||
|
||||
return 'file:'.($m[1] ?? '');
|
||||
}, $dsn);
|
||||
|
||||
if (false === $params = parse_url($params)) {
|
||||
throw new InvalidArgumentException('Invalid Redis DSN.');
|
||||
}
|
||||
|
||||
$query = $hosts = [];
|
||||
|
||||
$tls = 'rediss' === $scheme;
|
||||
$tcpScheme = $tls ? 'tls' : 'tcp';
|
||||
|
||||
if (isset($params['query'])) {
|
||||
parse_str($params['query'], $query);
|
||||
|
||||
if (isset($query['host'])) {
|
||||
if (!\is_array($hosts = $query['host'])) {
|
||||
throw new InvalidArgumentException('Invalid Redis DSN: query parameter "host" must be an array.');
|
||||
}
|
||||
foreach ($hosts as $host => $parameters) {
|
||||
if (\is_string($parameters)) {
|
||||
parse_str($parameters, $parameters);
|
||||
}
|
||||
if (false === $i = strrpos($host, ':')) {
|
||||
$hosts[$host] = ['scheme' => $tcpScheme, 'host' => $host, 'port' => 6379] + $parameters;
|
||||
} elseif ($port = (int) substr($host, 1 + $i)) {
|
||||
$hosts[$host] = ['scheme' => $tcpScheme, 'host' => substr($host, 0, $i), 'port' => $port] + $parameters;
|
||||
} else {
|
||||
$hosts[$host] = ['scheme' => 'unix', 'path' => substr($host, 0, $i)] + $parameters;
|
||||
}
|
||||
}
|
||||
$hosts = array_values($hosts);
|
||||
}
|
||||
}
|
||||
|
||||
if (isset($params['host']) || isset($params['path'])) {
|
||||
if (!isset($params['dbindex']) && isset($params['path'])) {
|
||||
if (preg_match('#/(\d+)?$#', $params['path'], $m)) {
|
||||
$params['dbindex'] = $m[1] ?? $query['dbindex'] ?? '0';
|
||||
$params['path'] = substr($params['path'], 0, -\strlen($m[0]));
|
||||
} elseif (isset($params['host'])) {
|
||||
throw new InvalidArgumentException('Invalid Redis DSN: parameter "dbindex" must be a number.');
|
||||
}
|
||||
}
|
||||
|
||||
if (isset($params['host'])) {
|
||||
array_unshift($hosts, ['scheme' => $tcpScheme, 'host' => $params['host'], 'port' => $params['port'] ?? 6379]);
|
||||
} else {
|
||||
array_unshift($hosts, ['scheme' => 'unix', 'path' => $params['path']]);
|
||||
}
|
||||
}
|
||||
|
||||
if (!$hosts) {
|
||||
throw new InvalidArgumentException('Invalid Redis DSN: missing host.');
|
||||
}
|
||||
|
||||
if (isset($params['dbindex'], $query['dbindex']) && $params['dbindex'] !== $query['dbindex']) {
|
||||
throw new InvalidArgumentException('Invalid Redis DSN: path and query "dbindex" parameters mismatch.');
|
||||
}
|
||||
|
||||
$params += $query + $options + self::$defaultConnectionOptions;
|
||||
|
||||
if (isset($params['redis_sentinel']) && isset($params['sentinel_master'])) {
|
||||
throw new InvalidArgumentException('Cannot use both "redis_sentinel" and "sentinel_master" at the same time.');
|
||||
}
|
||||
|
||||
$params['redis_sentinel'] ??= $params['sentinel_master'] ?? null;
|
||||
|
||||
if (isset($params['redis_sentinel']) && !class_exists(\Predis\Client::class) && !class_exists(\RedisSentinel::class) && !class_exists(Sentinel::class)) {
|
||||
throw new CacheException('Redis Sentinel support requires one of: "predis/predis", "ext-redis >= 5.2", "ext-relay".');
|
||||
}
|
||||
|
||||
if (isset($params['lazy'])) {
|
||||
$params['lazy'] = filter_var($params['lazy'], \FILTER_VALIDATE_BOOLEAN);
|
||||
}
|
||||
$params['redis_cluster'] = filter_var($params['redis_cluster'], \FILTER_VALIDATE_BOOLEAN);
|
||||
|
||||
if ($params['redis_cluster'] && isset($params['redis_sentinel'])) {
|
||||
throw new InvalidArgumentException('Cannot use both "redis_cluster" and "redis_sentinel" at the same time.');
|
||||
}
|
||||
|
||||
$class = $params['class'] ?? match (true) {
|
||||
$params['redis_cluster'] => \extension_loaded('redis') ? \RedisCluster::class : \Predis\Client::class,
|
||||
isset($params['redis_sentinel']) => match (true) {
|
||||
\extension_loaded('redis') => \Redis::class,
|
||||
\extension_loaded('relay') => Relay::class,
|
||||
default => \Predis\Client::class,
|
||||
},
|
||||
1 < \count($hosts) && \extension_loaded('redis') => \RedisArray::class,
|
||||
\extension_loaded('redis') => \Redis::class,
|
||||
\extension_loaded('relay') => Relay::class,
|
||||
default => \Predis\Client::class,
|
||||
};
|
||||
|
||||
if (isset($params['redis_sentinel']) && !is_a($class, \Predis\Client::class, true) && !class_exists(\RedisSentinel::class) && !class_exists(Sentinel::class)) {
|
||||
throw new CacheException(\sprintf('Cannot use Redis Sentinel: class "%s" does not extend "Predis\Client" and neither ext-redis >= 5.2 nor ext-relay have been found.', $class));
|
||||
}
|
||||
|
||||
$isRedisExt = is_a($class, \Redis::class, true);
|
||||
$isRelayExt = !$isRedisExt && is_a($class, Relay::class, true);
|
||||
|
||||
if ($isRedisExt || $isRelayExt) {
|
||||
$connect = $params['persistent'] || $params['persistent_id'] ? 'pconnect' : 'connect';
|
||||
|
||||
$initializer = static function () use ($class, $isRedisExt, $connect, $params, $auth, $hosts, $tls) {
|
||||
$sentinelClass = $isRedisExt ? \RedisSentinel::class : Sentinel::class;
|
||||
$redis = new $class();
|
||||
$hostIndex = 0;
|
||||
do {
|
||||
$host = $hosts[$hostIndex]['host'] ?? $hosts[$hostIndex]['path'];
|
||||
$port = $hosts[$hostIndex]['port'] ?? 0;
|
||||
$passAuth = isset($params['auth']) && (!$isRedisExt || \defined('Redis::OPT_NULL_MULTIBULK_AS_NULL'));
|
||||
$address = false;
|
||||
|
||||
if (isset($hosts[$hostIndex]['host']) && $tls) {
|
||||
$host = 'tls://'.$host;
|
||||
}
|
||||
|
||||
if (!isset($params['redis_sentinel'])) {
|
||||
break;
|
||||
}
|
||||
|
||||
try {
|
||||
if (version_compare(phpversion('redis'), '6.0.0', '>=') && $isRedisExt) {
|
||||
$options = [
|
||||
'host' => $host,
|
||||
'port' => $port,
|
||||
'connectTimeout' => (float) $params['timeout'],
|
||||
'persistent' => $params['persistent_id'],
|
||||
'retryInterval' => (int) $params['retry_interval'],
|
||||
'readTimeout' => (float) $params['read_timeout'],
|
||||
];
|
||||
|
||||
if ($passAuth) {
|
||||
$options['auth'] = $params['auth'];
|
||||
}
|
||||
|
||||
$sentinel = new \RedisSentinel($options);
|
||||
} else {
|
||||
$extra = $passAuth ? [$params['auth']] : [];
|
||||
|
||||
$sentinel = @new $sentinelClass($host, $port, $params['timeout'], (string) $params['persistent_id'], $params['retry_interval'], $params['read_timeout'], ...$extra);
|
||||
}
|
||||
|
||||
if ($address = @$sentinel->getMasterAddrByName($params['redis_sentinel'])) {
|
||||
[$host, $port] = $address;
|
||||
}
|
||||
} catch (\RedisException|\Relay\Exception $redisException) {
|
||||
}
|
||||
} while (++$hostIndex < \count($hosts) && !$address);
|
||||
|
||||
if (isset($params['redis_sentinel']) && !$address) {
|
||||
throw new InvalidArgumentException(\sprintf('Failed to retrieve master information from sentinel "%s".', $params['redis_sentinel']), previous: $redisException ?? null);
|
||||
}
|
||||
|
||||
try {
|
||||
$extra = [
|
||||
'stream' => $params['ssl'] ?? null,
|
||||
];
|
||||
$booleanStreamOptions = [
|
||||
'allow_self_signed',
|
||||
'capture_peer_cert',
|
||||
'capture_peer_cert_chain',
|
||||
'disable_compression',
|
||||
'SNI_enabled',
|
||||
'verify_peer',
|
||||
'verify_peer_name',
|
||||
];
|
||||
|
||||
foreach ($extra['stream'] ?? [] as $streamOption => $value) {
|
||||
if (\in_array($streamOption, $booleanStreamOptions, true) && \is_string($value)) {
|
||||
$extra['stream'][$streamOption] = filter_var($value, \FILTER_VALIDATE_BOOL);
|
||||
}
|
||||
}
|
||||
|
||||
if (isset($params['auth'])) {
|
||||
$extra['auth'] = $params['auth'];
|
||||
}
|
||||
@$redis->{$connect}($host, $port, (float) $params['timeout'], (string) $params['persistent_id'], $params['retry_interval'], $params['read_timeout'], ...\defined('Redis::SCAN_PREFIX') || !$isRedisExt ? [$extra] : []);
|
||||
|
||||
set_error_handler(function ($type, $msg) use (&$error) { $error = $msg; });
|
||||
try {
|
||||
$isConnected = $redis->isConnected();
|
||||
} finally {
|
||||
restore_error_handler();
|
||||
}
|
||||
if (!$isConnected) {
|
||||
$error = preg_match('/^Redis::p?connect\(\): (.*)/', $error ?? $redis->getLastError() ?? '', $error) ? \sprintf(' (%s)', $error[1]) : '';
|
||||
throw new InvalidArgumentException('Redis connection failed: '.$error.'.');
|
||||
}
|
||||
|
||||
if ((null !== $auth && !$redis->auth($auth))
|
||||
// Due to a bug in phpredis we must always select the dbindex if persistent pooling is enabled
|
||||
// @see https://github.com/phpredis/phpredis/issues/1920
|
||||
// @see https://github.com/symfony/symfony/issues/51578
|
||||
|| (($params['dbindex'] || ('pconnect' === $connect && '0' !== \ini_get('redis.pconnect.pooling_enabled'))) && !$redis->select($params['dbindex']))
|
||||
) {
|
||||
$e = preg_replace('/^ERR /', '', $redis->getLastError());
|
||||
throw new InvalidArgumentException('Redis connection failed: '.$e.'.');
|
||||
}
|
||||
|
||||
if (0 < $params['tcp_keepalive'] && (!$isRedisExt || \defined('Redis::OPT_TCP_KEEPALIVE'))) {
|
||||
$redis->setOption($isRedisExt ? \Redis::OPT_TCP_KEEPALIVE : Relay::OPT_TCP_KEEPALIVE, $params['tcp_keepalive']);
|
||||
}
|
||||
} catch (\RedisException|\Relay\Exception $e) {
|
||||
throw new InvalidArgumentException('Redis connection failed: '.$e->getMessage());
|
||||
}
|
||||
|
||||
return $redis;
|
||||
};
|
||||
|
||||
if ($params['lazy']) {
|
||||
$redis = $isRedisExt ? RedisProxy::createLazyProxy($initializer) : RelayProxy::createLazyProxy($initializer);
|
||||
} else {
|
||||
$redis = $initializer();
|
||||
}
|
||||
} elseif (is_a($class, \RedisArray::class, true)) {
|
||||
foreach ($hosts as $i => $host) {
|
||||
$hosts[$i] = match ($host['scheme']) {
|
||||
'tcp' => $host['host'].':'.$host['port'],
|
||||
'tls' => 'tls://'.$host['host'].':'.$host['port'],
|
||||
default => $host['path'],
|
||||
};
|
||||
}
|
||||
$params['lazy_connect'] = $params['lazy'] ?? true;
|
||||
$params['connect_timeout'] = $params['timeout'];
|
||||
|
||||
try {
|
||||
$redis = new $class($hosts, $params);
|
||||
} catch (\RedisClusterException $e) {
|
||||
throw new InvalidArgumentException('Redis connection failed: '.$e->getMessage());
|
||||
}
|
||||
|
||||
if (0 < $params['tcp_keepalive'] && (!$isRedisExt || \defined('Redis::OPT_TCP_KEEPALIVE'))) {
|
||||
$redis->setOption($isRedisExt ? \Redis::OPT_TCP_KEEPALIVE : Relay::OPT_TCP_KEEPALIVE, $params['tcp_keepalive']);
|
||||
}
|
||||
} elseif (is_a($class, \RedisCluster::class, true)) {
|
||||
$initializer = static function () use ($isRedisExt, $class, $params, $hosts) {
|
||||
foreach ($hosts as $i => $host) {
|
||||
$hosts[$i] = match ($host['scheme']) {
|
||||
'tcp' => $host['host'].':'.$host['port'],
|
||||
'tls' => 'tls://'.$host['host'].':'.$host['port'],
|
||||
default => $host['path'],
|
||||
};
|
||||
}
|
||||
|
||||
try {
|
||||
$redis = new $class(null, $hosts, $params['timeout'], $params['read_timeout'], (bool) $params['persistent'], $params['auth'] ?? '', ...\defined('Redis::SCAN_PREFIX') ? [$params['ssl'] ?? null] : []);
|
||||
} catch (\RedisClusterException $e) {
|
||||
throw new InvalidArgumentException('Redis connection failed: '.$e->getMessage());
|
||||
}
|
||||
|
||||
if (0 < $params['tcp_keepalive'] && (!$isRedisExt || \defined('Redis::OPT_TCP_KEEPALIVE'))) {
|
||||
$redis->setOption($isRedisExt ? \Redis::OPT_TCP_KEEPALIVE : Relay::OPT_TCP_KEEPALIVE, $params['tcp_keepalive']);
|
||||
}
|
||||
$redis->setOption(\RedisCluster::OPT_SLAVE_FAILOVER, match ($params['failover']) {
|
||||
'error' => \RedisCluster::FAILOVER_ERROR,
|
||||
'distribute' => \RedisCluster::FAILOVER_DISTRIBUTE,
|
||||
'slaves' => \RedisCluster::FAILOVER_DISTRIBUTE_SLAVES,
|
||||
'none' => \RedisCluster::FAILOVER_NONE,
|
||||
});
|
||||
|
||||
return $redis;
|
||||
};
|
||||
|
||||
$redis = $params['lazy'] ? RedisClusterProxy::createLazyProxy($initializer) : $initializer();
|
||||
} elseif (is_a($class, \Predis\ClientInterface::class, true)) {
|
||||
if ($params['redis_cluster']) {
|
||||
$params['cluster'] = 'redis';
|
||||
} elseif (isset($params['redis_sentinel'])) {
|
||||
$params['replication'] = 'sentinel';
|
||||
$params['service'] = $params['redis_sentinel'];
|
||||
}
|
||||
$params += ['parameters' => []];
|
||||
$params['parameters'] += [
|
||||
'persistent' => $params['persistent'],
|
||||
'timeout' => $params['timeout'],
|
||||
'read_write_timeout' => $params['read_timeout'],
|
||||
'tcp_nodelay' => true,
|
||||
];
|
||||
if ($params['dbindex']) {
|
||||
$params['parameters']['database'] = $params['dbindex'];
|
||||
}
|
||||
if (null !== $auth) {
|
||||
if (\is_array($auth)) {
|
||||
// ACL
|
||||
$params['parameters']['username'] = $auth[0];
|
||||
$params['parameters']['password'] = $auth[1];
|
||||
} else {
|
||||
$params['parameters']['password'] = $auth;
|
||||
}
|
||||
}
|
||||
|
||||
if (isset($params['ssl'])) {
|
||||
foreach ($hosts as $i => $host) {
|
||||
$hosts[$i]['ssl'] ??= $params['ssl'];
|
||||
}
|
||||
}
|
||||
|
||||
if (1 === \count($hosts) && !($params['redis_cluster'] || $params['redis_sentinel'])) {
|
||||
$hosts = $hosts[0];
|
||||
} elseif (\in_array($params['failover'], ['slaves', 'distribute'], true) && !isset($params['replication'])) {
|
||||
$params['replication'] = true;
|
||||
$hosts[0] += ['alias' => 'master'];
|
||||
}
|
||||
$params['exceptions'] = false;
|
||||
|
||||
$redis = new $class($hosts, array_diff_key($params, self::$defaultConnectionOptions));
|
||||
if (isset($params['redis_sentinel'])) {
|
||||
$redis->getConnection()->setSentinelTimeout($params['timeout']);
|
||||
}
|
||||
} elseif (class_exists($class, false)) {
|
||||
throw new InvalidArgumentException(\sprintf('"%s" is not a subclass of "Redis", "RedisArray", "RedisCluster", "Relay\Relay" nor "Predis\ClientInterface".', $class));
|
||||
} else {
|
||||
throw new InvalidArgumentException(\sprintf('Class "%s" does not exist.', $class));
|
||||
}
|
||||
|
||||
return $redis;
|
||||
}
|
||||
|
||||
protected function doFetch(array $ids): iterable
|
||||
{
|
||||
if (!$ids) {
|
||||
return [];
|
||||
}
|
||||
|
||||
$result = [];
|
||||
|
||||
if ($this->redis instanceof \Predis\ClientInterface && ($this->redis->getConnection() instanceof ClusterInterface || $this->redis->getConnection() instanceof Predis2ClusterInterface)) {
|
||||
$values = $this->pipeline(function () use ($ids) {
|
||||
foreach ($ids as $id) {
|
||||
yield 'get' => [$id];
|
||||
}
|
||||
});
|
||||
} else {
|
||||
$values = $this->redis->mget($ids);
|
||||
|
||||
if (!\is_array($values) || \count($values) !== \count($ids)) {
|
||||
return [];
|
||||
}
|
||||
|
||||
$values = array_combine($ids, $values);
|
||||
}
|
||||
|
||||
foreach ($values as $id => $v) {
|
||||
if ($v) {
|
||||
$result[$id] = $this->marshaller->unmarshall($v);
|
||||
}
|
||||
}
|
||||
|
||||
return $result;
|
||||
}
|
||||
|
||||
protected function doHave(string $id): bool
|
||||
{
|
||||
return (bool) $this->redis->exists($id);
|
||||
}
|
||||
|
||||
protected function doClear(string $namespace): bool
|
||||
{
|
||||
if ($this->redis instanceof \Predis\ClientInterface) {
|
||||
$prefix = $this->redis->getOptions()->prefix ? $this->redis->getOptions()->prefix->getPrefix() : '';
|
||||
$prefixLen = \strlen($prefix ?? '');
|
||||
}
|
||||
|
||||
$cleared = true;
|
||||
$hosts = $this->getHosts();
|
||||
$host = reset($hosts);
|
||||
if ($host instanceof \Predis\Client && $host->getConnection() instanceof ReplicationInterface) {
|
||||
// Predis supports info command only on the master in replication environments
|
||||
$hosts = [$host->getClientFor('master')];
|
||||
}
|
||||
|
||||
foreach ($hosts as $host) {
|
||||
if (!isset($namespace[0])) {
|
||||
$cleared = $host->flushDb() && $cleared;
|
||||
continue;
|
||||
}
|
||||
|
||||
$info = $host->info('Server');
|
||||
$info = !$info instanceof ErrorInterface ? $info['Server'] ?? $info : ['redis_version' => '2.0'];
|
||||
|
||||
if ($host instanceof Relay) {
|
||||
$prefix = Relay::SCAN_PREFIX & $host->getOption(Relay::OPT_SCAN) ? '' : $host->getOption(Relay::OPT_PREFIX);
|
||||
$prefixLen = \strlen($host->getOption(Relay::OPT_PREFIX) ?? '');
|
||||
} elseif (!$host instanceof \Predis\ClientInterface) {
|
||||
$prefix = \defined('Redis::SCAN_PREFIX') && (\Redis::SCAN_PREFIX & $host->getOption(\Redis::OPT_SCAN)) ? '' : $host->getOption(\Redis::OPT_PREFIX);
|
||||
$prefixLen = \strlen($host->getOption(\Redis::OPT_PREFIX) ?? '');
|
||||
}
|
||||
$pattern = $prefix.$namespace.'*';
|
||||
|
||||
if (!version_compare($info['redis_version'], '2.8', '>=')) {
|
||||
// As documented in Redis documentation (http://redis.io/commands/keys) using KEYS
|
||||
// can hang your server when it is executed against large databases (millions of items).
|
||||
// Whenever you hit this scale, you should really consider upgrading to Redis 2.8 or above.
|
||||
$unlink = version_compare($info['redis_version'], '4.0', '>=') ? 'UNLINK' : 'DEL';
|
||||
$args = $this->redis instanceof \Predis\ClientInterface ? [0, $pattern] : [[$pattern], 0];
|
||||
$cleared = $host->eval("local keys=redis.call('KEYS',ARGV[1]) for i=1,#keys,5000 do redis.call('$unlink',unpack(keys,i,math.min(i+4999,#keys))) end return 1", $args[0], $args[1]) && $cleared;
|
||||
continue;
|
||||
}
|
||||
|
||||
$cursor = null;
|
||||
do {
|
||||
$keys = $host instanceof \Predis\ClientInterface ? $host->scan($cursor ?? 0, 'MATCH', $pattern, 'COUNT', 1000) : $host->scan($cursor, $pattern, 1000);
|
||||
if (isset($keys[1]) && \is_array($keys[1])) {
|
||||
$cursor = $keys[0];
|
||||
$keys = $keys[1];
|
||||
}
|
||||
if ($keys) {
|
||||
if ($prefixLen) {
|
||||
foreach ($keys as $i => $key) {
|
||||
$keys[$i] = substr($key, $prefixLen);
|
||||
}
|
||||
}
|
||||
$this->doDelete($keys);
|
||||
}
|
||||
} while ($cursor);
|
||||
}
|
||||
|
||||
return $cleared;
|
||||
}
|
||||
|
||||
protected function doDelete(array $ids): bool
|
||||
{
|
||||
if (!$ids) {
|
||||
return true;
|
||||
}
|
||||
|
||||
if ($this->redis instanceof \Predis\ClientInterface && ($this->redis->getConnection() instanceof ClusterInterface || $this->redis->getConnection() instanceof Predis2ClusterInterface)) {
|
||||
static $del;
|
||||
$del ??= (class_exists(UNLINK::class) ? 'unlink' : 'del');
|
||||
|
||||
$this->pipeline(function () use ($ids, $del) {
|
||||
foreach ($ids as $id) {
|
||||
yield $del => [$id];
|
||||
}
|
||||
})->rewind();
|
||||
} else {
|
||||
static $unlink = true;
|
||||
|
||||
if ($unlink) {
|
||||
try {
|
||||
$unlink = false !== $this->redis->unlink($ids);
|
||||
} catch (\Throwable) {
|
||||
$unlink = false;
|
||||
}
|
||||
}
|
||||
|
||||
if (!$unlink) {
|
||||
$this->redis->del($ids);
|
||||
}
|
||||
}
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
protected function doSave(array $values, int $lifetime): array|bool
|
||||
{
|
||||
if (!$values = $this->marshaller->marshall($values, $failed)) {
|
||||
return $failed;
|
||||
}
|
||||
|
||||
$results = $this->pipeline(function () use ($values, $lifetime) {
|
||||
foreach ($values as $id => $value) {
|
||||
if (0 >= $lifetime) {
|
||||
yield 'set' => [$id, $value];
|
||||
} else {
|
||||
yield 'setEx' => [$id, $lifetime, $value];
|
||||
}
|
||||
}
|
||||
});
|
||||
|
||||
foreach ($results as $id => $result) {
|
||||
if (true !== $result && (!$result instanceof Status || Status::get('OK') !== $result)) {
|
||||
$failed[] = $id;
|
||||
}
|
||||
}
|
||||
|
||||
return $failed;
|
||||
}
|
||||
|
||||
private function pipeline(\Closure $generator, ?object $redis = null): \Generator
|
||||
{
|
||||
$ids = [];
|
||||
$redis ??= $this->redis;
|
||||
|
||||
if ($redis instanceof \RedisCluster || ($redis instanceof \Predis\ClientInterface && ($redis->getConnection() instanceof RedisCluster || $redis->getConnection() instanceof Predis2RedisCluster))) {
|
||||
// phpredis & predis don't support pipelining with RedisCluster
|
||||
// see https://github.com/phpredis/phpredis/blob/develop/cluster.markdown#pipelining
|
||||
// see https://github.com/nrk/predis/issues/267#issuecomment-123781423
|
||||
$results = [];
|
||||
foreach ($generator() as $command => $args) {
|
||||
$results[] = $redis->{$command}(...$args);
|
||||
$ids[] = 'eval' === $command ? ($redis instanceof \Predis\ClientInterface ? $args[2] : $args[1][0]) : $args[0];
|
||||
}
|
||||
} elseif ($redis instanceof \Predis\ClientInterface) {
|
||||
$results = $redis->pipeline(static function ($redis) use ($generator, &$ids) {
|
||||
foreach ($generator() as $command => $args) {
|
||||
$redis->{$command}(...$args);
|
||||
$ids[] = 'eval' === $command ? $args[2] : $args[0];
|
||||
}
|
||||
});
|
||||
} elseif ($redis instanceof \RedisArray) {
|
||||
$connections = $results = [];
|
||||
foreach ($generator() as $command => $args) {
|
||||
$id = 'eval' === $command ? $args[1][0] : $args[0];
|
||||
if (!isset($connections[$h = $redis->_target($id)])) {
|
||||
$connections[$h] = [$redis->_instance($h), -1];
|
||||
$connections[$h][0]->multi(\Redis::PIPELINE);
|
||||
}
|
||||
$connections[$h][0]->{$command}(...$args);
|
||||
$results[] = [$h, ++$connections[$h][1]];
|
||||
$ids[] = $id;
|
||||
}
|
||||
foreach ($connections as $h => $c) {
|
||||
$connections[$h] = $c[0]->exec();
|
||||
}
|
||||
foreach ($results as $k => [$h, $c]) {
|
||||
$results[$k] = $connections[$h][$c];
|
||||
}
|
||||
} else {
|
||||
$redis->multi($redis instanceof Relay ? Relay::PIPELINE : \Redis::PIPELINE);
|
||||
foreach ($generator() as $command => $args) {
|
||||
$redis->{$command}(...$args);
|
||||
$ids[] = 'eval' === $command ? $args[1][0] : $args[0];
|
||||
}
|
||||
$results = $redis->exec();
|
||||
}
|
||||
|
||||
if (!$redis instanceof \Predis\ClientInterface && 'eval' === $command && $redis->getLastError()) {
|
||||
$e = $redis instanceof Relay ? new \Relay\Exception($redis->getLastError()) : new \RedisException($redis->getLastError());
|
||||
$results = array_map(fn ($v) => false === $v ? $e : $v, (array) $results);
|
||||
}
|
||||
|
||||
if (\is_bool($results)) {
|
||||
return;
|
||||
}
|
||||
|
||||
foreach ($ids as $k => $id) {
|
||||
yield $id => $results[$k];
|
||||
}
|
||||
}
|
||||
|
||||
private function getHosts(): array
|
||||
{
|
||||
$hosts = [$this->redis];
|
||||
if ($this->redis instanceof \Predis\ClientInterface) {
|
||||
$connection = $this->redis->getConnection();
|
||||
if (($connection instanceof ClusterInterface || $connection instanceof Predis2ClusterInterface) && $connection instanceof \Traversable) {
|
||||
$hosts = [];
|
||||
foreach ($connection as $c) {
|
||||
$hosts[] = new \Predis\Client($c);
|
||||
}
|
||||
}
|
||||
} elseif ($this->redis instanceof \RedisArray) {
|
||||
$hosts = [];
|
||||
foreach ($this->redis->_hosts() as $host) {
|
||||
$hosts[] = $this->redis->_instance($host);
|
||||
}
|
||||
} elseif ($this->redis instanceof \RedisCluster) {
|
||||
$hosts = [];
|
||||
foreach ($this->redis->_masters() as $host) {
|
||||
$hosts[] = new RedisClusterNodeProxy($host, $this->redis);
|
||||
}
|
||||
}
|
||||
|
||||
return $hosts;
|
||||
}
|
||||
}
|
||||
36
vendor/symfony/cache/Traits/Relay/CopyTrait.php
vendored
Normal file
36
vendor/symfony/cache/Traits/Relay/CopyTrait.php
vendored
Normal file
@@ -0,0 +1,36 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits\Relay;
|
||||
|
||||
if (version_compare(phpversion('relay'), '0.8.1', '>=')) {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait CopyTrait
|
||||
{
|
||||
public function copy($src, $dst, $options = null): \Relay\Relay|bool
|
||||
{
|
||||
return $this->initializeLazyObject()->copy(...\func_get_args());
|
||||
}
|
||||
}
|
||||
} else {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait CopyTrait
|
||||
{
|
||||
public function copy($src, $dst, $options = null): \Relay\Relay|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->copy(...\func_get_args());
|
||||
}
|
||||
}
|
||||
}
|
||||
36
vendor/symfony/cache/Traits/Relay/GeosearchTrait.php
vendored
Normal file
36
vendor/symfony/cache/Traits/Relay/GeosearchTrait.php
vendored
Normal file
@@ -0,0 +1,36 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits\Relay;
|
||||
|
||||
if (version_compare(phpversion('relay'), '0.9.0', '>=')) {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait GeosearchTrait
|
||||
{
|
||||
public function geosearch($key, $position, $shape, $unit, $options = []): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->geosearch(...\func_get_args());
|
||||
}
|
||||
}
|
||||
} else {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait GeosearchTrait
|
||||
{
|
||||
public function geosearch($key, $position, $shape, $unit, $options = []): \Relay\Relay|array
|
||||
{
|
||||
return $this->initializeLazyObject()->geosearch(...\func_get_args());
|
||||
}
|
||||
}
|
||||
}
|
||||
36
vendor/symfony/cache/Traits/Relay/GetrangeTrait.php
vendored
Normal file
36
vendor/symfony/cache/Traits/Relay/GetrangeTrait.php
vendored
Normal file
@@ -0,0 +1,36 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits\Relay;
|
||||
|
||||
if (version_compare(phpversion('relay'), '0.9.0', '>=')) {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait GetrangeTrait
|
||||
{
|
||||
public function getrange($key, $start, $end): mixed
|
||||
{
|
||||
return $this->initializeLazyObject()->getrange(...\func_get_args());
|
||||
}
|
||||
}
|
||||
} else {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait GetrangeTrait
|
||||
{
|
||||
public function getrange($key, $start, $end): \Relay\Relay|false|string
|
||||
{
|
||||
return $this->initializeLazyObject()->getrange(...\func_get_args());
|
||||
}
|
||||
}
|
||||
}
|
||||
36
vendor/symfony/cache/Traits/Relay/HsetTrait.php
vendored
Normal file
36
vendor/symfony/cache/Traits/Relay/HsetTrait.php
vendored
Normal file
@@ -0,0 +1,36 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits\Relay;
|
||||
|
||||
if (version_compare(phpversion('relay'), '0.9.0', '>=')) {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait HsetTrait
|
||||
{
|
||||
public function hset($key, ...$keys_and_vals): \Relay\Relay|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->hset(...\func_get_args());
|
||||
}
|
||||
}
|
||||
} else {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait HsetTrait
|
||||
{
|
||||
public function hset($key, $mem, $val, ...$kvals): \Relay\Relay|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->hset(...\func_get_args());
|
||||
}
|
||||
}
|
||||
}
|
||||
46
vendor/symfony/cache/Traits/Relay/MoveTrait.php
vendored
Normal file
46
vendor/symfony/cache/Traits/Relay/MoveTrait.php
vendored
Normal file
@@ -0,0 +1,46 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits\Relay;
|
||||
|
||||
if (version_compare(phpversion('relay'), '0.9.0', '>=')) {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait MoveTrait
|
||||
{
|
||||
public function blmove($srckey, $dstkey, $srcpos, $dstpos, $timeout): mixed
|
||||
{
|
||||
return $this->initializeLazyObject()->blmove(...\func_get_args());
|
||||
}
|
||||
|
||||
public function lmove($srckey, $dstkey, $srcpos, $dstpos): mixed
|
||||
{
|
||||
return $this->initializeLazyObject()->lmove(...\func_get_args());
|
||||
}
|
||||
}
|
||||
} else {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait MoveTrait
|
||||
{
|
||||
public function blmove($srckey, $dstkey, $srcpos, $dstpos, $timeout): \Relay\Relay|false|string|null
|
||||
{
|
||||
return $this->initializeLazyObject()->blmove(...\func_get_args());
|
||||
}
|
||||
|
||||
public function lmove($srckey, $dstkey, $srcpos, $dstpos): \Relay\Relay|false|string|null
|
||||
{
|
||||
return $this->initializeLazyObject()->lmove(...\func_get_args());
|
||||
}
|
||||
}
|
||||
}
|
||||
96
vendor/symfony/cache/Traits/Relay/NullableReturnTrait.php
vendored
Normal file
96
vendor/symfony/cache/Traits/Relay/NullableReturnTrait.php
vendored
Normal file
@@ -0,0 +1,96 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits\Relay;
|
||||
|
||||
if (version_compare(phpversion('relay'), '0.9.0', '>=')) {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait NullableReturnTrait
|
||||
{
|
||||
public function dump($key): \Relay\Relay|false|string|null
|
||||
{
|
||||
return $this->initializeLazyObject()->dump(...\func_get_args());
|
||||
}
|
||||
|
||||
public function geodist($key, $src, $dst, $unit = null): \Relay\Relay|false|float|null
|
||||
{
|
||||
return $this->initializeLazyObject()->geodist(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hrandfield($hash, $options = null): \Relay\Relay|array|false|string|null
|
||||
{
|
||||
return $this->initializeLazyObject()->hrandfield(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xadd($key, $id, $values, $maxlen = 0, $approx = false, $nomkstream = false): \Relay\Relay|false|string|null
|
||||
{
|
||||
return $this->initializeLazyObject()->xadd(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrank($key, $rank, $withscore = false): \Relay\Relay|array|false|int|null
|
||||
{
|
||||
return $this->initializeLazyObject()->zrank(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrevrank($key, $rank, $withscore = false): \Relay\Relay|array|false|int|null
|
||||
{
|
||||
return $this->initializeLazyObject()->zrevrank(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zscore($key, $member): \Relay\Relay|false|float|null
|
||||
{
|
||||
return $this->initializeLazyObject()->zscore(...\func_get_args());
|
||||
}
|
||||
}
|
||||
} else {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait NullableReturnTrait
|
||||
{
|
||||
public function dump($key): \Relay\Relay|false|string
|
||||
{
|
||||
return $this->initializeLazyObject()->dump(...\func_get_args());
|
||||
}
|
||||
|
||||
public function geodist($key, $src, $dst, $unit = null): \Relay\Relay|false|float
|
||||
{
|
||||
return $this->initializeLazyObject()->geodist(...\func_get_args());
|
||||
}
|
||||
|
||||
public function hrandfield($hash, $options = null): \Relay\Relay|array|false|string
|
||||
{
|
||||
return $this->initializeLazyObject()->hrandfield(...\func_get_args());
|
||||
}
|
||||
|
||||
public function xadd($key, $id, $values, $maxlen = 0, $approx = false, $nomkstream = false): \Relay\Relay|false|string
|
||||
{
|
||||
return $this->initializeLazyObject()->xadd(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrank($key, $rank, $withscore = false): \Relay\Relay|array|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->zrank(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zrevrank($key, $rank, $withscore = false): \Relay\Relay|array|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->zrevrank(...\func_get_args());
|
||||
}
|
||||
|
||||
public function zscore($key, $member): \Relay\Relay|false|float
|
||||
{
|
||||
return $this->initializeLazyObject()->zscore(...\func_get_args());
|
||||
}
|
||||
}
|
||||
}
|
||||
36
vendor/symfony/cache/Traits/Relay/PfcountTrait.php
vendored
Normal file
36
vendor/symfony/cache/Traits/Relay/PfcountTrait.php
vendored
Normal file
@@ -0,0 +1,36 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits\Relay;
|
||||
|
||||
if (version_compare(phpversion('relay'), '0.9.0', '>=')) {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait PfcountTrait
|
||||
{
|
||||
public function pfcount($key_or_keys): \Relay\Relay|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->pfcount(...\func_get_args());
|
||||
}
|
||||
}
|
||||
} else {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait PfcountTrait
|
||||
{
|
||||
public function pfcount($key): \Relay\Relay|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->pfcount(...\func_get_args());
|
||||
}
|
||||
}
|
||||
}
|
||||
1265
vendor/symfony/cache/Traits/RelayProxy.php
vendored
Normal file
1265
vendor/symfony/cache/Traits/RelayProxy.php
vendored
Normal file
File diff suppressed because it is too large
Load Diff
147
vendor/symfony/cache/Traits/RelayProxyTrait.php
vendored
Normal file
147
vendor/symfony/cache/Traits/RelayProxyTrait.php
vendored
Normal file
@@ -0,0 +1,147 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
namespace Symfony\Component\Cache\Traits;
|
||||
|
||||
if (version_compare(phpversion('relay'), '0.8.1', '>=')) {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait RelayProxyTrait
|
||||
{
|
||||
public function jsonArrAppend($key, $value_or_array, $path = null): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonArrAppend(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonArrIndex($key, $path, $value, $start = 0, $stop = -1): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonArrIndex(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonArrInsert($key, $path, $index, $value, ...$other_values): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonArrInsert(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonArrLen($key, $path = null): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonArrLen(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonArrPop($key, $path = null, $index = -1): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonArrPop(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonArrTrim($key, $path, $start, $stop): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonArrTrim(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonClear($key, $path = null): \Relay\Relay|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonClear(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonDebug($command, $key, $path = null): \Relay\Relay|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonDebug(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonDel($key, $path = null): \Relay\Relay|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonDel(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonForget($key, $path = null): \Relay\Relay|false|int
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonForget(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonGet($key, $options = [], ...$paths): mixed
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonGet(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonMerge($key, $path, $value): \Relay\Relay|bool
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonMerge(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonMget($key_or_array, $path): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonMget(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonMset($key, $path, $value, ...$other_triples): \Relay\Relay|bool
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonMset(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonNumIncrBy($key, $path, $value): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonNumIncrBy(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonNumMultBy($key, $path, $value): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonNumMultBy(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonObjKeys($key, $path = null): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonObjKeys(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonObjLen($key, $path = null): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonObjLen(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonResp($key, $path = null): \Relay\Relay|array|false|int|string
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonResp(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonSet($key, $path, $value, $condition = null): \Relay\Relay|bool
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonSet(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonStrAppend($key, $value, $path = null): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonStrAppend(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonStrLen($key, $path = null): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonStrLen(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonToggle($key, $path): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonToggle(...\func_get_args());
|
||||
}
|
||||
|
||||
public function jsonType($key, $path = null): \Relay\Relay|array|false
|
||||
{
|
||||
return $this->initializeLazyObject()->jsonType(...\func_get_args());
|
||||
}
|
||||
}
|
||||
} else {
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
trait RelayProxyTrait
|
||||
{
|
||||
}
|
||||
}
|
||||
81
vendor/symfony/cache/Traits/ValueWrapper.php
vendored
Normal file
81
vendor/symfony/cache/Traits/ValueWrapper.php
vendored
Normal file
@@ -0,0 +1,81 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
* This file is part of the Symfony package.
|
||||
*
|
||||
* (c) Fabien Potencier <fabien@symfony.com>
|
||||
*
|
||||
* For the full copyright and license information, please view the LICENSE
|
||||
* file that was distributed with this source code.
|
||||
*/
|
||||
|
||||
/**
|
||||
* A short namespace-less class to serialize items with metadata.
|
||||
*
|
||||
* @author Nicolas Grekas <p@tchwork.com>
|
||||
*
|
||||
* @internal
|
||||
*/
|
||||
class <EFBFBD>
|
||||
{
|
||||
private const EXPIRY_OFFSET = 1648206727;
|
||||
private const INT32_MAX = 2147483647;
|
||||
|
||||
public readonly mixed $value;
|
||||
public readonly array $metadata;
|
||||
|
||||
public function __construct(mixed $value, array $metadata)
|
||||
{
|
||||
$this->value = $value;
|
||||
$this->metadata = $metadata;
|
||||
}
|
||||
|
||||
public function __serialize(): array
|
||||
{
|
||||
// pack 31-bits ctime into 14bits
|
||||
$c = $this->metadata['ctime'] ?? 0;
|
||||
$c = match (true) {
|
||||
$c > self::INT32_MAX - 2 => self::INT32_MAX,
|
||||
$c > 0 => 1 + $c,
|
||||
default => 1,
|
||||
};
|
||||
$e = 0;
|
||||
while (!(0x40000000 & $c)) {
|
||||
$c <<= 1;
|
||||
++$e;
|
||||
}
|
||||
$c = (0x7FE0 & ($c >> 16)) | $e;
|
||||
|
||||
$pack = pack('Vn', (int) (0.1 + ($this->metadata['expiry'] ?: self::INT32_MAX + self::EXPIRY_OFFSET) - self::EXPIRY_OFFSET), $c);
|
||||
|
||||
if (isset($this->metadata['tags'])) {
|
||||
$pack[4] = $pack[4] | "\x80";
|
||||
}
|
||||
|
||||
return [$pack => $this->value] + ($this->metadata['tags'] ?? []);
|
||||
}
|
||||
|
||||
public function __unserialize(array $data): void
|
||||
{
|
||||
$pack = array_key_first($data);
|
||||
$this->value = $data[$pack];
|
||||
|
||||
if ($hasTags = "\x80" === ($pack[4] & "\x80")) {
|
||||
unset($data[$pack]);
|
||||
$pack[4] = $pack[4] & "\x7F";
|
||||
}
|
||||
|
||||
$metadata = unpack('Vexpiry/nctime', $pack);
|
||||
$metadata['expiry'] += self::EXPIRY_OFFSET;
|
||||
|
||||
if (!$metadata['ctime'] = ((0x4000 | $metadata['ctime']) << 16 >> (0x1F & $metadata['ctime'])) - 1) {
|
||||
unset($metadata['ctime']);
|
||||
}
|
||||
|
||||
if ($hasTags) {
|
||||
$metadata['tags'] = $data;
|
||||
}
|
||||
|
||||
$this->metadata = $metadata;
|
||||
}
|
||||
}
|
||||
Reference in New Issue
Block a user