3

我有一个具有多种方法的服务,并试图使用 Spring@Cacheable注释来缓存它们。一切正常,除了我发现以数组作为方法参数的方法没有被缓存。考虑到数组可以保存不同的值,这在某种程度上是有道理的,但我仍然认为这是可能的。

缓存以下方法:

@Cacheable("myCache")
public Collection<Building> findBuildingByCode(String buildingCode) {...}

@Cacheable("myCache")
public Collection<Building> getBuildings() {...}

但是,如果我将findBuildingByCode方法更改为以下任一方法,它不会被缓存:

@Cacheable("myCache") 
public Collection<Building> findBuildingByCode(String[] buildingCode) {...}

@Cacheable("myCache")
public Collection<Building> findBuildingByCode(String... buildingCode) {...}

这是相关的Spring xml配置:

<!-- Cache beans -->
<cache:annotation-driven/>

<bean id="cacheManager" class="org.springframework.cache.ehcache.EhCacheCacheManager"
    p:cache-manager-ref="ehcache" />

<!-- EhCache library setup -->
<bean id="ehcache"
    class="org.springframework.cache.ehcache.EhCacheManagerFactoryBean" />

ehcache配置:

<?xml version="1.0" encoding="UTF-8"?>
<ehcache xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:noNamespaceSchemaLocation="http://ehcache.org/ehcache.xsd"
updateCheck="false">

<diskStore path="java.io.tmpdir/ehcache" />

<!-- Default settings -->
<defaultCache eternal="false" maxElementsInMemory="1"
    overflowToDisk="false" diskPersistent="false" timeToIdleSeconds="0"
    timeToLiveSeconds="100" memoryStoreEvictionPolicy="LRU" />

<!-- Other caches -->

<cache name="myCache" eternal="false" maxElementsInMemory="500"
    overflowToDisk="false" diskPersistent="false" timeToIdleSeconds="0"
    timeToLiveSeconds="43200" memoryStoreEvictionPolicy="LRU" />

 </ehcache>

这是已知的功能还是错误?

4

3 回答 3

6

尝试像这样定义缓存键:

@Cacheable(value="myCache", key="#buildingCode.toString()")

#buildingCode.hashCode()。因此缓存管理器将能够缓存该方法。

于 2013-08-01T19:42:27.490 回答
1

对数组使用散列或字符串表示并不定义缓存方面的唯一性。例如,数组包含 2 个或更多相同的条目或具有不同的顺序:hash/toString 将不同......但缓存键可能应该相同。我要做的是在你的数组周围创建一个包装器......并创建一个 getCacheKey() 来做你需要做的任何事情......

public class BuildCodesCacheWrapper {
private String[] buildingCodes;

private BuildCodesCacheWrapper(String[] buildingCodes) {
    super();
    this.buildingCodes = buildingCodes;
}

public String getCacheKey(){
    String key = "";
    if(null != buildingCodes){
        for(String code : buildingCodes){
            if(!key.contains("")){
                key += code;
            }
        }
    }
    return key;
}
}

(上面的代码未经测试,可以对所有类型的数组等更通用......)

并在 SPEL 表达式中使用该 getCacheKey() 方法...

@Cacheable("myCache", key="#buildingCode.getCacheKey()") 
public Collection<Building> findBuildingByCode(BuildCodesCacheWrapper buildingCode) {...}
于 2013-08-01T20:46:10.273 回答
0

只是扩展@Benoit的答案:

@Cacheable(value = "myCache", key = "T(java.util.Arrays).asList(#terms).hashCode()")

在我的例子中,我使用扩展运算符将参数传递给可缓存函数,如下所示:

@Cacheable(...) public Object func(String... terms)

在 terms 数组上调用 toString 或 hashCode 每次都会产生不同的结果,但是将其转换为列表和 hashCoding 似乎可以解决问题。

于 2021-11-10T18:31:02.737 回答