Java基础技术

Java ThreadLocal 分析

2017-02-04  本文已影响34人  酱油和醋

一.资料
正确理解ThreadLocal
为每一个使用该变量的线程都提供一个变量值的副本,是每一个线程都可以独立地改变自己的副本,而不会和其它线程的副本冲突。
"首先,ThreadLocal 不是用来解决共享对象的多线程访问问题的,一般情况下,通过ThreadLocal.set() 到线程中的对象是该线程自己使用的对象,其他线程是不需要访问的,也访问不到的。各个线程中访问的是不同的对象。 另外,说ThreadLocal使得各线程能够保持各自独立的一个对象,并不是通过ThreadLocal.set()来实现的,而是通过每个线程中的new 对象的操作来创建的对象,每个线程创建一个,不是什么对象的拷贝或副本。"

二.源代码

public class ThreadLocal<T> {
...
/**

  * Returns the value in the current thread's copy of this

  * thread-local variable. If the variable has no value for the

  * current thread, it is first initialized to the value returned

  * by an invocation of the {@link #initialValue} method.

  *@return the current thread's value of this thread-local

  */

  public T get() {

  Thread t = Thread.currentThread();

  ThreadLocalMap map = getMap(t);

  if (map != null) {

  ThreadLocalMap.Entry e = map.getEntry(this);

  if (e != null) {

  @SuppressWarnings("unchecked")

  T result = (T)e.value;

  return result;

  }

  }

  return setInitialValue();

  }
/**

  * Sets the current thread's copy of this thread-local variable

  * to the specified value. Most subclasses will have no need to

  * override this method, relying solely on the {@link #initialValue}

  * method to set the values of thread-locals.

  *@param value the value to be stored in the current thread's copy of

  * this thread-local.

  */

  public void set(T value) {

  Thread t = Thread.currentThread();

  ThreadLocalMap map = getMap(t);

  if (map != null)
    //将threadLocal的实例作为key,要保持的对象作为值,设置到当前线程的ThreadLocalMap 中           
    map.set(this, value);
  else
    createMap(t, value);
}
/**

  * Get the map associated with a ThreadLocal. Overridden in

  * InheritableThreadLocal.

  * @param t the current thread

  * @return the map

  */

  ThreadLocalMap getMap(Thread t) {

  return t.threadLocals;

  }
}    

//ThreadLocalMap的实例是在Thread中实现

public class Thread implements Runnable {

...

/* ThreadLocal values pertaining to this thread. This map is maintained

  * by the ThreadLocal class. */

 ThreadLocal.ThreadLocalMap threadLocals = null;

}
...
} 

三.使用初始化
private static final ThreadLocal<Map<String,String>> threadLocal = new ThreadLocal<>();

四.使用总结
ThreadLocal不是用来解决对象共享访问问题的,而主要是提供了保持对象的方法和避免参数传递的方便的对象访问方式。
a.每个线程中都有一个自己的ThreadLocalMap类对象,可以将线程自己的对象保持到其中,各管各的,线程可以正确的访问到自己的对象。 b.将一个共用的ThreadLocal静态实例作为key,将不同对象的引用保存到不同线程的ThreadLocalMap中,然后在线程执行的各处通过这个静态ThreadLocal实例的get()方法取得自己线程保存的那个对象,避免了将这个对象作为参数传递的麻烦。

上一篇下一篇

猜你喜欢

热点阅读