Java的LockSupport.park()实现分析(转载)

LockSupport类是Java6(JSR166-JUC)引入的一个类,提供了基本的线程同步原语。LockSupport实际上是调用了Unsafe类里的函数,归结到Unsafe里,只有两个函数:

1     public native void unpark(Thread jthread);
2     public native void park(boolean isAbsolute, long time);  

isAbsolute参数是指明时间是绝对的,还是相对的。

仅仅两个简单的接口,就为上层提供了强大的同步原语。

先来解析下两个函数是做什么的。

unpark函数为线程提供“许可(permit)”,线程调用park函数则等待“许可”。这个有点像信号量,但是这个“许可”是不能叠加的,“许可”是一次性的。

比如线程B连续调用了三次unpark函数,当线程A调用park函数就使用掉这个“许可”,如果线程A再次调用park,则进入等待状态。

注意,unpark函数可以先于park调用。比如线程B调用unpark函数,给线程A发了一个“许可”,那么当线程A调用park时,它发现已经有“许可”了,那么它会马上再继续运行。

实际上,park函数即使没有“许可”,有时也会无理由地返回,这点等下再解析。

park和unpark的灵活之处

上面已经提到,unpark函数可以先于park调用,这个正是它们的灵活之处。

一个线程它有可能在别的线程unPark之前,或者之后,或者同时调用了park,那么因为park的特性,它可以不用担心自己的park的时序问题,否则,如果park必须要在unpark之前,那么给编程带来很大的麻烦!!

考虑一下,两个线程同步,要如何处理?

在Java5里是用wait/notify/notifyAll来同步的。wait/notify机制有个很蛋疼的地方是,比如线程B要用notify通知线程A,那么线程B要确保线程A已经在wait调用上等待了,否则线程A可能永远都在等待。编程的时候就会很蛋疼。

另外,是调用notify,还是notifyAll?

notify只会唤醒一个线程,如果错误地有两个线程在同一个对象上wait等待,那么又悲剧了。为了安全起见,貌似只能调用notifyAll了。

park/unpark模型真正解耦了线程之间的同步,线程之间不再需要一个Object或者其它变量来存储状态,不再需要关心对方的状态。

HotSpot里park/unpark的实现

每个Java线程都有一个Parker实例,Parker类是这样定义的:

 1     class Parker : public os::PlatformParker {
 2     private:
 3       volatile int _counter ;
 4       ...
 5     public:
 6       void park(bool isAbsolute, jlong time);
 7       void unpark();
 8       ...
 9     }
10     class PlatformParker : public CHeapObj<mtInternal> {
11       protected:
12         pthread_mutex_t _mutex [1] ;
13         pthread_cond_t  _cond  [1] ;
14         ...
15     }  

可以看到Parker类实际上用Posix的mutex,condition来实现的。

在Parker类里的_counter字段,就是用来记录所谓的“许可”的。

