我通过调用login, logout
方法从多个线程填充我的guava缓存。现在从每隔30秒运行一次的后台线程,我想原子地将缓存中的任何内容发送到add
方法?
以下是我的代码:
sendToDB
这是将public class Example {
private final ScheduledExecutorService executorService = Executors
.newSingleThreadScheduledExecutor();
private final Cache<Integer, List<Process>> cache = CacheBuilder.newBuilder().maximumSize(100000)
.removalListener(RemovalListeners.asynchronous(new CustomRemovalListener(), executorService))
.build();
private static class Holder {
private static final Example INSTANCE = new Example();
}
public static Example getInstance() {
return Holder.INSTANCE;
}
private Example() {
executorService.scheduleAtFixedRate(new Runnable() {
@Override
public void run() {
// is this the right way to send cache map?
sendToDB(cache.asMap());
}
}, 0, 30, SECONDS);
}
// this method will be called from multiple threads
public void add(final int id, final Process process) {
// add id and process into cache
}
// this will only be called from single background thread
private void sendToDB(ConcurrentMap<Integer, List<Process>> holder) {
// use holder here
}
}
地图发送到cache
方法的正确方法吗?基本上我想发送缓存中的所有条目30秒并清空缓存。之后我的缓存将在接下来的30秒内再次填充,然后执行相同的过程?
我认为使用sendToDB
可能不是正确的方法,因为它不会清空缓存,因此它会反映我的cache.asMap()
方法中缓存上发生的所有更改?
答案 0 :(得分:0)
怎么样:
@Override
public void run() {
ImmutableMap<Integer, List<Process>> snapshot = ImmutableMap.copyOf(cache.asMap());
cache.invalidateAll();
sendToDB(snapshot);
}
这会将缓存的内容复制到新映射中,在特定时间点创建缓存的快照。然后.invalidateAll()
将清空缓存,之后快照将被发送到数据库。
这种方法的一个缺点是它很有趣 - 在创建快照之后但在调用.invalidateAll()
之前,可以将条目添加到缓存中,并且这些条目永远不会被发送到数据库。由于您的缓存也可能由于maximumSize()
设置而逐出条目,我认为这不是一个问题,但是如果它是您想要在构建快照时删除条目,则看起来像这样: / p>
@Override
public void run() {
Iterator<Entry<Integer, List<Process>> iter = cache.asMap().entrySet().iterator();
ImmutableMap<Integer, List<Process>> builder = ImmutableMap.builder();
while (iter.hasNext()) {
builder.add(iter.next());
iter.remove();
}
sendToDB(builder.build());
}
使用此方法,cache
在调用sendToDB()
时可能实际上不是为空,但在快照开始之前存在的每个条目都将被删除,并且将会被删除发送到数据库。
或者,您可以创建一个包含Cache
字段的包装类,并将该字段原子交换为新的空缓存,然后将旧缓存的内容复制到数据库并允许其进行GCed。