1

我面临番石榴缓存的问题。当我在缓存中只有一个元素时,一切都很好。但是当我加载第二个元素时,它试图用较早进入的键来选择

private static LoadingCache<String, MyClass> cache = null;
....
public MyClass method(final String id1, final long id2)  {
    log.error("inside with "+id1);
    final String cacheKey = id1+"-"+id2;
    if(cache == null){
        cache = CacheBuilder.newBuilder()
       .maximumSize(1000)
       .build(
            new CacheLoader<String, MyClass>() {
                @Override
                public MyClass load(String key) {
                    return getValue(cacheKey);
                }
           }
        );
    }
    try {
        return cache.get(cacheKey);
    } catch (ExecutionException ex) {
        log.error("EEE missing entry",ex);
    }
}

private MyClass getValue(String cacheKey){
    log.error("not from cache "+cacheKey);
    ...

}

日志说:

inside with 129890038707408035563943963861595603358
not from cache 1663659699-315839912047403113610285801857400882820 // This is key for the earlier entry

例如,当我调用 method("1", 2) 时,它会将值加载到缓存中,然后我可以从缓存中获取它。现在我调用方法(“3”,4),这不在缓存中,所以调用getValue()并且日志打印出方法(“1”,2)的键

我哪里错了?

4

1 回答 1

3

您的问题与您如何创建CacheLoader.cacheKeykey作为参数提供给load您的方法,CacheLoader否则它将通过getValue(key)使用相同的键调用来加载缓存。

应该是这样的:

new CacheLoader<String, MyClass>() {
    @Override
    public MyClass load(String key) {
        return getValue(key); // instead of return getValue(cacheKey);
    }
}

注意:初始化缓存的方式不是线程安全的,事实上,如果它没有被初始化并且你的方法method被多个线程同时调用,它将被创建多次而不是一次。

一种方法可能是使用双重检查锁定习语,如下所示:

private static volatile LoadingCache<String, MyClass> cache = null;
public MyClass method(final String id1, final long id2)  {
    ...
    if(cache == null){
        synchronized (MyClass.class) {
            if(cache == null){
                cache = ...
            }
        }
    }

注意:不要使用基于非静态方法的静态缓存来初始化,这太容易出错了。使它们都成为非静态静态的,但不要混合它们。CacheLoader

假设您可以同时设置为static,您的缓存初始化将非常简单,它只是:

private static final LoadingCache<String, MyClass> cache = CacheBuilder.newBuilder()...

无需懒惰地初始化它,这也将大大简化您的方法的代码,因为它会简单地简化为:

public MyClass method(final String id1, final long id2)  {
    log.error("inside with "+id1);
    final String cacheKey = id1+"-"+id2;
    try {
        return cache.get(cacheKey);
    } catch (ExecutionException ex) {
        log.error("EEE missing entry",ex);
    }
}
于 2016-09-03T08:54:16.817 回答