当调用park时,先尝试直接能否直接拿到“许可”,即_counter>0时,如果成功,则把_counter设置为0,并返回:

 1     void Parker::park(bool isAbsolute, jlong time) {
 2       // Ideally we‘d do something useful while spinning, such
 3       // as calling unpackTime().
 4
 5
 6       // Optional fast-path check:
 7       // Return immediately if a permit is available.
 8       // We depend on Atomic::xchg() having full barrier semantics
 9       // since we are doing a lock-free update to _counter.
10       if (Atomic::xchg(0, &_counter) > 0) return;  

如果不成功,则构造一个ThreadBlockInVM,然后检查_counter是不是>0,如果是,则把_counter设置为0,unlock mutex并返回:

1     ThreadBlockInVM tbivm(jt);
2     if (_counter > 0)  { // no wait needed
3       _counter = 0;
4       status = pthread_mutex_unlock(_mutex);  

否则,再判断等待的时间,然后再调用pthread_cond_wait函数等待,如果等待返回,则把_counter设置为0,unlock mutex并返回:

1 if (time == 0) {
2   status = pthread_cond_wait (_cond, _mutex) ;
3 }
4 _counter = 0 ;
5 status = pthread_mutex_unlock(_mutex) ;
6 assert_status(status == 0, status, "invariant") ;
7 OrderAccess::fence(); 

当unpark时,则简单多了,直接设置_counter为1,再unlock mutext返回。如果_counter之前的值是0,则还要调用pthread_cond_signal唤醒在park中等待的线程:

 1     void Parker::unpark() {
 2       int s, status ;
 3       status = pthread_mutex_lock(_mutex);
 4       assert (status == 0, "invariant") ;
 5       s = _counter;
 6       _counter = 1;
 7       if (s < 1) {
 8          if (WorkAroundNPTLTimedWaitHang) {
 9             status = pthread_cond_signal (_cond) ;
10             assert (status == 0, "invariant") ;
11             status = pthread_mutex_unlock(_mutex);
12             assert (status == 0, "invariant") ;
13          } else {
14             status = pthread_mutex_unlock(_mutex);
15             assert (status == 0, "invariant") ;
16             status = pthread_cond_signal (_cond) ;
17             assert (status == 0, "invariant") ;
18          }
19       } else {
20         pthread_mutex_unlock(_mutex);
21         assert (status == 0, "invariant") ;
22       }
23     }  

简而言之,是用mutex和condition保护了一个_counter的变量,当park时,这个变量置为了0,当unpark时,这个变量置为1。

值得注意的是在park函数里,调用pthread_cond_wait时,并没有用while来判断,所以posix condition里的"Spurious wakeup"一样会传递到上层Java的代码里。

关于"Spurious wakeup",参考上一篇blog:http://blog.csdn.net/hengyunabc/article/details/27969613

1 if (time == 0) {

2 status = pthread_cond_wait (_cond, _mutex) ;

3 }

这也就是为什么Javados里提到,当下面三种情况下park函数会返回:

  • Some other thread invokes unpark with the current thread as the target; or
  • Some other thread interrupts the current thread; or
  • The call spuriously (that is, for no reason) returns.

相关的实现代码在:

http://hg.openjdk.java.NET/jdk7/jdk7/hotspot/file/81d815b05abb/src/share/vm/runtime/park.hpp

http://hg.openjdk.java.net/jdk7/jdk7/hotspot/file/81d815b05abb/src/share/vm/runtime/park.cpp

http://hg.openjdk.java.Net/jdk7/jdk7/hotspot/file/81d815b05abb/src/os/Linux/vm/os_linux.hpp

http://hg.openjdk.java.net/jdk7/jdk7/hotspot/file/81d815b05abb/src/os/linux/vm/os_linux.cpp

其它的一些东东:

Parker类在分配内存时,使用了一个技巧,重载了new函数来实现了cache line对齐。

1     // We use placement-new to force ParkEvent instances to be
2     // aligned on 256-byte address boundaries.  This ensures that the least
3     // significant byte of a ParkEvent address is always 0.
4
5     void * operator new (size_t sz) ;  

Parker里使用了一个无锁的队列在分配释放Parker实例:

 1     volatile int Parker::ListLock = 0 ;
 2     Parker * volatile Parker::FreeList = NULL ;
 3
 4     Parker * Parker::Allocate (JavaThread * t) {
 5       guarantee (t != NULL, "invariant") ;
 6       Parker * p ;
 7
 8       // Start by trying to recycle an existing but unassociated
 9       // Parker from the global free list.
10       for (;;) {
11         p = FreeList ;
12         if (p  == NULL) break ;
13         // 1: Detach
14         // Tantamount to p = Swap (&FreeList, NULL)
15         if (Atomic::cmpxchg_ptr (NULL, &FreeList, p) != p) {
16            continue ;
17         }
18
19         // We‘ve detached the list.  The list in-hand is now
20         // local to this thread.   This thread can operate on the
21         // list without risk of interference from other threads.
22         // 2: Extract -- pop the 1st element from the list.
23         Parker * List = p->FreeNext ;
24         if (List == NULL) break ;
25         for (;;) {
26             // 3: Try to reattach the residual list
27             guarantee (List != NULL, "invariant") ;
28             Parker * Arv =  (Parker *) Atomic::cmpxchg_ptr (List, &FreeList, NULL) ;
29             if (Arv == NULL) break ;
30
31             // New nodes arrived.  Try to detach the recent arrivals.
32             if (Atomic::cmpxchg_ptr (NULL, &FreeList, Arv) != Arv) {
33                 continue ;
34             }
35             guarantee (Arv != NULL, "invariant") ;
36             // 4: Merge Arv into List
37             Parker * Tail = List ;
38             while (Tail->FreeNext != NULL) Tail = Tail->FreeNext ;
39             Tail->FreeNext = Arv ;
40         }
41         break ;
42       }
43
44       if (p != NULL) {
45         guarantee (p->AssociatedWith == NULL, "invariant") ;
46       } else {
47         // Do this the hard way -- materialize a new Parker..
48         // In rare cases an allocating thread might detach
49         // a long list -- installing null into FreeList --and
50         // then stall.  Another thread calling Allocate() would see
51         // FreeList == null and then invoke the ctor.  In this case we
52         // end up with more Parkers in circulation than we need, but
53         // the race is rare and the outcome is benign.
54         // Ideally, the # of extant Parkers is equal to the
55         // maximum # of threads that existed at any one time.
56         // Because of the race mentioned above, segments of the
57         // freelist can be transiently inaccessible.  At worst
58         // we may end up with the # of Parkers in circulation
59         // slightly above the ideal.
60         p = new Parker() ;
61       }
62       p->AssociatedWith = t ;          // Associate p with t
63       p->FreeNext       = NULL ;
64       return p ;
65     }
66
67
68     void Parker::Release (Parker * p) {
69       if (p == NULL) return ;
70       guarantee (p->AssociatedWith != NULL, "invariant") ;
71       guarantee (p->FreeNext == NULL      , "invariant") ;
72       p->AssociatedWith = NULL ;
73       for (;;) {
74         // Push p onto FreeList
75         Parker * List = FreeList ;
76         p->FreeNext = List ;
77         if (Atomic::cmpxchg_ptr (p, &FreeList, List) == List) break ;
78       }
79     }  

总结与扯谈

JUC(javaUtil Concurrency)仅用简单的park, unpark和CAS指令就实现了各种高级同步数据结构,而且效率很高,令人惊叹。

在C++程序员各种自制轮子的时候,Java程序员则有很丰富的并发数据结构,如lock,latch,queue,map等信手拈来。

要知道像C++直到C++11才有标准的线程库,同步原语,但离高级的并发数据结构还有很远。boost库有提供一些线程,同步相关的类,但也是很简单的。Intel的tbb有一些高级的并发数据结构,但是国内boost都用得少,更别说tbb了。

最开始研究无锁算法的是C/C++程序员,但是后来很多Java程序员,或者类库开始自制各种高级的并发数据结构,经常可以看到有分析Java并发包的文章。反而C/C++程序员总是在分析无锁的队列算法。高级的并发数据结构,比如并发的HashMap,没有看到有相关的实现或者分析的文章。在c++11之后,这种情况才有好转。

因为正确高效实现一个Concurrent Hash Map是很困难的,要对内存CPU有深刻的认识,而且还要面对CPU不断升级带来的各种坑。

我认为真正值得信赖的C++并发库,只有Intel的tbb和微软的PPL。

https://software.intel.com/en-us/node/506042     Intel? Threading Building Blocks

http://msdn.microsoft.com/en-us/library/dd492418.aspx   Parallel Patterns Library (PPL)

另外FaceBook也开源了一个C++的类库,里面也有并发数据结构。

https://github.com/facebook/folly



全文转载自:Java的LockSupport.park()实现分析

时间: 2024-10-04 06:25:25

Java的LockSupport.park()实现分析(转载)的相关文章

4.锁定--Java的LockSupport.park()实现分析

LockSupport类是Java6(JSR166-JUC)引入的一个类,提供了主要的线程同步原语. LockSupport实际上是调用了Unsafe类里的函数.归结到Unsafe里,仅仅有两个函数: [java] view plaincopy public native void unpark(Thread jthread); public native void park(boolean isAbsolute, long time); isAbsolute參数是指明时间是绝对的,还是相对的.

Java的LockSupport.park()实现分析

LockSupport类是Java6(JSR166-JUC)引入的一个类,提供了基本的线程同步原语.LockSupport实际上是调用了Unsafe类里的函数,归结到Unsafe里,只有两个函数: [java] view plaincopy public native void unpark(Thread jthread); public native void park(boolean isAbsolute, long time); isAbsolute参数是指明时间是绝对的,还是相对的. 仅

java自带的jvm分析工具

http://domark.iteye.com/blog/1924302 这段时间觉得很有必要对java的内存分析工具进行熟悉,这样以后出现机器负载较高,或者反应很慢的时候,我就可以查找原因了.上网搜了搜,发现下面这些是比较常用的,然后我在机器上试试了,把结果也贴出来哈. 1.jps 类似ps -ef|grep java 显示java进程号 或者pgrep java2.jstack 打印jvm内存的堆栈信息,打印出来的结果类似 2010-04-21 20:10:51 Full thread du

Java线程池使用和分析(二) - execute()原理

相关文章目录: Java线程池使用和分析(一) Java线程池使用和分析(二) - execute()原理 execute()是 java.util.concurrent.Executor接口中唯一的方法,JDK注释中的描述是“在未来的某一时刻执行命令command”,即向线程池中提交任务,在未来某个时刻执行,提交的任务必须实现Runnable接口,该提交方式不能获取返回值.下面是对execute()方法内部原理的分析,分析前先简单介绍线程池有哪些状态,在一系列执行过程中涉及线程池状态相关的判断

面试 LockSupport.park()会释放锁资源吗?

(手机横屏看源码更方便) 引子 大家知道,我最近在招人,今天遇到个同学,他的源码看过一些,然后我就开始了AQS连环问. 我:说说AQS的大致流程? 他:AQS包含一个状态变量,一个同步队列--balabala--互斥锁balabala,共享锁balabala-- 我:AQS中除了同步队列,还有什么队列? 他:还有个Condition,Condition中有个条件队列-- 我:条件队列和同步队列有什么区别? 他:条件队列balabala,然后调用LockSupport.park()进入休眠,等待被

深入分析 Java I/O 的工作机制--转载

Java 的 I/O 类库的基本架构 I/O 问题是任何编程语言都无法回避的问题,可以说 I/O 问题是整个人机交互的核心问题,因为 I/O 是机器获取和交换信息的主要渠道.在当今这个数据大爆炸时代,I/O 问题尤其突出,很容易成为一个性能瓶颈.正因如此,所以 Java 在 I/O 上也一直在做持续的优化,如从 1.4 开始引入了 NIO,提升了 I/O 的性能.关于 NIO 我们将在后面详细介绍. Java 的 I/O 操作类在包 java.io 下,大概有将近 80 个类,但是这些类大概可以

JAVA并发--LockSupport

LockSupport概览 Basic thread blocking primitives for creating locks and other synchronization classes.用来创建锁及其他同步类的基础线程阻塞原语.这是java doc中的解释,以下是一个先进先出 (first-in-first-out) 非重入锁类的框架. * class FIFOMutex { * private final AtomicBoolean locked = new AtomicBool

LockSupport源码分析

目录 LockSupport源码分析 LockSupport的实现 1. 内部重要的属性: 2. getBlocker(Thread) 与 setBlocker(Thread t, Object arg)源码 3. park的其他几个方法 4. park()/unpark() 与 wait()/notify()区别: LockSupport源码分析 LockSupport是Java6引入的一个工具类, 用于挂起和唤醒线程; LockSupport 通过提供park() 和 unpark() 方法

java并发LockSupport

java并发LockSupport LockSupport是阻塞和唤醒线程的重要类. park()方法使得当前线程阻塞 unpark(Thread thread)唤醒线程 例子 可以把注释取消再执行,就会发现park()方法使得当前线程阻塞会使得main线程阻塞,无法结束. package com.java.javabase.thread.base.concurrent.lock; import lombok.extern.slf4j.Slf4j; import java.util.concur