介绍两种Google guava缓存使用方式
使用场景:计算或检索一个值的代价很高,并且对同样的输入需要不止一次获取值的时候,就应当考虑使用缓存。
方式一
import java.util.Random;
import java.util.Scanner;
import java.util.concurrent.TimeUnit;
import com.google.common.cache.CacheBuilder;
import com.google.common.cache.CacheLoader;
import com.google.common.cache.LoadingCache;
/**
* guava缓存测试类
*/
public class GoogleGuavaTest {
//maximumSize 设置缓存大小,expireAfterAccess 设置超时时间 5毫秒(5毫秒没人访问就设置缓存失效) (方法二同
static LoadingCache<String,String> userNameCache =
CacheBuilder.newBuilder().maximumSize(100).
expireAfterAccess(5000, TimeUnit.MILLISECONDS).build(new CacheLoader<String, String>() {
@Override
public String load(String s) throws Exception {
Random r = new Random();
int i = r.nextInt(100);
return "你好,我是"+s+",编号:"+i;
}
});
public static void main(String[] args) throws Exception{
Scanner input = new Scanner(System.in);
Boolean flag = true;
while(flag) {
System.out.println("请输入一个名字:");
String next = input.next();
String s = userNameCache.get(next);
System.out.println(s);
System.out.println("是否继续?y/n");
next = input.next();
if(!next.equalsIgnoreCase("y")){
flag = false;
}
}
}
}
方式二
import java.util.Random;
import java.util.Scanner;
import java.util.concurrent.Callable;
import java.util.concurrent.TimeUnit;
import com.google.common.cache.Cache;
import com.google.common.cache.CacheBuilder;
/**
* guava缓存测试类
* @create 2019-04-10 下午4:37
*/
public class GoogleGuavaTest {
static Cache<String,String> userNameCache =
CacheBuilder.newBuilder().maximumSize(100).
expireAfterAccess(5000, TimeUnit.MILLISECONDS).build();
public static void main(String[] args) throws Exception{
Scanner input = new Scanner(System.in);
Boolean flag = true;
while(flag) {
System.out.println("请输入一个名字:");
String next = input.next();
String s = userNameCache.get(next, new Callable<String>() {
@Override
public String call() throws Exception {
Random r = new Random();
int i = r.nextInt(100);
return ",编号:"+i;
}
});
System.out.println("你好,我是"+next+s);
System.out.println("是否继续?y/n");
next = input.next();
if(!next.equalsIgnoreCase("y")){
flag = false;
}
}
}
}
- expireAfterWrite 是指缓存在指定时间没有被新的值覆盖时,将失效。
- expireAfterAccess 是指缓存在指定时间没有被读写时,将失效。
- refreshAfterWrite是在指定时间内没有被创建/覆盖,则指定时间过后,再次访问时,会去刷新该缓存,在新值没有到来之前,始终返回旧值跟expire的区别是,指定时间过后,expire是remove该key,下次访问是同步去获取返回新值,而refresh则是指定时间后,不会remove该key,下次访问会触发刷新,新值没有回来时返回旧值。
网友评论