最近做网站黑词以及过滤的事情,为了加快读取速度,会把黑词缓存到每个JVM中,在多线程的情况下写黑词和读取,需要注意一些事情,包括:(1)写的时候,读等待;(2)写的时候要做同步加锁;(3)可以用临时变量指向将要被GC的内存块;(4)在写之前需要放开可能在等待的读线程;利用以下程序模型,可以实现多线程情况下同一块数据库的读取,以及用内存空间换取线程安全等。
package com.qqt.count.down;
import java.util.Date;
import java.util.HashMap;
import java.util.Map;
import java.util.concurrent.CountDownLatch;
public class CountDownTest {
private static Map<String, String> keyMap=new HashMap<String, String>();
//这里设置为0,不能确定putMap 一定在factchMap 之前执行;
private static CountDownLatch countDownLatch = new CountDownLatch(0);
/**
* 单线程写数据
* */
public static synchronized void putMap(){
//要开始了,把原来的Latch放掉,(这里的用意在于让其他线程的factchMap的方法读取老版本的KeyMap并继续执行)
CountDownTest.countDownLatch.countDown();
//重新生成一个
System.out.println("yes.put");
CountDownLatch temp_countDownLatch = new CountDownLatch(1);
//重新生成一个空间来存放值
Map<String, String> temp_keyMap=new HashMap<String, String>();
//插入值
Date date = new Date();
for(int i=0;i<10;i++){
temp_keyMap.put("key"+i, "value"+i +date);
}
//用一条赋值语句来重新指向
CountDownTest.keyMap = temp_keyMap;
CountDownTest.countDownLatch = temp_countDownLatch;
//执行完了,放掉Latch
CountDownTest.countDownLatch.countDown();
}
/**
* 多线程读数据(需要保证读取的数据是完整的)
* */
public static /**synchronized 这里读取不要加,让多个线程可以同事读取到这个方法*/ void factchMap() throws InterruptedException{
System.out.println("yes.fetch");
//等待完成,如果putMap 要开始执行,会放掉这里,这个方法会执行,只是会读取老版本的KeyMap
//如果factchMap 比PutMap开始执行,这句也会放过;
//如果PutMap正在执行,会等待
CountDownTest.countDownLatch.await();
//这里重新一个变量,指向一块内存区,GC引用
Map<String, String> temp_keyMap = CountDownTest.keyMap;
if(temp_keyMap.size()==0){
System.out.println("fun factchMap: run frist..,no value in.");
}else{
for(int i=0;i<temp_keyMap.size();i++){
String value= temp_keyMap.get("key"+i);
System.out.println(value);
}
}
}
/**
* 多线程测试
* */
public static void main(String[] args){
System.out.println("begin..");
Runnable putRunner = new Runnable(){
@Override
public void run() {
CountDownTest.putMap();
}
};
Runnable fatchRunner = new Runnable(){
@Override
public void run() {
try {
CountDownTest.factchMap();
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
};
for(int i=0;i<100;i++){
new Thread(putRunner).start();
new Thread(fatchRunner).start();
new Thread(fatchRunner).start();
try {
Thread.sleep(100L);
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
System.out.println("End..");
}
}