123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698 |
- <?php
- /**
- * CakePHP(tm) : Rapid Development Framework (https://cakephp.org)
- * Copyright (c) Cake Software Foundation, Inc. (https://cakefoundation.org)
- *
- * Licensed under The MIT License
- * For full copyright and license information, please see the LICENSE.txt
- * Redistributions of files must retain the above copyright notice.
- *
- * @copyright Copyright (c) Cake Software Foundation, Inc. (https://cakefoundation.org)
- * @link https://cakephp.org CakePHP(tm) Project
- * @since 1.2.0
- * @license https://opensource.org/licenses/mit-license.php MIT License
- */
- namespace Cake\Cache;
- use Cake\Cache\Engine\NullEngine;
- use Cake\Core\ObjectRegistry;
- use Cake\Core\StaticConfigTrait;
- use InvalidArgumentException;
- use RuntimeException;
- /**
- * Cache provides a consistent interface to Caching in your application. It allows you
- * to use several different Cache engines, without coupling your application to a specific
- * implementation. It also allows you to change out cache storage or configuration without effecting
- * the rest of your application.
- *
- * ### Configuring Cache engines
- *
- * You can configure Cache engines in your application's `Config/cache.php` file.
- * A sample configuration would be:
- *
- * ```
- * Cache::config('shared', [
- * 'className' => 'Cake\Cache\Engine\ApcuEngine',
- * 'prefix' => 'my_app_'
- * ]);
- * ```
- *
- * This would configure an APCu cache engine to the 'shared' alias. You could then read and write
- * to that cache alias by using it for the `$config` parameter in the various Cache methods.
- *
- * In general all Cache operations are supported by all cache engines.
- * However, Cache::increment() and Cache::decrement() are not supported by File caching.
- *
- * There are 7 built-in caching engines:
- *
- * - `ApcuEngine` - Uses the APCu object cache, one of the fastest caching engines.
- * - `ArrayEngine` - Uses only memory to store all data, not actually a persistent engine.
- * Can be useful in test or CLI environment.
- * - `FileEngine` - Uses simple files to store content. Poor performance, but good for
- * storing large objects, or things that are not IO sensitive. Well suited to development
- * as it is an easy cache to inspect and manually flush.
- * - `MemcacheEngine` - Uses the PECL::Memcache extension and Memcached for storage.
- * Fast reads/writes, and benefits from memcache being distributed.
- * - `RedisEngine` - Uses redis and php-redis extension to store cache data.
- * - `WincacheEngine` - Uses Windows Cache Extension for PHP. Supports wincache 1.1.0 and higher.
- * This engine is recommended to people deploying on windows with IIS.
- * - `XcacheEngine` - Uses the Xcache extension, an alternative to APCu.
- *
- * See Cache engine documentation for expected configuration keys.
- *
- * @see config/app.php for configuration settings
- */
- class Cache
- {
- use StaticConfigTrait;
- /**
- * An array mapping url schemes to fully qualified caching engine
- * class names.
- *
- * @var array
- */
- protected static $_dsnClassMap = [
- 'array' => 'Cake\Cache\Engine\ArrayEngine',
- 'apc' => 'Cake\Cache\Engine\ApcuEngine', // @deprecated Since 3.6. Use apcu instead.
- 'apcu' => 'Cake\Cache\Engine\ApcuEngine',
- 'file' => 'Cake\Cache\Engine\FileEngine',
- 'memcached' => 'Cake\Cache\Engine\MemcachedEngine',
- 'null' => 'Cake\Cache\Engine\NullEngine',
- 'redis' => 'Cake\Cache\Engine\RedisEngine',
- 'wincache' => 'Cake\Cache\Engine\WincacheEngine',
- 'xcache' => 'Cake\Cache\Engine\XcacheEngine',
- ];
- /**
- * Flag for tracking whether or not caching is enabled.
- *
- * @var bool
- */
- protected static $_enabled = true;
- /**
- * Group to Config mapping
- *
- * @var array
- */
- protected static $_groups = [];
- /**
- * Cache Registry used for creating and using cache adapters.
- *
- * @var \Cake\Core\ObjectRegistry
- */
- protected static $_registry;
- /**
- * Returns the Cache Registry instance used for creating and using cache adapters.
- *
- * @return \Cake\Core\ObjectRegistry
- */
- public static function getRegistry()
- {
- if (!static::$_registry) {
- static::$_registry = new CacheRegistry();
- }
- return static::$_registry;
- }
- /**
- * Sets the Cache Registry instance used for creating and using cache adapters.
- *
- * Also allows for injecting of a new registry instance.
- *
- * @param \Cake\Core\ObjectRegistry $registry Injectable registry object.
- * @return void
- */
- public static function setRegistry(ObjectRegistry $registry)
- {
- static::$_registry = $registry;
- }
- /**
- * Returns the Cache Registry instance used for creating and using cache adapters.
- * Also allows for injecting of a new registry instance.
- *
- * @param \Cake\Core\ObjectRegistry|null $registry Injectable registry object.
- * @return \Cake\Core\ObjectRegistry
- * @deprecated Deprecated since 3.5. Use getRegistry() and setRegistry() instead.
- */
- public static function registry(ObjectRegistry $registry = null)
- {
- deprecationWarning('Use Cache::getRegistry() and Cache::setRegistry() instead.');
- if ($registry) {
- static::setRegistry($registry);
- }
- return static::getRegistry();
- }
- /**
- * Finds and builds the instance of the required engine class.
- *
- * @param string $name Name of the config array that needs an engine instance built
- * @return void
- * @throws \InvalidArgumentException When a cache engine cannot be created.
- */
- protected static function _buildEngine($name)
- {
- $registry = static::getRegistry();
- if (empty(static::$_config[$name]['className'])) {
- throw new InvalidArgumentException(
- sprintf('The "%s" cache configuration does not exist.', $name)
- );
- }
- $config = static::$_config[$name];
- try {
- $registry->load($name, $config);
- } catch (RuntimeException $e) {
- if (!array_key_exists('fallback', $config)) {
- $registry->set($name, new NullEngine());
- trigger_error($e->getMessage(), E_USER_WARNING);
- return;
- }
- if ($config['fallback'] === false) {
- throw $e;
- }
- if ($config['fallback'] === $name) {
- throw new InvalidArgumentException(sprintf('"%s" cache configuration cannot fallback to itself.', $name), null, $e);
- }
- $fallbackEngine = clone static::engine($config['fallback']);
- $newConfig = $config + ['groups' => [], 'prefix' => null];
- $fallbackEngine->setConfig('groups', $newConfig['groups'], false);
- if ($newConfig['prefix']) {
- $fallbackEngine->setConfig('prefix', $newConfig['prefix'], false);
- }
- $registry->set($name, $fallbackEngine);
- }
- if ($config['className'] instanceof CacheEngine) {
- $config = $config['className']->getConfig();
- }
- if (!empty($config['groups'])) {
- foreach ($config['groups'] as $group) {
- static::$_groups[$group][] = $name;
- static::$_groups[$group] = array_unique(static::$_groups[$group]);
- sort(static::$_groups[$group]);
- }
- }
- }
- /**
- * Fetch the engine attached to a specific configuration name.
- *
- * If the cache engine & configuration are missing an error will be
- * triggered.
- *
- * @param string $config The configuration name you want an engine for.
- * @return \Cake\Cache\CacheEngine When caching is disabled a null engine will be returned.
- * @deprecated 3.7.0 Use Cache::pool() instead. In 4.0 all cache engines will implement the
- * PSR16 interface and this method does not return objects implementing that interface.
- */
- public static function engine($config)
- {
- if (!static::$_enabled) {
- return new NullEngine();
- }
- $registry = static::getRegistry();
- if (isset($registry->{$config})) {
- return $registry->{$config};
- }
- static::_buildEngine($config);
- return $registry->{$config};
- }
- /**
- * Get a SimpleCacheEngine object for the named cache pool.
- *
- * @param string $config The name of the configured cache backend.
- * @return \Cake\Cache\SimpleCacheEngine
- */
- public static function pool($config)
- {
- return new SimpleCacheEngine(static::engine($config));
- }
- /**
- * Garbage collection
- *
- * Permanently remove all expired and deleted data
- *
- * @param string $config [optional] The config name you wish to have garbage collected. Defaults to 'default'
- * @param int|null $expires [optional] An expires timestamp. Defaults to NULL
- * @return void
- * @deprecated 3.7.0 Will be removed in 4.0
- */
- public static function gc($config = 'default', $expires = null)
- {
- $engine = static::engine($config);
- $engine->gc($expires);
- }
- /**
- * Write data for key into cache.
- *
- * ### Usage:
- *
- * Writing to the active cache config:
- *
- * ```
- * Cache::write('cached_data', $data);
- * ```
- *
- * Writing to a specific cache config:
- *
- * ```
- * Cache::write('cached_data', $data, 'long_term');
- * ```
- *
- * @param string $key Identifier for the data
- * @param mixed $value Data to be cached - anything except a resource
- * @param string $config Optional string configuration name to write to. Defaults to 'default'
- * @return bool True if the data was successfully cached, false on failure
- */
- public static function write($key, $value, $config = 'default')
- {
- if (is_resource($value)) {
- return false;
- }
- $backend = static::pool($config);
- $success = $backend->set($key, $value);
- if ($success === false && $value !== '') {
- trigger_error(
- sprintf(
- "%s cache was unable to write '%s' to %s cache",
- $config,
- $key,
- get_class($backend)
- ),
- E_USER_WARNING
- );
- }
- return $success;
- }
- /**
- * Write data for many keys into cache.
- *
- * ### Usage:
- *
- * Writing to the active cache config:
- *
- * ```
- * Cache::writeMany(['cached_data_1' => 'data 1', 'cached_data_2' => 'data 2']);
- * ```
- *
- * Writing to a specific cache config:
- *
- * ```
- * Cache::writeMany(['cached_data_1' => 'data 1', 'cached_data_2' => 'data 2'], 'long_term');
- * ```
- *
- * @param array $data An array of data to be stored in the cache
- * @param string $config Optional string configuration name to write to. Defaults to 'default'
- * @return array of bools for each key provided, indicating true for success or false for fail
- * @throws \RuntimeException
- */
- public static function writeMany($data, $config = 'default')
- {
- $engine = static::engine($config);
- $return = $engine->writeMany($data);
- foreach ($return as $key => $success) {
- if ($success === false && $data[$key] !== '') {
- throw new RuntimeException(sprintf(
- '%s cache was unable to write \'%s\' to %s cache',
- $config,
- $key,
- get_class($engine)
- ));
- }
- }
- return $return;
- }
- /**
- * Read a key from the cache.
- *
- * ### Usage:
- *
- * Reading from the active cache configuration.
- *
- * ```
- * Cache::read('my_data');
- * ```
- *
- * Reading from a specific cache configuration.
- *
- * ```
- * Cache::read('my_data', 'long_term');
- * ```
- *
- * @param string $key Identifier for the data
- * @param string $config optional name of the configuration to use. Defaults to 'default'
- * @return mixed The cached data, or false if the data doesn't exist, has expired, or if there was an error fetching it
- */
- public static function read($key, $config = 'default')
- {
- // TODO In 4.x this needs to change to use pool()
- $engine = static::engine($config);
- return $engine->read($key);
- }
- /**
- * Read multiple keys from the cache.
- *
- * ### Usage:
- *
- * Reading multiple keys from the active cache configuration.
- *
- * ```
- * Cache::readMany(['my_data_1', 'my_data_2]);
- * ```
- *
- * Reading from a specific cache configuration.
- *
- * ```
- * Cache::readMany(['my_data_1', 'my_data_2], 'long_term');
- * ```
- *
- * @param array $keys an array of keys to fetch from the cache
- * @param string $config optional name of the configuration to use. Defaults to 'default'
- * @return array An array containing, for each of the given $keys, the cached data or false if cached data could not be
- * retrieved.
- */
- public static function readMany($keys, $config = 'default')
- {
- // In 4.x this needs to change to use pool()
- $engine = static::engine($config);
- return $engine->readMany($keys);
- }
- /**
- * Increment a number under the key and return incremented value.
- *
- * @param string $key Identifier for the data
- * @param int $offset How much to add
- * @param string $config Optional string configuration name. Defaults to 'default'
- * @return mixed new value, or false if the data doesn't exist, is not integer,
- * or if there was an error fetching it.
- */
- public static function increment($key, $offset = 1, $config = 'default')
- {
- $engine = static::pool($config);
- if (!is_int($offset) || $offset < 0) {
- return false;
- }
- return $engine->increment($key, $offset);
- }
- /**
- * Decrement a number under the key and return decremented value.
- *
- * @param string $key Identifier for the data
- * @param int $offset How much to subtract
- * @param string $config Optional string configuration name. Defaults to 'default'
- * @return mixed new value, or false if the data doesn't exist, is not integer,
- * or if there was an error fetching it
- */
- public static function decrement($key, $offset = 1, $config = 'default')
- {
- $engine = static::pool($config);
- if (!is_int($offset) || $offset < 0) {
- return false;
- }
- return $engine->decrement($key, $offset);
- }
- /**
- * Delete a key from the cache.
- *
- * ### Usage:
- *
- * Deleting from the active cache configuration.
- *
- * ```
- * Cache::delete('my_data');
- * ```
- *
- * Deleting from a specific cache configuration.
- *
- * ```
- * Cache::delete('my_data', 'long_term');
- * ```
- *
- * @param string $key Identifier for the data
- * @param string $config name of the configuration to use. Defaults to 'default'
- * @return bool True if the value was successfully deleted, false if it didn't exist or couldn't be removed
- */
- public static function delete($key, $config = 'default')
- {
- $backend = static::pool($config);
- return $backend->delete($key);
- }
- /**
- * Delete many keys from the cache.
- *
- * ### Usage:
- *
- * Deleting multiple keys from the active cache configuration.
- *
- * ```
- * Cache::deleteMany(['my_data_1', 'my_data_2']);
- * ```
- *
- * Deleting from a specific cache configuration.
- *
- * ```
- * Cache::deleteMany(['my_data_1', 'my_data_2], 'long_term');
- * ```
- *
- * @param array $keys Array of cache keys to be deleted
- * @param string $config name of the configuration to use. Defaults to 'default'
- * @return array of boolean values that are true if the value was successfully deleted,
- * false if it didn't exist or couldn't be removed.
- */
- public static function deleteMany($keys, $config = 'default')
- {
- $backend = static::pool($config);
- $return = [];
- foreach ($keys as $key) {
- $return[$key] = $backend->delete($key);
- }
- return $return;
- }
- /**
- * Delete all keys from the cache.
- *
- * @param bool $check if true will check expiration, otherwise delete all. This parameter
- * will become a no-op value in 4.0 as it is deprecated.
- * @param string $config name of the configuration to use. Defaults to 'default'
- * @return bool True if the cache was successfully cleared, false otherwise
- */
- public static function clear($check = false, $config = 'default')
- {
- $engine = static::engine($config);
- return $engine->clear($check);
- }
- /**
- * Delete all keys from the cache from all configurations.
- *
- * @param bool $check if true will check expiration, otherwise delete all. This parameter
- * will become a no-op value in 4.0 as it is deprecated.
- * @return array Status code. For each configuration, it reports the status of the operation
- */
- public static function clearAll($check = false)
- {
- $status = [];
- foreach (self::configured() as $config) {
- $status[$config] = self::clear($check, $config);
- }
- return $status;
- }
- /**
- * Delete all keys from the cache belonging to the same group.
- *
- * @param string $group name of the group to be cleared
- * @param string $config name of the configuration to use. Defaults to 'default'
- * @return bool True if the cache group was successfully cleared, false otherwise
- */
- public static function clearGroup($group, $config = 'default')
- {
- $engine = static::pool($config);
- return $engine->clearGroup($group);
- }
- /**
- * Retrieve group names to config mapping.
- *
- * ```
- * Cache::config('daily', ['duration' => '1 day', 'groups' => ['posts']]);
- * Cache::config('weekly', ['duration' => '1 week', 'groups' => ['posts', 'archive']]);
- * $configs = Cache::groupConfigs('posts');
- * ```
- *
- * $configs will equal to `['posts' => ['daily', 'weekly']]`
- * Calling this method will load all the configured engines.
- *
- * @param string|null $group group name or null to retrieve all group mappings
- * @return array map of group and all configuration that has the same group
- * @throws \InvalidArgumentException
- */
- public static function groupConfigs($group = null)
- {
- foreach (array_keys(static::$_config) as $config) {
- static::engine($config);
- }
- if ($group === null) {
- return static::$_groups;
- }
- if (isset(self::$_groups[$group])) {
- return [$group => self::$_groups[$group]];
- }
- throw new InvalidArgumentException(sprintf('Invalid cache group %s', $group));
- }
- /**
- * Re-enable caching.
- *
- * If caching has been disabled with Cache::disable() this method will reverse that effect.
- *
- * @return void
- */
- public static function enable()
- {
- static::$_enabled = true;
- }
- /**
- * Disable caching.
- *
- * When disabled all cache operations will return null.
- *
- * @return void
- */
- public static function disable()
- {
- static::$_enabled = false;
- }
- /**
- * Check whether or not caching is enabled.
- *
- * @return bool
- */
- public static function enabled()
- {
- return static::$_enabled;
- }
- /**
- * Provides the ability to easily do read-through caching.
- *
- * When called if the $key is not set in $config, the $callable function
- * will be invoked. The results will then be stored into the cache config
- * at key.
- *
- * Examples:
- *
- * Using a Closure to provide data, assume `$this` is a Table object:
- *
- * ```
- * $results = Cache::remember('all_articles', function () {
- * return $this->find('all');
- * });
- * ```
- *
- * @param string $key The cache key to read/store data at.
- * @param callable $callable The callable that provides data in the case when
- * the cache key is empty. Can be any callable type supported by your PHP.
- * @param string $config The cache configuration to use for this operation.
- * Defaults to default.
- * @return mixed If the key is found: the cached data, false if the data
- * missing/expired, or an error. If the key is not found: boolean of the
- * success of the write
- */
- public static function remember($key, $callable, $config = 'default')
- {
- $existing = self::read($key, $config);
- if ($existing !== false) {
- return $existing;
- }
- $results = call_user_func($callable);
- self::write($key, $results, $config);
- return $results;
- }
- /**
- * Write data for key into a cache engine if it doesn't exist already.
- *
- * ### Usage:
- *
- * Writing to the active cache config:
- *
- * ```
- * Cache::add('cached_data', $data);
- * ```
- *
- * Writing to a specific cache config:
- *
- * ```
- * Cache::add('cached_data', $data, 'long_term');
- * ```
- *
- * @param string $key Identifier for the data.
- * @param mixed $value Data to be cached - anything except a resource.
- * @param string $config Optional string configuration name to write to. Defaults to 'default'.
- * @return bool True if the data was successfully cached, false on failure.
- * Or if the key existed already.
- */
- public static function add($key, $value, $config = 'default')
- {
- $pool = static::pool($config);
- if (is_resource($value)) {
- return false;
- }
- return $pool->add($key, $value);
- }
- }
|