SpringCache使用

简介

Spring Cache是Spring提供的通用缓存框架。它利用了AOP,实现了基于注解的缓存功能,使开发者不用关心底层使用了什么缓存框架,只需要简单地加一个注解,就能实现缓存功能了。用户使用Spring Cache,可以快速开发一个很不错的缓存功能。

Spring Cache的好处

支持开箱即用(Out Of The Box),并提供基本的Cache抽象,方便切换各种底层Cache
通过Cache注解即可实现缓存逻辑透明化,让开发者关注业务逻辑
当事务回滚时,缓存也会自动回滚
支持比较复杂的缓存逻辑
提供缓存编程的一致性抽象,方便代码维护。

Spring Cache的缺点

Spring Cache并不针对多进程的应用环境进行专门的处理。
另外Spring Cache抽象的操作中没有锁的概念,当多线程并发操作(更新或者删除)同一个缓存项时,有可能读取到过期的数据。

使用

1、引入依赖

<dependency>
    <groupId>org.springframework.bootgroupId>
    <artifactId>spring-boot-starter-cacheartifactId>
dependency>

默认情况下, SpringCache使用ConcurrentHashMap作为本地缓存存储数据。如果要使用其它的缓存框架,我们只需要做简单的配置即可。


<dependency>
    <groupId>org.springframework.bootgroupId>
    <artifactId>spring-boot-starter-data-redisartifactId>
dependency>
spring:
  redis:
    port: 6379
    host: localhost
    password: root
    database: 0
  cache:
    type: redis
    redis:
      ##缓存一个小时
      time-to-live: 3600000

2、开启缓存

//启动类
@SpringBootApplication
@EnableCaching
public class AppServerApplication {

    public static void main(String[] args) {
        SpringApplication.run(AppServerApplication.class, args);
    }
}

3、配置注解

注意返回对象需要序列化

@Cacheable(value = "user",key = "#username")
public User test(String username) {
    User user = userDao.findUser(username);
    return user;
}

注解

注解 说明
@Cacheable 从缓存查询,存在则返回。不存在查询数据库,存入缓存
@CachePut 将数据结果存入缓存
@CacheEvict 清空缓存内容
@Caching 多缓存配置

内部原理

SpringAOP

你可能感兴趣的:(java,redis,缓存)