JVM进程缓存Caffeine

导入坐标:


            com.github.ben-manes.caffeine
            caffeine
        

写一个配置类:

@Configuration
public class CaffeineConfig {
    @Bean
    public Cache itemCache(){
        return Caffeine.newBuilder()
                .initialCapacity(100)
                .maximumSize(10_000) // 设置缓存大小上限
                .expireAfterWrite(Duration.ofSeconds(10)) //设置缓存的有效时间
                .build();
    }
}

注入bean

 @Autowired
    private Cache itemCache;

// 取数据,包含两个参数:
// 参数一:缓存的key
// 参数二:Lambda表达式,表达式参数就是缓存的key,方法体是查询数据库的逻辑
// 优先根据key查询JVM缓存,如果未命中,则执行参数二的Lambda表达式

    @GetMapping("{id}")
    public @Nullable Score queryById(@PathVariable("id") String id) {

       return (Score) itemCache.get(id , key -> scoreService.queryById(key));
//        return ResponseEntity.ok(this.scoreService.queryById(id));
    }

增删改都要清除缓存

移除指定的key
cache.invalidate(key)
移除指定的key列表
cache.invalidateAll(keys)
移除全部key(推荐)
**cache.invalidateAll()**
 @PostMapping
    public ResponseEntity add(Score score) {
        itemCache.invalidateAll();
        return ResponseEntity.ok(this.scoreService.insert(score));
    }

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