我想将主数据缓存到Redis。
所以,我写了这些代码。
@Configuration
@EnableCaching
public class AppConfig extends CachingConfigurerSupport {
@Bean
@Autowired
public CacheManager cacheManager(RedisTemplate<Object, Object> redisTemplate) {
RedisCacheManager cacheManager = new RedisCacheManager(redisTemplate);
Map<String, Long> expires = new HashMap<>();
expires.put("cache.day", new Long(24 * 60 * 60));
cacheManager.setExpires(expires);
return cacheManager;
}
}
并且
package com.taisho.artifacts.repository.impl;
import org.springframework.cache.annotation.Cacheable;
import org.springframework.stereotype.Repository;
import java.util.ArrayList;
import java.util.List;
@Repository
public class TestRepository {
@Cacheable(value = "cache.day", key = "'cache.test'")
public List<String> getTest() {
List<String> list = new ArrayList<>();
list.add("test");
list.add("sample");
return list;
}
public void printTest() {
System.out.println(getTest());
}
}
和ymlfile
spring:
redis:
host: 127.0.0.1
port: 26379
但是,Cache无法正常工作......
每当我调用printTest方法时,“getTest”方法都会执行。 Redis没有数据...... 我的代码中有什么问题?
SpringBoot版本是1.4.0
依赖是
compile("org.springframework.boot:spring-boot-starter-web:${springBootVersion}")
compile("org.springframework.boot:spring-boot-starter-data-redis:${springBootVersion}")
compile("org.springframework.boot:spring-boot-autoconfigure:${springBootVersion}")
答案 0 :(得分:6)
Spring AOP是基于代理的,因此当您从getTest()
方法调用printTest()
方法时,将getTest()
方法调用this
方法1}}不是引用能够执行缓存操作的代理版本。通常这是 Design Smell ,您最好重新考虑当前的设计。但作为解决方法,您可以使用AopContext
:
public void printTest() {
System.out.println(((TestRepository) AopContext.currentProxy()).getTest());
}
假设您有一个客户端代码可以访问TestRepository
到依赖注入:
@Component
class SomeUnfortunateClient {
// I know field injection is evil!
@Autowired TestRepository testRepository;
void youAreGoingToBeSurprised() {
testRepository.printTest();
}
}
TestRepository
是一个Spring托管存储库,为了向TestRepository
添加其他功能,例如缓存,Spring将为它创建一个代理。这意味着对testRepository
对象引用的方法调用将是代理上的调用,因此代理将能够委托给与该特定方法调用相关的所有拦截器(通知)。在您的情况下,这些建议将检查缓存条目是否存在。
但是,一旦调用最终到达目标对象,在这种情况下为TestRepository
引用,将调用它可能对其自身进行的任何方法调用,例如System.out.println(getTest());
。 this
引用,而不是代理。 这意味着自我调用不会导致与方法调用相关的建议有机会执行。
正如Spring Documentation所述:
好的,那么该怎么办呢?最好的方法(术语 这里松散地使用最好的方法是重构你的代码 自我调用不会发生。当然,这确实需要一些工作 就你而言,这是最好的,最少侵入性的方法。下一个 方法是绝对可怕的,我几乎是沉默寡言 它正是因为它太可怕了。你完全可以(窒息!) 通过这样做将类中的逻辑绑定到Spring AOP:
public class SimplePojo implements Pojo {
public void foo() {
// this works, but... gah!
((Pojo) AopContext.currentProxy()).bar();
}
public void bar() {
// some logic...
}
}
这将您的代码完全耦合到Spring AOP,并且它使这个类成为可能 本身意识到它正在AOP环境中使用, 面对AOP飞行。它还需要一些额外的 正在创建代理时的配置。
这个答案很大程度上基于Spring Documentation,所以对于(甚至!)更详细的讨论,你一定要查看Spring Documentation中的Understanding AOP proxies部分。