Project reactor and Caching with Caffeine
So you have a function which takes a key and returns a project reactor Mono type.
1 2 3 4 | Mono<String> get(String key) { Random random = ThreadLocalRandom.current(); return Mono.fromSupplier(() -> key + random.nextInt()); } |
And you want to cache the retrieval of this Mono type by key, a good way to do that is to use the excellent
Caffeine library. Caffeine natively does not support reactor types however, but it is fairly easy to use Caffeine with reactor the following way:
01 02 03 04 05 06 07 08 09 10 11 12 13 14 15 16 | public static <T> Function<String, Mono<T>> ofMono( @NotNull Duration duration, @NotNull Function<String, Mono<T>> fn) { final Cache<String, T> cache = Caffeine.newBuilder() .expireAfterWrite(duration) .recordStats() .build(); return key -> { T result = cache.getIfPresent(key); if (result != null ) { return Mono.just(result); } else { return fn.apply(key).doOnNext(n -> cache.put(key, n)); } }; } |
It essentially wraps a function returning the Mono, and uses Caffeine to get the value from a cache defined via a closure. If value is present in the cache it is returned otherwise when the Mono emits a value, the value in the cache is set from that. So how can this be used..here is a test with this utility:
01 02 03 04 05 06 07 08 09 10 11 12 13 14 15 16 17 18 19 20 21 22 | Function<String, Mono<String>> fn = (k) -> get(k); Function<String, Mono<String>> wrappedFn = CachingUtils.ofMono(Duration.ofSeconds( 10 ), fn); StepVerifier.create(wrappedFn.apply( "key1" )) .assertNext(result1 -> { StepVerifier.create(wrappedFn.apply( "key1" )) .assertNext(result2 -> { assertThat(result2).isEqualTo(result1); }) .verifyComplete(); StepVerifier.create(wrappedFn.apply( "key1" )) .assertNext(result2 -> { assertThat(result2).isEqualTo(result1); }) .verifyComplete(); StepVerifier.create(wrappedFn.apply( "key2" )) .assertNext(result2 -> { assertThat(result2).isNotEqualTo(result1); }) .verifyComplete(); }) .verifyComplete(); |
Here I am using Project Reactors StepVerifier utility to run a test on this wrapped function and ensure that cached value is indeed returned for repeating keys. The full sample is available in
this gist
Published on Java Code Geeks with permission by Biju Kunjummen, partner at our JCG program. See the original article here: Project reactor and Caching with Caffeine Opinions expressed by Java Code Geeks contributors are their own. |