I came across asynchronous caching using Caffeine library. Following https://www.programcreek.com/java-api-examples/?api=com.github.benmanes.caffeine.cache.AsyncCacheLoader, I have following code snippet:
import com.github.benmanes.caffeine.cache.AsyncCacheLoader;
import com.github.benmanes.caffeine.cache.AsyncLoadingCache;
import com.github.benmanes.caffeine.cache.Cache;
import com.github.benmanes.caffeine.cache.Caffeine;
import com.github.benmanes.caffeine.cache.Weigher;
import java.util.concurrent.CompletableFuture;
import java.util.concurrent.Executor;
public class CacheManager {
private static AsyncLoadingCache<String, Object> loader;
public static void initLoadingCache(<datatype> obj) {
if (loader == null) {
loader = Caffeine.newBuilder()
.concurrencyLevel(10)
.expireAfterWrite(60, TimeUnit.MINUTES) // Cache will expire after 60 minutes
.buildAsync(new AsyncCacheLoader<String, Object>() { // Build the CacheLoader
@Override
public CompletableFuture<Object> asyncLoad(String key, Executor executor) throws Exception{
Object temp = obj.getTemp(key); // my function which does processing
if (temp == null) LOGGER.error("Not found");
return temp;
}
});
}
}
}
public Object getTemp(String key) {
Query query = somequery();
List<Object> val = query.getResultList();
return val.get(0);
}
- It is obvious that the above code will have error as I am returning
temp
which isObject
but the function is expectingCompletableFuture<Object>
. How can I achieve this? I am guessing thatgetTemp()
needs to returnListenableFuture<>
as well (https://www.programcreek.com/java-api-examples/?code=Netflix%2Ftitus-control-plane%2Ftitus-control-plane-master%2Ftitus-supplementary-component%2Ftasks-publisher%2Fsrc%2Fmain%2Fjava%2Fcom%2Fnetflix%2Ftitus%2Fsupplementary%2Ftaskspublisher%2FTitusClientImpl.java) but I am not sure how can I achieve this since it has DB queries.