我开始学习Spring Cache抽象。 为此,我使用Spring boot,Spring Data Jpa,EhCache提供程序。
我的ehcache.xml:
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE ehcache>
<ehcache>
<diskStore path="java.io.tmpdir"/>
<defaultCache maxElementsInMemory="100"
eternal="false"
timeToIdleSeconds="120"
timeToLiveSeconds="120"
overflowToDisk="true">
</defaultCache>
<cache name="teams"
maxElementsInMemory="500"
eternal="true"
timeToIdleSeconds="0"
timeToLiveSeconds="100"
overflowToDisk="false">
</cache>
我的服务:
@CacheConfig(cacheNames = "teams")
@Service
public class TeamService {
@Autowired
private TeamRepository teamRepository;
@Cacheable
public Team findById(long id) {
return teamRepository.findById(id).get();
}
@Cacheable
public List<Team> findAll() {
return teamRepository.findAll();
}
@CachePut
public Team save(Team team) {
return teamRepository.save(team);
}
@CacheEvict
public void delete(long id) {
teamRepository.deleteById(id);
}
}
我的控制器:
@RestController
public class TeamController {
@Autowired
private TeamService teamService;
@GetMapping("/teams")
public List<Team> getAll() {
return teamService.findAll();
}
@GetMapping("/team/{id}")
public Team getById(@PathVariable long id) {
return teamService.findById(id);
}
@DeleteMapping("/team/{id}")
public void delete(@PathVariable long id) {
teamService.delete(id);
}
@PostMapping("/team")
public Team save(@RequestBody Team team) {
return teamService.save(team);
}
}
我正在向控制器发送请求...
当我执行控制器的getAll()方法时,数据将正确缓存,然后在下次不对数据库执行查询。然后,使用控制器的相应方法更新和删除数据库中的数据,这些服务方法分别标记为@CachePut和@CacheEvict,并且必须刷新缓存。然后,我再次执行上述getAll()方法,并得到与第一次相同的响应,但我希望在执行删除和更新请求后将其刷新。
我在做什么错或如何获得期望的结果?
答案 0 :(得分:1)
在方法上放置@Cachable批注时,所有条目将默认保留在缓存中,并添加一个名称,然后第一个可缓存的名称与第二个可缓存的名称不同,因此,如果您想工作良好,则需要添加一个名称想要,例如:
@Cachable("teams")
@Cachable("teams")
@CachePut("teams")
@CacheEvict(value="teams", allEntries=true)
您可以在此链接中获得更多信息:https://www.baeldung.com/spring-cache-tutorial
也许最好的解决方案是这样:
@Cachable("team")
@Cachable("teams")
@Caching(put = {
@CachePut(value="team"),
@CachePut(value="teams") })
@Caching(evict = {
@CacheEvict(value="team", allEntries=true),
@CacheEvict(value="teams", allEntries=true) })