我正在尝试使用Spring Cacheable,但遇到类强制转换异常
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(classes = CacheableTest.class, loader = AnnotationConfigContextLoader.class)
@Configuration
@EnableCaching
public class CacheableTest {
public static final String CACHE = "cache";
@Bean
public CacheManager cacheManager() {
return new ConcurrentMapCacheManager(CACHE);
}
@Autowired
DataService service;
@Test
public void cacheTest() {
final String name = "name";
Data a = service.getData(name);
Data b = service.getData(new String(name));
Assert.assertSame(a, b);
String c = service.getValue(service.getData(name));
String d = service.getValue(service.getData(new String(name)));
Assert.assertSame(c, d);
String e = service.getValue(name);
String f = service.getValue(new String(name));
Assert.assertSame(e, f);
}
public static class Data {
private String value;
public Data(String value) {
this.value = value;
}
}
@Service
public static class DataService {
@Resource
private DataService self;
@Cacheable(CACHE)
public Data getData(String name) {
return new Data(name);
}
@Cacheable(CACHE)
public String getValue(Data data) {
return data.value;
}
@Cacheable(CACHE)
public String getValue(String name) {
return self.getData(name).value;
}
}
}
异常CacheableTest$Data cannot be cast to java.lang.String
发生在字符串e行。我们知道为什么吗?
答案 0 :(得分:1)
您已声明2个具有相同参数但返回类型不同的方法。
public Data getData(String name)
public String getValue(String name)
并且您将它们两个都标记为@Cacheable
,并且具有相同的缓存名称CACHE
。结果,您共享单个缓存来存储这两种方法的结果。两种方法都有确切的参数(String
),因此,由spring为Data
和Value
计算的缓存键将发生冲突。
第一个调用的方法将返回spring放入缓存中的结果,第二个方法将尝试从缓存中检索相同的结果(因为缓存名称和方法参数匹配),然后尝试将其转换为其他结果类型-因此,是类强制转换异常。
与执行此操作几乎相同:
Map<String, Object> cache = new HashMap<>();
cache.put("key", "value1");
int i = (Integer)cache.get("key")
答案 1 :(得分:-1)
String e = service.getValue(name);
似乎service.getValue(name);
返回了Data
的实例,而不是String类型的。
您可能正在尝试的是:
String e = service.getValue(name).getValue();
但是您将需要在value
类中为Data
提供一个吸气剂。
或者,或者
Data e = service.getValue(name);