On this page
- Quick Start
- Basic Configuration Options
- StorageInterface
- AvailableSpaceCapableInterface
- TotalSpaceCapableInterface
- ClearByNamespaceInterface
- ClearByPrefixInterface
- ClearExpiredInterface
- FlushableInterface
- IterableInterface
- OptimizableInterface
- TaggableInterface
- APCu Adapter
- BlackHole Adapter
- Filesystem Adapter
- Memcached Adapter
- Redis Adapter
- RedisCluster Adapter
- Memory Adapter
- ExtMongoDB Adapter
- Examples
Caution
The documentation you are viewing is for an older version of this component.
Switch to the latest (v4) version.
Storage
Adapters
Storage adapters are wrappers for real storage resources such as memory or the filesystem, using the well known adapter pattern.
They come with tons of methods to read, write, and modify stored items, and to get information about stored items and the storage.
All adapters implement Laminas\Cache\Storage\StorageInterface
, and most extend
Laminas\Cache\Storage\Adapter\AbstractAdapter
, which provides a foundation of
common logic.
Configuration is handled by either Laminas\Cache\Storage\Adapter\AdapterOptions
,
or an adapter-specific options class if it exists. You may pass the options
instance to the class at instantiation, via the setOptions()
method, or,
alternately, pass an associative array of options in either place (internally,
these are then passed to an options class instance). Alternately, you can pass associative array to the
Laminas\Cache\Service\StorageAdapterFactoryInterface::create
method.
Quick Start
Caching adapters can either be created from the provided
Laminas\Cache\Service\StorageAdapterFactoryInterface
, or by instantiating one of the
Laminas\Cache\Storage\Adapter\*
classes. To make life easier, the
Laminas\Cache\Service\StorageAdapterFactoryInterface
comes with a create()
method to create an adapter
and all requested plugins at once.
use Laminas\Cache\Service\StorageAdapterFactoryInterface;
use Laminas\Cache\Service\StoragePluginFactoryInterface;
use Psr\Container\ContainerInterface;
/** @var ContainerInterface $container */
$container = null; // can be any configured PSR-11 container
/** @var StorageAdapterFactoryInterface $storageFactory */
$storageFactory = $container->get(StorageAdapterFactoryInterface::class);
// Via factory:
$cache = $storageFactory->create(
'apcu',
['ttl' => 3600],
[
[
'name' => 'exception_handler',
'options' => [
'throw_exceptions' => false,
],
],
]
);
// Via array configuration:
$cache = $storageFactory->createFromArrayConfiguration([
'adapter' => 'apcu',
'options' => ['ttl' => 3600],
'plugins' => [
[
'name' => 'exception_handler',
'options' => [
'throw_exceptions' => false,
],
],
],
]);
// Alternately, create the adapter and plugin separately:
$cache = $storageFactory->create('apcu', ['ttl' => 3600]);
$pluginFactory = $container->get(StoragePluginFactoryInterface::class);
$plugin = $pluginFactory->create('exception_handler', [
'throw_exceptions' => false,
]);
$cache->addPlugin($plugin);
// Or do it completely manually:
$cache = new Laminas\Cache\Storage\Adapter\Apcu();
$cache->getOptions()->setTtl(3600);
$plugin = new Laminas\Cache\Storage\Plugin\ExceptionHandler();
$plugin->getOptions()->setThrowExceptions(false);
$cache->addPlugin($plugin);
Many Methods throw Exceptions
Because many caching operations throw an exception on error, you need to catch them. You can do so manually, or you can use the plugin
Laminas\Cache\Storage\Plugin\ExceptionHandler
withthrow_exceptions
set tofalse
to automatically catch them. You can also define anexception_callback
to log exceptions.
Basic Configuration Options
The following configuration options are defined by Laminas\Cache\Storage\Adapter\AdapterOptions
and
are available for every supported adapter. Adapter-specific configuration options are described on
adapter level below.
Option | Data Type | Default Value | Description |
---|---|---|---|
ttl |
integer |
0 |
Time to live |
namespace |
string |
“laminascache” | The “namespace” in which cache items will live |
key_pattern |
null|string |
null |
Pattern against which to validate cache keys |
readable |
boolean |
true |
Enable/Disable reading data from cache |
writable |
boolean |
true |
Enable/Disable writing data to cache |
StorageInterface
Laminas\Cache\Storage\StorageInterface
is the basic interface implemented by all
storage adapters.
namespace Laminas\Cache\Storage;
use Traversable;
interface StorageInterface
{
/**
* Set options.
*
* @param array|Traversable|Adapter\AdapterOptions $options
* @return StorageInterface Fluent interface
*/
public function setOptions($options);
/**
* Get options
*
* @return Adapter\AdapterOptions
*/
public function getOptions();
/* reading */
/**
* Get an item.
*
* @param string $key
* @param bool $success
* @param mixed $casToken
* @return mixed Data on success, null on failure
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function getItem($key, & $success = null, & $casToken = null);
/**
* Get multiple items.
*
* @param array $keys
* @return array Associative array of keys and values
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function getItems(array $keys);
/**
* Test if an item exists.
*
* @param string $key
* @return bool
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function hasItem($key);
/**
* Test multiple items.
*
* @param array $keys
* @return array Array of found keys
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function hasItems(array $keys);
/**
* Get metadata of an item.
*
* @param string $key
* @return array|bool Metadata on success, false on failure
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function getMetadata($key);
/**
* Get multiple metadata
*
* @param array $keys
* @return array Associative array of keys and metadata
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function getMetadatas(array $keys);
/* writing */
/**
* Store an item.
*
* @param string $key
* @param mixed $value
* @return bool
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function setItem($key, $value);
/**
* Store multiple items.
*
* @param array $keyValuePairs
* @return array Array of not stored keys
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function setItems(array $keyValuePairs);
/**
* Add an item.
*
* @param string $key
* @param mixed $value
* @return bool
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function addItem($key, $value);
/**
* Add multiple items.
*
* @param array $keyValuePairs
* @return array Array of not stored keys
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function addItems(array $keyValuePairs);
/**
* Replace an existing item.
*
* @param string $key
* @param mixed $value
* @return bool
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function replaceItem($key, $value);
/**
* Replace multiple existing items.
*
* @param array $keyValuePairs
* @return array Array of not stored keys
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function replaceItems(array $keyValuePairs);
/**
* Set an item only if token matches
*
* It uses the token received from getItem() to check if the item has
* changed before overwriting it.
*
* @param mixed $token
* @param string $key
* @param mixed $value
* @return bool
* @throws \Laminas\Cache\Exception\ExceptionInterface
* @see getItem()
* @see setItem()
*/
public function checkAndSetItem($token, $key, $value);
/**
* Reset lifetime of an item
*
* @param string $key
* @return bool
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function touchItem($key);
/**
* Reset lifetime of multiple items.
*
* @param array $keys
* @return array Array of not updated keys
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function touchItems(array $keys);
/**
* Remove an item.
*
* @param string $key
* @return bool
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function removeItem($key);
/**
* Remove multiple items.
*
* @param array $keys
* @return array Array of not removed keys
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function removeItems(array $keys);
/**
* Increment an item.
*
* @param string $key
* @param int $value
* @return int|bool The new value on success, false on failure
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function incrementItem($key, $value);
/**
* Increment multiple items.
*
* @param array $keyValuePairs
* @return array Associative array of keys and new values
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function incrementItems(array $keyValuePairs);
/**
* Decrement an item.
*
* @param string $key
* @param int $value
* @return int|bool The new value on success, false on failure
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function decrementItem($key, $value);
/**
* Decrement multiple items.
*
* @param array $keyValuePairs
* @return array Associative array of keys and new values
* @throws \Laminas\Cache\Exception\ExceptionInterface
*/
public function decrementItems(array $keyValuePairs);
/* status */
/**
* Capabilities of this storage
*
* @return Capabilities
*/
public function getCapabilities();
}
AvailableSpaceCapableInterface
Laminas\Cache\Storage\AvailableSpaceCapableInterface
implements a method to allow
retrieving the current available space remaining in storage.
namespace Laminas\Cache\Storage;
interface AvailableSpaceCapableInterface
{
/**
* Get available space in bytes
*
* @return int|float
*/
public function getAvailableSpace();
}
TotalSpaceCapableInterface
Laminas\Cache\Storage\TotalSpaceCapableInterface
implements a method to allow
retrieving the total storage space.
namespace Laminas\Cache\Storage;
interface TotalSpaceCapableInterface
{
/**
* Get total space in bytes
*
* @return int|float
*/
public function getTotalSpace();
}
ClearByNamespaceInterface
Laminas\Cache\Storage\ClearByNamespaceInterface
implements a method to allow
clearing all cached items within a given namespace.
namespace Laminas\Cache\Storage;
interface ClearByNamespaceInterface
{
/**
* Remove items of given namespace
*
* @param string $namespace
* @return bool
*/
public function clearByNamespace($namespace);
}
ClearByPrefixInterface
Laminas\Cache\Storage\ClearByPrefixInterface
implements a method to allow
clearing all cached items that have a given prefix (within the currently
configured namespace).
namespace Laminas\Cache\Storage;
interface ClearByPrefixInterface
{
/**
* Remove items matching given prefix
*
* @param string $prefix
* @return bool
*/
public function clearByPrefix($prefix);
}
ClearExpiredInterface
Laminas\Cache\Storage\ClearExpiredInterface
implements a method to allow clearing
all expired items (within the current configured namespace).
namespace Laminas\Cache\Storage;
interface ClearExpiredInterface
{
/**
* Remove expired items
*
* @return bool
*/
public function clearExpired();
}
FlushableInterface
Laminas\Cache\Storage\FlushableInterface
implements a method for flushing the
entire cache storage.
namespace Laminas\Cache\Storage;
interface FlushableInterface
{
/**
* Flush the whole storage
*
* @return bool
*/
public function flush();
}
IterableInterface
Laminas\Cache\Storage\IterableInterface
implements a method for retrieving an
iterator of all items in storage. It extends IteratorAggregate
, so it's
possible to directly iterate over the storage implementations that implement
this interface using foreach
.
namespace Laminas\Cache\Storage;
use IteratorAggregate;
/**
*
* @method IteratorInterface getIterator() Get the storage iterator
*/
interface IterableInterface extends IteratorAggregate
{
/**
* @return \Traversable
*/
public function getIterator();
}
OptimizableInterface
Laminas\Cache\Storage\OptimizableInterface
implements a method for running
optimization processes on the storage adapter.
namespace Laminas\Cache\Storage;
interface OptimizableInterface
{
/**
* Optimize the storage
*
* @return bool
*/
public function optimize();
}
TaggableInterface
Laminas\Cache\Storage\TaggableInterface
implements methods for tagging items, and
cleaning (expiring) items matching tags.
namespace Laminas\Cache\Storage;
interface TaggableInterface
{
/**
* Set tags to an item by given key.
* An empty array will remove all tags.
*
* @param string $key
* @param string[] $tags
* @return bool
*/
public function setTags($key, array $tags);
/**
* Get tags of an item by given key
*
* @param string $key
* @return string[]|FALSE
*/
public function getTags($key);
/**
* Remove items matching given tags.
*
* If $disjunction only one of the given tags must match
* else all given tags must match.
*
* @param string[] $tags
* @param bool $disjunction
* @return bool
*/
public function clearByTags(array $tags, $disjunction = false);
}
APCu Adapter
Laminas\Cache\Storage\Adapter\Apcu
stores cache items in shared memory through the
PHP extension APCu (Alternative PHP Cache).
This adapter implements the following interfaces:
Laminas\Cache\Storage\StorageInterface
Laminas\Cache\Storage\AvailableSpaceCapableInterface
Laminas\Cache\Storage\ClearByNamespaceInterface
Laminas\Cache\Storage\ClearByPrefixInterface
Laminas\Cache\Storage\FlushableInterface
Laminas\Cache\Storage\IterableInterface
Laminas\Cache\Storage\TotalSpaceCapableInterface
Capabilities
Capability | Value |
---|---|
supportedDatatypes |
null , bool , int , float , string , array (serialized), object (serialized) |
supportedMetadata |
internal_key, atime, ctime, mtime, rtime, size, hits, ttl |
minTtl |
1 |
maxTtl |
0 |
staticTtl |
true |
ttlPrecision |
1 |
useRequestTime |
value of apc.use_request_time from php.ini |
lockOnExpire |
0 |
maxKeyLength |
5182 |
namespaceIsPrefix |
true |
namespaceSeparator |
Option value of namespace_separator |
Adapter Specific Options
Name | Data Type | Default Value | Description |
---|---|---|---|
namespace_separator |
string |
":" | A separator for the namespace and prefix. |
BlackHole Adapter
Laminas\Cache\Storage\Adapter\BlackHole
does not store any cache items. This adapter is useful to bypass caching behavior. This might be the case in development mode or unit testing.
This adapter implements the following interfaces:
Laminas\Cache\Storage\StorageInterface
Laminas\Cache\Storage\AvailableSpaceCapableInterface
Laminas\Cache\Storage\ClearByNamespaceInterface
Laminas\Cache\Storage\ClearByPrefixInterface
Laminas\Cache\Storage\ClearExpiredInterface
Laminas\Cache\Storage\FlushableInterface
Laminas\Cache\Storage\IterableInterface
Laminas\Cache\Storage\OptimizableInterface
Laminas\Cache\Storage\TaggableInterface
Laminas\Cache\Storage\TotalSpaceCapableInterface
Capabilities
Capability | Value |
---|---|
supportedDatatypes |
null , bool , int , float , string , array , object |
supportedMetadata |
none |
minTtl |
0 or 1, depending on psr option. |
maxTtl |
0 |
staticTtl |
false or true , depending on psr option |
ttlPrecision |
1 |
useRequestTime |
false |
lockOnExpire |
0 |
maxKeyLength |
-1 |
namespaceIsPrefix |
true |
namespaceSeparator |
none |
Adapter Specific Options
Name | Data Type | Default Value | Description |
---|---|---|---|
psr |
bool |
false |
Flag to specify whether the adapter should be compatible with CacheItemPoolDecorator or SimpleCacheDecorator |
Deprecation Notice
The
psr
option was introduce to provide non-BC compatible way to use theBlackHole
adapter with the PSR-6 and PSR-16 decorator. Ignore this option if this adapter is not used in combination with these decorators. This option is already flagged as internal and thus will be removed inlaminas/laminas-cache-storage-adapter-blackhole
2.0.
Filesystem Adapter
Laminas\Cache\Storage\Adapter\Filesystem
stores cache items on the filesystem.
This adapter implements the following interfaces:
Laminas\Cache\Storage\StorageInterface
Laminas\Cache\Storage\AvailableSpaceCapableInterface
Laminas\Cache\Storage\ClearByNamespaceInterface
Laminas\Cache\Storage\ClearByPrefixInterface
Laminas\Cache\Storage\ClearExpiredInterface
Laminas\Cache\Storage\FlushableInterface
Laminas\Cache\Storage\IterableInterface
Laminas\Cache\Storage\OptimizableInterface
Laminas\Cache\Storage\TaggableInterface
Laminas\Cache\Storage\TotalSpaceCapableInterface
Capabilities
Capability | Value |
---|---|
supportedDatatypes |
string , null => string , boolean => string , integer => string , double => string |
supportedMetadata |
mtime, filespec, atime, ctime |
minTtl |
1 |
maxTtl |
0 |
staticTtl |
false |
ttlPrecision |
1 |
useRequestTime |
false |
lockOnExpire |
0 |
maxKeyLength |
251 |
namespaceIsPrefix |
true |
namespaceSeparator |
Option value of namespace_separator |
Adapter Specific Options
Name | Data Type | Default Value | Description |
---|---|---|---|
namespace_separator |
string |
":" | A separator for the namespace and prefix |
cache_dir |
string |
"" | Directory to store cache files. |
clear_stat_cache |
boolean |
true |
Call clearstatcache() enabled? |
dir_level |
integer |
1 |
Defines how much sub-directories should be created. |
dir_permission |
integer |
false |
0700 Set explicit permission on creating new directories. |
file_locking |
boolean |
true |
Lock files on writing. |
file_permission |
integer |
false |
0600 Set explicit permission on creating new files. |
key_pattern |
string |
/^[a-z0-9_\+\-]*$/Di |
Validate key against pattern. |
no_atime |
boolean |
true |
Don’t get ‘fileatime’ as ‘atime’ on metadata. |
no_ctime |
boolean |
true |
Don’t get ‘filectime’ as ‘ctime’ on metadata. |
umask |
integer|false |
false |
Use umask to set file and directory permissions. |
suffix |
string |
dat |
Suffix for cache files |
tag_suffix |
string |
tag |
Suffix for tag files |
Note: the suffix
and tag_suffix
options will be escaped in order to be safe
for glob operations.
Memcached Adapter
Laminas\Cache\Storage\Adapter\Memcached
stores cache items over the memcached
protocol, using the PHP extension memcached,
based on Libmemcached.
This adapter implements the following interfaces:
Laminas\Cache\Storage\StorageInterface
Laminas\Cache\Storage\AvailableSpaceCapableInterface
Laminas\Cache\Storage\FlushableInterface
Laminas\Cache\Storage\TotalSpaceCapableInterface
Capabilities
Capability | Value |
---|---|
supportedDatatypes |
null , boolean , integer , double , string , array (serialized), object (serialized) |
supportedMetadata |
none |
minTtl |
1 |
maxTtl |
0 |
staticTtl |
true |
ttlPrecision |
1 |
useRequestTime |
false |
lockOnExpire |
0 |
maxKeyLength |
255 |
namespaceIsPrefix |
true |
namespaceSeparator |
none |
Adapter Specific Options
Name | Data Type | Default Value | Description |
---|---|---|---|
servers |
array |
[] |
List of servers in the format [] = [string host, integer port] |
lib_options |
array |
[] |
Associative array of Libmemcached options where the array key is the option name (without the prefix OPT_ ) or the constant value. The array value is the option value. Please read the memcached setOption() page for more information |
Redis Adapter
Laminas\Cache\Storage\Adapter\Redis
stores cache items over the Redis protocol
using the PHP extension PhpRedis.
This adapter implements the following interfaces:
Laminas\Cache\Storage\ClearByNamespaceInterface
Laminas\Cache\Storage\ClearByPrefixInterface
Laminas\Cache\Storage\FlushableInterface
Laminas\Cache\Storage\TotalSpaceCapableInterface
Capabilities
Capability | Value |
---|---|
supportedDatatypes |
string , array (serialized), object (serialized) |
supportedMetadata |
ttl (Redis v2+) |
minTtl |
1 |
maxTtl |
0 |
staticTtl |
true |
ttlPrecision |
1 |
useRequestTime |
false |
lockOnExpire |
0 |
maxKeyLength |
512000000 (in Redis v3+, 255 otherwise) |
namespaceIsPrefix |
true |
namespaceSeparator |
none |
Adapter Specific Options
Name | Data Type | Default Value | Description |
---|---|---|---|
database |
integer |
0 | Set database identifier. |
lib_options |
array |
[] |
Associative array of Redis options where the array key is the option name. |
namespace_separator |
string |
":" | A separator for the namespace and prefix. |
password |
string |
"" | Set password. |
persistent_id |
string |
Set persistent id (name of the connection, leave blank to not use a persistent connection). | |
resource_manager |
string |
"" | Set the Redis resource manager to use |
server |
string|array |
"" | See below. |
server
can be described as any of the following:
-
Uri
/path/to/sock.sock
- Associative array:
['host' => <host>[, 'port' => <port>[, 'timeout' => <timeout>]]]
- List:
[<host>[, <port>, [, <timeout>]]]
RedisCluster Adapter
Laminas\Cache\Storage\Adapter\RedisCluster
stores cache items over the Redis cluster protocol
using the PHP extension PhpRedis.
This adapter implements the following interfaces:
Laminas\Cache\Storage\ClearByNamespaceInterface
Laminas\Cache\Storage\ClearByPrefixInterface
Laminas\Cache\Storage\FlushableInterface
Capabilities
Capability | Value |
---|---|
supportedDatatypes |
string , array (serialized), object (serialized) |
supportedMetadata |
ttl (Redis v2+) |
minTtl |
1 |
maxTtl |
0 |
staticTtl |
true |
ttlPrecision |
1 |
useRequestTime |
false |
lockOnExpire |
0 |
maxKeyLength |
512000000 (in Redis v3+, 255 otherwise) |
namespaceIsPrefix |
true |
namespaceSeparator |
none |
Adapter Specific Options
Name | Data Type | Default Value | Description |
---|---|---|---|
lib_options |
array |
[] |
Associative array of Redis options where the array key is the options constant value (see RedisCluster::OPT_* constants for details). |
namespace_separator |
string |
":" | A separator for the namespace and prefix. |
password |
string |
"" | Password to authenticate with Redis server |
name |
string |
"" | Name to determine configuration from php.ini (MUST NOT be combined with seeds ) |
seeds |
array |
[] |
List of strings containing <hostname>:<port> (MUST NOT be combined with name ) |
timeout |
float |
1.0 |
Timeout for commands, see PhpRedis timeouts documentation for more background. |
read_timeout |
float |
2.0 |
Read timeout for commands, see PhpRedis timeouts documentation for more background. |
persistent |
bool |
false |
Flag to specify whether to create a persistent connection or not |
version |
string |
"" | The Redis server version. MUST be specified in a Semantic Versioning 2.0.0 format. This information is used to determine some features/capabilities without opening a connection to the server. |
ssl_context |
array|SslContext|null |
null |
Associative array with SSL context options. Can be also an instance of SslContext (class available from within the redis adapter). Available since adapter version v2.8.0. |
Memory Adapter
The Laminas\Cache\Storage\Adapter\Memory
stores items in-memory in the current
process only.
This adapter implements the following interfaces:
Laminas\Cache\Storage\StorageInterface
Laminas\Cache\Storage\AvailableSpaceCapableInterface
Laminas\Cache\Storage\ClearByPrefixInterface
Laminas\Cache\Storage\ClearExpiredInterface
Laminas\Cache\Storage\FlushableInterface
Laminas\Cache\Storage\IterableInterface
Laminas\Cache\Storage\TaggableInterface
Laminas\Cache\Storage\TotalSpaceCapableInterface
Capabilities
Capability | Value |
---|---|
supportedDatatypes |
string , null , boolean , integer , double , array , object , resource |
supportedMetadata |
mtime |
minTtl |
1 |
maxTtl |
Value of PHP_INT_MAX |
staticTtl |
false |
ttlPrecision |
0.05 |
useRequestTime |
false |
lockOnExpire |
0 |
maxKeyLength |
0 |
namespaceIsPrefix |
false |
Adapter Specific Options
Name | Data Type | Default Value | Description |
---|---|---|---|
memory_limit |
string|integer |
50% of memory_limit INI value |
Limit of how much memory can PHP allocate to allow store items. |
Memory Limit
The adapter has the following behavior with regards to the memory limit:
- If the consumed memory exceeds the limit provided, an
OutOfSpaceException
is thrown.- A number less the or equal to zero disables the memory limit.
- When a value is provided for the memory limit, the value is measured in bytes. Shorthand notation may also be provided.
Current process only
All stored items will be lost on termination of the script. For web-facing requests, this typically means the cache is volatile.
ExtMongoDB Adapter
Available since version 2.8.0
Laminas\Cache\Storage\Adapter\ExtMongoDB
stores cache items using the mongodb extension, and
requires that the MongoDB PHP Client library is also installed. You can install the client
library using the following:
$ composer require mongodb/mongodb
This adapter implements the following interfaces:
Laminas\Cache\Storage\FlushableInterface
Capabilities
Capability | Value |
---|---|
supportedDatatypes |
string , null , boolean , integer , double , array |
supportedMetadata |
_id |
minTtl |
0 |
maxTtl |
0 |
staticTtl |
true |
ttlPrecision |
1 |
useRequestTime |
false |
lockOnExpire |
0 |
maxKeyLength |
255 |
namespaceIsPrefix |
true |
namespaceSeparator |
Option value of namespace_separator |
Adapter Specific Options
Name | Data Type | Default Value | Description |
---|---|---|---|
lib_option |
array |
Associative array of options where the array key is the option name. | |
namespace_separator |
string |
":" | A separator for the namespace and prefix. |
Available keys for lib_option
include:
Key | Default | Description |
---|---|---|
server |
mongodb://localhost:27017 |
The MongoDB server connection string (see the MongoDB\Client docs). |
database |
laminas |
Name of the database to use; MongoDB will create this database if it does not exist. |
collection |
cache |
Name of the collection to use; MongoDB will create this collection if it does not exist. |
connectionOptions |
['fsync' => false, 'journal' => true] |
Associative array of URI options (such as authentication credentials or query string parameters) to pass to MongoDB\\Client (see the MongoDB\Client docs). |
driverOptions |
[] |
Associative array of driver options to pass to MongoDB\\Client (see the MongoDB\Client docs). |
Examples
Basic Usage
use Laminas\Cache\Service\StorageAdapterFactoryInterface;
use Psr\Container\ContainerInterface;
/** @var ContainerInterface $container */
$container = null; // can be any configured PSR-11 container
/** @var StorageAdapterFactoryInterface $storageFactory */
$storageFactory = $container->get(StorageAdapterFactoryInterface::class);
$cache = $storageFactory->create(
'filesystem',
[],
[
// Don't throw exceptions on cache errors
[
'name' => 'exception_handler',
'options' => [
'throw_exceptions' => false
],
],
]
);
$key = 'unique-cache-key';
$result = $cache->getItem($key, $success);
if (! $success) {
$result = doExpensiveStuff();
$cache->setItem($key, $result);
}
Get multiple Rows from a Database
use Laminas\Cache\Service\StorageAdapterFactoryInterface;
use Psr\Container\ContainerInterface;
/** @var ContainerInterface $container */
$container = null; // can be any configured PSR-11 container
/** @var StorageAdapterFactoryInterface $storageFactory */
$storageFactory = $container->get(StorageAdapterFactoryInterface::class);
// Instantiate the cache instance using a namespace for the same type of items
$cache = $storageFactory->create(
'filesystem',
// With a namespace, we can indicate the same type of items,
// so we can simply use the database id as the cache key
[
'namespace' => 'dbtable',
],
[
// Don't throw exceptions on cache errors
[
'name' => 'exception_handler',
'options' => [
'throw_exceptions' => false,
],
],
// We store database rows on filesystem so we need to serialize them
[
'name' => 'Serializer',
],
]
);
// Load two rows from cache if possible
$ids = [1, 2];
$results = $cache->getItems($ids);
if (count($results) < count($ids)) {
// Load rows from db if loading from cache failed
$missingIds = array_diff($ids, array_keys($results));
$missingResults = [];
$query = 'SELECT * FROM dbtable WHERE id IN (' . implode(',', $missingIds) . ')';
foreach ($pdo->query($query, PDO::FETCH_ASSOC) as $row) {
$missingResults[ $row['id'] ] = $row;
}
// Update cache items of the loaded rows from db
$cache->setItems($missingResults);
// merge results from cache and db
$results = array_merge($results, $missingResults);
}