近期公司在进行Java开发者的招聘活动,当中有一道面试题是这种:“请简单描写叙述一下ThreadLocal类的作用。” 结果发现有非常多的面试者没有听说过ThreadLocal或者听说过却不知道这个类到底是用来做什么的。
因此这里写一篇博客来介绍一下ThreadLocal这个类。
而它的目的也正是为了解决多线程并发訪问共享数据的问题。
通过阅读ThreadLocal的源代码并了解它解决并发问题的思路,开发者能够更好的理解代码中遇到的多线程bug,更不用提那些在项目开发中须要用到多线程编程的开发者了。
因此,不论你是否用到了ThreadLocal类,都非常有必要学习一下它。
”
2. 共享状态不可变。 如果某条数据被多线程共享。然而该数据是不可变数据。那么它便没有多线程问题。
举例来说: Java中的String类型就是不可变的,因此String的共享并不会导致多线程安全问题。
随意的数据都由某个线程独占,不与其它线程分享,因此也不会出现多线程问题。
这是最主要的想法,不论什么一本Java多线程编程的书都会具体描写叙述怎样在Java中使用同步,这里不再赘述。
既然没有了多线程的共享状态。也就无所谓是否线程安全了。
因此不能简单的说ThreadLocal是否线程安全,这个问题事实上没有意义。
- /**
- * 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)
- return (T)e.value;
- }
- 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)
- map.set(this, value);
- else
- createMap(t, value);
- }
我们来看一个在Hibernate中使用ThreadLocal的样例:
- private static ThreadLocal<Connection> connectionHolder
- = new ThreadLoca<Connection>() {
- public Connection initialValue() {
- return DriverManager.getConnection(DB_URL);
- }
- };
- public static Connection getConnection() {
- return ConnectionHolder.get();
- }
上面的样例是一个最经典的ThreadLocal使用案例: 在单线程中创建一个单例变量。并在程序启动时初始化该单例变量,从而避免在调用每个方法时都要传递该变量。然而该单例可能并非线程安全的,因此,当多线程应用程序在没有互相协作的情况下,能够通过将该单例变量保存到ThreadLocal中。以确保每个线程都拥有属于自己的实例。
在这里,一个更好理解的说法便是:该单例是一个线程内单例,在多线程应用中,每一个线程里都有一个该单例。
通过学习ThreadLocal,我们可以对正确的在项目中使用它。同一时候。也可以帮助我们对多线程编程有一个更深的认识.
(该文同一时候发表在http://mabusyao.iteye.com/blog/2224898)