A library for function memoization with scoped caches and tagged eviction capabilities.
Version 1.0 represents a switch from Guava to Caffeine, which is a faster caching library, with added benefit of not pulling in the whole Guava artefact which is more that just that Cache. The Guava Cache type key and the config namespace are deprecated and will be removed in the future.
Why is there a need for another caching library?
With require [memento.core :as m][memento.config :as mc]
:
Define a function + create new cache + attach cache to a function:
(m/defmemo my-function
{::m/cache {mc/type mc/caffeine}}
[x]
(* 2 x))
defmemo
works just like defn
but wraps the function in a cache:memento.core/cache
keyword in function metaQuick reminder, there are two ways to provide metadata when defining functions: defn
allows a meta
map to be provided before the argument list, or you can add meta to the symbol directly as supported by the reader:
(m/defmemo ^{::m/cache {mc/type mc/caffeine}} my-function
[x]
(* 2 x))
You can add cache to a function object (in clojure.core/memoize
fashion):
(m/memo (fn [] ...) {mc/cache mc/caffeine})
See above: {mc/type mc/caffeine}
The cache conf is an open map of namespaced keywords such as :memento.core/type
, various cache implementations can
use implementation specific config keywords.
Learning all the keywords and what they do can be hard. To assist you there are special conf namespaces provided where conf keywords are defined as vars with docs, so it's easy so you to see which configuration keys are available and what their function is. It also helps prevent bugs from typing errors.
The core properties are defined in [memento.config :as mc]
namespace. Caffeine specific properties are defined
in [memento.caffeine.config :as mcc]
.
Here's a couple of equal ways of writing out you cache configuration meta:
; the longest
{:memento.core/cache {:memento.core/type :memento.core/caffeine}}
; using alias
{::m/cache {::m/type ::m/caffeine}}
; using memento.config vars - recommended
{mc/cache {mc/type mc/caffeine}}
The core configuration properties:
Cache implementation type, e.g. caffeine, redis, see the implementation library docs. Make sure you load the implementation namespace at some point!. Caffeine namespace is loaded automatically when memento.core is loaded.
Size limit expressed in number of entries or total weight if implementation supports weighted cache entries
Entry is invalid after this amount of time has passed since its creation
It's either a number (of seconds), a pair describing duration e.g. [10 :m]
for 10 minutes,
see memento.config/timeunits
for timeunits.
Entry is invalid after this amount of time has passed since last access, see mc/ttl
for duration
specification.
Specify a function that will transform the function arg list into the final cache key. Used to drop function arguments that shouldn't factor into cache tag equality.
The key-fn
receives a sequence of arguments, key-fn*
receives multiple arguments as if it
was the function itself.
See: Changing the key for cached tag
A function that is called on every cached function return value. Used for general transformations of return values.
A function that is called on every thrown Throwable. Used for general transformations of thrown exceptions values.
Initial entries to load in the cache.
Cache capacity hint to implementation.
Cache conf can get quite involved:
(ns memento.tryout
(:require [memento.core :as m]
; general cache conf keys
[memento.config :as mc]
; caffeine specific cache conf keys
[memento.caffeine.config :as mcc]))
(def my-weird-cache
"Conf for caffeine cache that caches up to 20 seconds and up to 30 entries, uses weak
references and prints when keys get evicted."
{mc/type mc/caffeine
mc/size< 30
mc/ttl 20
mcc/weak-values true
mcc/removal-listener #(println (apply format "Function %s key %s, value %s got evicted because of %s" %&))})
(m/defmemo my-function
{::m/cache my-weird-cache}
[x] (* 2 x))
Seeing as cache conf is a map, I recommend a pattern where you have a namespace in your application that contains vars with your commonly used cache conf maps and functions that generate slightly parameterized configuration. E.g.
(ns my-project.cache
(:require [memento.config :as mc]))
;; infinite cache
(def inf-cache {mc/type mc/caffeine})
(defn for-seconds [n] (assoc inf-cache mc/ttl n))
Then you just use that in your code:
(m/defmemo my-function
{::m/cache (cache/for-seconds 60)}
[x] (* x 2))
Enabling memoization of a function is composed of two distinct steps:
A cache, an instance of memento.base/Cache, can contain entries from multiple functions and can be shared between memoized functions.
Each memoized function is bound to a Cache via MountPoint. When you call a function such as (m/as-map a-cached-function)
you are
operating on a MountPoint.
The reason for this separation is two-fold:
So far all examples implicitly created a new cache for each memoized function, but if we use same cache for multiple functions, then any size based eviction will apply to them as a whole. If you have 100 memoized functions, and you want to somewhat limit their memory use, what do you do? In a typical cache library you might limit each of them to 100 entries. So you allocated 10000 slots total, but one function might have an empty cache, while a very heavily used one needs way more than 100 slots. If all 100 function are backed by same Cache instance with 10000 slots then they automatically balance themselves out.
This indirection with Mount Points allows us to change which cache is backing a function dynamically. See discussion of tagged caches below. Here's an example of using tags when caching and scoped caching
(ns myproject.some-ns
(:require [myproject.cache :as cache]
[memento.core :as m]))
(defn get-person-by-id [person-id]
(let [person (db/get-person person-id)]
; tag the returned object with :person + id pair
(m/with-tag-id person :person (:id person))))
; add a cache to the function with tags :person and :request
(m/memo #'get-person-by-id [:person :request] cache/inf)
; remove cache entries from every cache tagged :person globally, where the
; tag is tagged with :person 1
(m/memo-clear-tag! :person 1)
(m/with-caches :request (constantly (m/create cache/inf))
; inside this block, a fresh new cache is used (and discarded)
; making a scope-like functionality
(get-person-by-id 5))
Instead of setting a fixed duration of validity for entries in a cache, it is possible to set these duration on per-tag or per-mount point basis.
Note that for Caffeine cache variable expiry caching is somewhat slower.
(m/as-map memoized-function)
to get a map of cache entries, also works on MountPoint instances(m/memoized? a-function)
returns true if the function is memoized(m/memo-unwrap memoized-function)
returns original uncached function, also works on MountPoint instances(m/active-cache memoized-function)
returns Cache instance from the function, if present.You can add tags to the caches. Tags enable that you:
This is a very powerful feature, read more here.
Cache only has a single ongoing load for a key going at any one time. For Caffeine cache, if a key is invalidated during the load, the load is repeated. This is the only way you can get multiple function invocations happen for a single cached function call. When an tag is invalidated while it's being loaded, the Thread that loads it will be interrupted.
You can scan loaded namespaces for annotated vars and automatically create caches.
You can fire an event at a memoized function. Main use case is to enable adding entries to different functions from same data.
You can use caches that combine two other caches in some way. The easiest way to generate
the cache configuration needed is to use memento.core/tiered
,memento.core/consulting
, memento.core/daisy
.
memento.core/if-cache is like an if-let, but the "then" branch executes if the function call is cached, otherwise else branch is executed. The binding is expected to be a cached function call form, otherwise an error is thrown.
Example:
(if-cached [v (my-function arg1)]
(println "cached value is " v)
(println "value is not cached"))
If you set -Dmemento.enabled=false
JVM option (or change memento.config/enabled?
var root binding),
then type of all caches created will be memento.base/no-cache
, which does no caching.
When you memoize a function with tags, a special object is created that will clean up in internal tag mappings when memoized function is GCed. It's important when reloading namespaces to remove mount points on the old function versions.
It uses finalize, which isn't free (takes extra work to allocate and GC has to work harder), so if you don't use namespace reloading, and you want to optimize you can disable reload guard objects.
Set -Dmemento.reloadable=false
JVM option (or change memento.config/reload-guards?
var root binding).
Patch versions are compatible. Minor version change breaks API for implementation authors, but not for users, major version change breaks user API.
Version 1.0.x changed implementation from Guava to Caffeine Version 0.9.0 introduced many breaking changes.
Copyright © 2020-2021 Rok Lenarčič
Licensed under the term of the MIT License, see LICENSE.
Can you improve this documentation?Edit on GitHub
cljdoc is a website building & hosting documentation for Clojure/Script libraries
× close