ThreadLocal:
线程局部变量(ThreadLocal)其实的功用非常简单,就是为每一个使用该变量的线程都提供一个变量值的副本,是每一个线程都可以独立地改变自己的副本,而不会和其它线程的副本冲突。
ThreadLocal通过Map来为每个线程维护了一个局部变量的副本,下面是模拟ThreaLocal的实现:
package thread.sync.test;
import java.util.concurrent.ConcurrentHashMap;
public class ThreadLocal<T> {
private ConcurrentHashMap<Thread, T> map = new ConcurrentHashMap<Thread, T>() ;
//get method
public T get(){
T value = map.get(Thread.currentThread()) ;
if(value ==null || !map.contains(Thread.currentThread())){
value = initValue() ;
map.put(Thread.currentThread(), value) ;
}
return value ;
}
//set method
public void set(T value){
map.put(Thread.currentThread(), value) ;
}
//init value method
protected T initValue(){
return null ;
}
}
public class ThreadLocalTest {
private static int currentIndex =0 ;
private static ThreadLocal indexFactory = new ThreadLocal<Integer>(){
@Override
protected Integer initialValue() {
// TODO Auto-generated method stub
return currentIndex++;
}
} ;
public static int get(){
return ((Integer)indexFactory.get()).intValue() ;
}
public static void set(int value){
indexFactory.set(value) ;
}
}
package thread.sync.test;
import java.util.Random;
public class ThreadLocalClient {
public static void main(String[] args) {
final Random random = new Random() ;
for (int i = 0; i < 10; i++) {
new Thread() {
public void run() {
System.out.println(Thread.currentThread().getName() + ":"
+ ThreadLocalTest.get());
int value = random.nextInt(1000) ;
ThreadLocalTest.set(value);
System.out.println(Thread.currentThread().getName() + ":"
+ ThreadLocalTest.get());
try {
Thread.sleep(2000);
} catch (InterruptedException e) {
e.printStackTrace();
}
};
}.start();
}
}
}
总结
当然ThreadLocal并不能替代同步机制,两者面向的问题领域不同。同步机制是为了同步多个线程对相同资源的并发访问,是为了多个线程之间进行通信的有效方式;而ThreadLocal是隔离多个线程的数据共享,从根本上就不在多个线程之间共享资源(变量),这样当然不需要对多个线程进行同步了。所以,如果你需要进行多个线程之间进行通信,则使用同步机制;如果需要隔离多个线程之间的共享冲突,可以使用ThreadLocal,这将极大地简化你的程序,使程序更加易读、简洁。如果你想对对各线程共享对象里面的某些变量进行线程局部化,则可以给这些变量加上ThreadLocal来处理