7

我正在使用 EHCache 3.5.2 并且无法获取所有缓存键和缓存条目。

我正在使用 CacheManager 创建缓存。然后我用一些数据填充它。然后我想检索缓存中的所有条目。

一些示例代码:

Cache<String, Foo> cache = cacheManager.createCache("fooCache",
     CacheConfigurationBuilder.newCacheConfigurationBuilder(String.class, Foo.class,
         ResourcePoolsBuilder.heap(20)).build());

cache.putAll(repository.findAll().stream().collect(toMap(Foo::getId, foo -> foo)));

List<Foo> foos = cache.???
List<String> keys = cache.???

v3.5可以做到这一点吗?在旧版本的 EHCache 中似乎是可能的。

谢谢

4

3 回答 3

6

按照设计,这不是 Ehcache 中的简单 API 调用。由于它支持的分层模型,在堆上实现所有键或值可能会导致 JVM 内存不足。

如其他答案所示,有一些方法可以实现这一点。

但是必须一次获取缓存的全部内容被认为是一种缓存反模式。

于 2018-05-17T11:23:29.077 回答
4

为什么不这样呢?

Map<String, Foo> foos = StreamSupport.stream(cache.spliterator(), false)
  .collect(Collectors.toMap(Cache.Entry::getKey, Cache.Entry::getValue));

或者

List<Cache.Entry<String, Foo>> foos = StreamSupport.stream(cache.spliterator(), false)
  .collect(Collectors.toList());

或(旧式)

List<Cache.Entry<String, Foo>> foos = new ArrayList<>();
for(Cache.Entry<String, Foo> entry : cache) {
  foos.add(entry);
}
于 2018-05-17T10:39:23.437 回答
2

我找到了一种方法来做到这一点,但它闻起来有点:

Set<String> keys = new HashSet<>();
cache.forEach(entry -> keys.add(entry.getKey()));

List<Foo> foos = cache.getAll(keys).values().stream().collect(toList())
于 2018-05-16T11:19:11.190 回答