Guava总结4-Cache

官方文档 https://code.google.com/p/guava-libraries/wiki/CachesExplained 

LoadingCache

这种用法,我个人用的比较多.不多说,直接看代码(例子来自官方文档).

LoadingCache<Key, Graph> graphs = CacheBuilder.newBuilder()
       .maximumSize(1000) //最多1000个
       .expireAfterWrite(10, TimeUnit.MINUTES)//写入以后缓存10min.
       .removalListener(MY_LISTENER)//listenner设置
       .build(
           new CacheLoader<Key, Graph>() {
            //最后load的方法.
             public Graph load(Key key) throws AnyException {
               return createExpensiveGraph(key);
             }
           });

 上面的代码很容易理解..在使用的时候,就非常简单了.只需要 

 

graphs.getUnchecked(key)

 还是很简单的.

但是这里有一个要求,load的返回值不允许为null..但是我们很多业务场景经常会遇到null的返回值.解决的方法就是通过optional .具体看实际的代码

/**
     * 抽奖ID对应的抽奖信息cache
     */
    private LoadingCache<Long,Optional<LotteryAwardMO>> idLotteryAwardCache;
private void init() {
        idLotteryAwardCache = CacheBuilder.newBuilder().maximumSize(100).expireAfterWrite(5, TimeUnit.SECONDS).build(new CacheLoader<Long, Optional<LotteryAwardMO>>() {
            @Override
            public Optional<LotteryAwardMO> load(Long key) throws Exception {
                LotteryAwardMsgBO lotteryAwardMsgBO = lotteryAwardMsgManager.get(key);
                return Optional.fromNullable(toLotteryAwardMO(lotteryAwardMsgBO));
            }
        });
    }

 用法也很简单

idLotteryAwardCache.getUnchecked(awardId).orNull()

 

CallBack

callback的用法,等我在实际中用到了,再写吧

你可能感兴趣的:(cache)