Skip to content

Commit

Permalink
simplify and document the coalescing bulkloader example (fixes #7)
Browse files Browse the repository at this point in the history
  • Loading branch information
ben-manes committed Aug 7, 2023
1 parent f3a9345 commit b1462dd
Show file tree
Hide file tree
Showing 27 changed files with 809 additions and 1,120 deletions.
4 changes: 2 additions & 2 deletions .github/dependabot.yml
Original file line number Diff line number Diff line change
Expand Up @@ -12,8 +12,8 @@ updates:
directory: /
schedule:
interval: daily
- package-ecosystem: maven
directory: examples/coalescing-bulkloader
- package-ecosystem: gradle
directory: examples/coalescing-bulkloader-reactor
schedule:
interval: daily
- package-ecosystem: gradle
Expand Down
6 changes: 3 additions & 3 deletions .github/workflows/examples.yml
Original file line number Diff line number Diff line change
Expand Up @@ -98,9 +98,9 @@ jobs:
- name: Write-behind (rxjava)
working-directory: examples/write-behind-rxjava
run: ./gradlew build
- name: Coalescing Bulkloader
working-directory: examples/coalescing-bulkloader
run: ./mvnw test
- name: Coalescing Bulkloader (reactor)
working-directory: examples/coalescing-bulkloader-reactor
run: ./gradlew build
- name: Hibernate (jcache)
working-directory: examples/hibernate
run: ./gradlew build
Expand Down
121 changes: 121 additions & 0 deletions examples/coalescing-bulkloader-reactor/README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,121 @@
[Reactor][reactor] data streams facilitate the consolidation of independent asynchronous loads into
batches at the cost of a small buffering delay. The [bufferTimeout][] operator accumulates requests
until reaching a maximum size or time limit. Since each request consists of a key and its pending
result, when the subscriber is notified it performs the batch load and completes the key's future
with its corresponding value.

It some scenarios it may be desirable to only aggregate cache refreshes rather than imposing delays
on callers awaiting explicit loads. An automated reload initiated by `refreshAfterWrite` will occur
on the first stale request for an entry. While the key is being refreshed the previous value
continues to be returned, in contrast to eviction which forces retrievals to wait until the value
is loaded anew. In such cases, batching these optimistic reloads can minimize the impact on the
source system without adversely affecting the responsiveness of the explicit requests.

### Refresh coalescing
A [Sink][sink] collects requests, buffering them up to the configured threshold, and subsequently
delivers the batch to the subscriber. The `parallelism` setting determines the number of concurrent
bulk loads that can be executed if the size constraint results in multiple batches.

```java
public final class CoalescingBulkLoader<K, V> implements CacheLoader<K, V> {
private final Function<Set<K>, Map<K, V>> mappingFunction;
private final Sinks.Many<Request<K, V>> sink;

/**
* @param maxSize the maximum entries to collect before performing a bulk request
* @param maxTime the maximum duration to wait before performing a bulk request
* @param parallelism the number of parallel bulk loads that can be performed
* @param mappingFunction the function to compute the values
*/
public CoalescingBulkLoader(int maxSize, Duration maxTime, int parallelism,
Function<Set<K>, Map<K, V>> mappingFunction) {
this.sink = Sinks.many().unicast().onBackpressureBuffer();
this.mappingFunction = requireNonNull(mappingFunction);
sink.asFlux()
.bufferTimeout(maxSize, maxTime)
.map(requests -> requests.stream().collect(
toMap(Entry::getKey, Entry::getValue)))
.parallel(parallelism)
.runOn(Schedulers.boundedElastic())
.subscribe(this::handle);
}
```

To ensure immediate responses for explicit loads these calls directly invoke the mapping function,
while the optimistic reloads are instead submitted to the sink. It's worth noting that this call is
`synchronized`, as a sink does not support concurrent submissions.
```java
@Override public V load(K key) {
return loadAll(Set.of(key)).get(key);
}
@Override public abstract Map<K, V> loadAll(Set<? extends K> key) {
return mappingFunction.apply(keys);
}
@Override public synchronized CompletableFuture<V> asyncReload(K key, V oldValue, Executor e) {
var entry = Map.entry(key, new CompletableFuture<V>());
sink.tryEmitNext(entry).orThrow();
return entry.getValue();
}
```
The subscriber receives a batch of requests, each comprising of a key and a pending future result.
It performs the synchronous load and then either completes the key's future with the corresponding
value or an exception if a failure occurs.

```java
private void handle(Map<K, CompletableFuture<V>> requests) {
try {
var results = mappingFunction.apply(requests.keySet());
requests.forEach((key, result) -> result.complete(results.get(key)));
} catch (Throwable t) {
requests.forEach((key, result) -> result.completeExceptionally(t));
}
}
```

### Async coalescing
The previous logic can be streamlined if all loads should be collected into batches. This approach
is most suitable for an `AsyncLoadingCache` since it does not block any other map operations while
an entry is being loaded.

```java
public final class CoalescingBulkLoader<K, V> implements AsyncCacheLoader<K, V> {
private final Function<Set<K>, Map<K, V>> mappingFunction;
private final Sinks.Many<Request<K, V>> sink;

public CoalescingBulkLoader(int maxSize, Duration maxTime, int parallelism,
Function<Set<K>, Map<K, V>> mappingFunction) {
this.sink = Sinks.many().unicast().onBackpressureBuffer();
this.mappingFunction = requireNonNull(mappingFunction);
sink.asFlux()
.bufferTimeout(maxSize, maxTime)
.map(requests -> requests.stream().collect(
toMap(Entry::getKey, Entry::getValue)))
.parallel(parallelism)
.runOn(Schedulers.boundedElastic())
.subscribe(this::handle);
}

@Override public synchronized CompletableFuture<V> asyncLoad(K key, Executor e) {
var entry = Map.entry(key, new CompletableFuture<V>());
sink.tryEmitNext(entry).orThrow();
return entry.getValue();
}

private void handle(Map<K, CompletableFuture<V>> requests) {
try {
var results = mappingFunction.apply(requests.keySet());
requests.forEach((key, result) -> result.complete(results.get(key)));
} catch (Throwable t) {
requests.forEach((key, result) -> result.completeExceptionally(t));
}
}
}
```

[reactor]: https://projectreactor.io
[bufferTimeout]: https://projectreactor.io/docs/core/release/api/reactor/core/publisher/Flux.html#bufferTimeout-int-java.time.Duration-
[sink]: https://projectreactor.io/docs/core/release/api/reactor/core/publisher/Sinks.html
27 changes: 27 additions & 0 deletions examples/coalescing-bulkloader-reactor/build.gradle.kts
Original file line number Diff line number Diff line change
@@ -0,0 +1,27 @@
plugins {
`java-library`
alias(libs.plugins.versions)
}

dependencies {
implementation(libs.caffeine)
implementation(libs.reactor)

testImplementation(libs.junit)
testImplementation(libs.truth)
}

testing.suites {
val test by getting(JvmTestSuite::class) {
useJUnitJupiter()
}
}

java.toolchain.languageVersion = JavaLanguageVersion.of(
System.getenv("JAVA_VERSION")?.toIntOrNull() ?: 11)

tasks.withType<JavaCompile>().configureEach {
javaCompiler = javaToolchains.compilerFor {
languageVersion = java.toolchain.languageVersion
}
}
15 changes: 15 additions & 0 deletions examples/coalescing-bulkloader-reactor/gradle/libs.versions.toml
Original file line number Diff line number Diff line change
@@ -0,0 +1,15 @@
[versions]
caffeine = "3.1.7"
junit = "5.10.0"
reactor = "3.5.8"
truth = "1.1.5"
versions = "0.47.0"

[libraries]
caffeine = { module = "com.github.ben-manes.caffeine:caffeine", version.ref = "caffeine" }
junit = { module = "org.junit.jupiter:junit-jupiter", version.ref = "junit" }
reactor = { module = "io.projectreactor:reactor-core", version.ref = "reactor" }
truth = { module = "com.google.truth:truth", version.ref = "truth" }

[plugins]
versions = { id = "com.github.ben-manes.versions", version.ref = "versions" }
Binary file not shown.
Original file line number Diff line number Diff line change
@@ -0,0 +1,7 @@
distributionBase=GRADLE_USER_HOME
distributionPath=wrapper/dists
distributionUrl=https\://services.gradle.org/distributions/gradle-8.3-rc-3-bin.zip
networkTimeout=10000
validateDistributionUrl=true
zipStoreBase=GRADLE_USER_HOME
zipStorePath=wrapper/dists

0 comments on commit b1462dd

Please sign in to comment.