springboot可以极其方便的使用缓存。

步骤

1、引入

  1. <dependency>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-starter-cache</artifactId>
  4. </dependency>

2、启动类加入注解

  1. @SpringBootApplication
  2. @EnableScheduling
  3. @EnableCaching # 开启缓存
  4. public class LogApplication {
  5. public static void main(String[] args) {
  6. SpringApplication.run(LogApplication.class, args);
  7. }
  8. }

3、方法上启用

  1. @RequestMapping("/hello")
  2. @Cacheable(value="helloCache")
  3. public String hello(String name) {
  4. System.out.println("没有走缓存!");
  5. return "hello "+name;
  6. }

4、清除缓存

  1. @Override
  2. @CacheEvict(value = "Distinct",allEntries = true)
  3. public void clearCache() {
  4. log.info("清空缓存");
  5. }

注解参数讲解

@Cacheable

  1. value:缓存的名称。
  2. key:缓存的 key,可以为空,如果指定要按照 SpEL 表达式编写;如果不指定,则缺省按照方法的所有参数进行组合。
  3. condition:触发条件,只有满足条件的情况才会加入缓存,默认为空,既表示全部都加入缓存,支持 SpEL
  4. @RequestMapping("/getUsers")
  5. @Cacheable(value="usersCache",key="#nickname",condition="#nickname.length() >= 6")
  6. public List<User> getUsers(String nickname) {
  7. List<User> users=userRepository.findByNickname(nickname);
  8. System.out.println("执行了数据库操作");
  9. return users;
  10. }
  11. 需要注意的是当一个支持缓存的方法在对象内部被调用时是不会触发缓存功能的。

@CachePut

更新缓存,不用先删除再查询了

  1. @RequestMapping("/getPutUsers")
  2. @CachePut(value="usersCache",key="#nickname")
  3. public List<User> getPutUsers(String nickname) {
  4. List<User> users=userRepository.findByNickname(nickname);
  5. System.out.println("执行了数据库操作");
  6. return users;
  7. }

@CacheEvict

  1. @RequestMapping("/allEntries")
  2. @CacheEvict(value="usersCache", allEntries=true)
  3. public List<User> allEntries(String nickname) {
  4. List<User> users=userRepository.findByNickname(nickname);
  5. System.out.println("执行了数据库操作");
  6. return users;
  7. }
  8. 参数:
  9. allEntries boolean 类型,表示是否需要清除缓存中的所有元素,默认为 false
  10. 清除操作默认是在对应方法成功执行之后触发的,
  11. 即方法如果因为抛出异常而未能成功返回时也不会触发清除操作。
  12. 使用 beforeInvocation 可以改变触发清除操作的时间
  13. @RequestMapping("/beforeInvocation")
  14. @CacheEvict(value="usersCache", allEntries=true, beforeInvocation=true)
  15. public void beforeInvocation() {
  16. throw new RuntimeException("test beforeInvocation");
  17. }