多线程:什么是ThreadLocal?应用场景?

ThreadLocal(避免线程不安全问题)

 

什么是ThreadLocal?

   线程本地变量,也有些地方叫做线程本地存储,他代表一个线程局部变量。

为什么要ThreadLocal?

    如果一段代码中所需要的数据必须与其他代码共享,那就看看这些共享数据的代码能否保证在同一个线程中执行?如果能够保证,我们就可以把共享数据的可见范围限定在同一个线程之内,这样无需同步,也能够保证线程之间不出现数据的争用问题了。

  面向的问题是从根本上避免多个线程对共享资源的竞争,是为了隔离多个线程的数据共享,也就不需要对多个线程进行同步了。

    通过把数据放在ThreadLocal中就可以让每个线程创建一个该变量的副本。从而避免了并发访问时线程安全的问题了。

private ThreadLocal name = new ThreadLocal<>();

ThreadLocal的应用场景

        最常见的ThreadLocal使用场景为 用来解决数据库连接、Session管理等。如:

        数据库连接:

Java代码  收藏代码

  1. private static ThreadLocal connectionHolder = new ThreadLocal() {  
  2.     public Connection initialValue() {  
  3.         return DriverManager.getConnection(DB_URL);  
  4.     }  
  5. };  
  6.   
  7. public static Connection getConnection() {  
  8.     return connectionHolder.get();  
  9. }  

        Session管理:

Java代码  收藏代码

  1. private static final ThreadLocal threadSession = new ThreadLocal();  
  2.   
  3. public static Session getSession() throws InfrastructureException {  
  4.     Session s = (Session) threadSession.get();  
  5.     try {  
  6.         if (s == null) {  
  7.             s = getSessionFactory().openSession();  
  8.             threadSession.set(s);  
  9.         }  
  10.     } catch (HibernateException ex) {  
  11.         throw new InfrastructureException(ex);  
  12.     }  
  13.     return s;  
  14. }  

 

你可能感兴趣的:(多线程)