The cart is empty

Cache is a crucial element for improving the speed and efficiency of web applications. The Nette framework offers a comprehensive solution for working with cache, making it easy to store data that doesn't change often and significantly speeding up the loading time of applications for end-users. In this article, we'll explore how to create and manage cache in the Nette framework.

Basics of Caching in Nette Nette Framework utilizes the Cache service for caching, which is part of the Nette\Caching package. To use this service, it needs to be registered in the application's configuration file, usually in config.neon. Cache can be stored in various storage options, such as files, Redis, Memcached, or even in memory.

Registering the Cache Service

services:
    - Nette\Caching\Cache(%tempDir%/cache)

Using Cache Cache is used in the application through dependency injection. We can inject an instance of Nette\Caching\Cache into the presenter or any other service we're working with.

Example of Storing and Retrieving from Cache

class MyService
{
    private $cache;

    public function __construct(Nette\Caching\Cache $cache)
    {
        $this->cache = $cache;
    }

    public function getSomething()
    {
        $cachedValue = $this->cache->load('myKey');
        if ($cachedValue === null) {
            // Value is not in cache, compute it
            $value = // some computation or database query
            $this->cache->save('myKey', $value, [
                Cache::EXPIRE => '60 minutes', // expiration setting
            ]);
            return $value;
        }

        return $cachedValue;
    }
}

 

Cache Invalidation

One of the key features of cache is the ability to invalidate it. Nette allows invalidating cache based on tags, time, or keys. This is useful if, for example, we want to invalidate all cache items related to a specific entity when it changes.

$this->cache->save($key, $value, [
    Cache::TAGS => ['tag1', 'tag2'],
]);

// Invalidate cache by tag
$this->cache->clean([
    Cache::TAGS => ['tag1'],
]);

 

Proper use of cache can significantly improve the performance and response time of web applications. The Nette Framework offers a flexible and easy-to-use caching solution, enabling applications to be faster and more efficient. With options for cache invalidation and expiration settings, we can ensure that users always get up-to-date data. By using cache, we can reduce server load and enhance user satisfaction.