LockSupport是用来创建锁和其他同步类的基本线程阻塞原语。
LockSupport中的park() 和 unpark() 的作用分别是阻塞线程和解除阻塞线程,而且park()和unpark()不会遇到“Thread.suspend 和 Thread.resume所可能引发的死锁”问题。
因为park() 和 unpark()有许可的存在;调用 park() 的线程和另一个试图将其 unpark() 的线程之间的竞争将保持活性。
LockSupport函数列表
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
// 返回提供给最近一次尚未解除阻塞的 park 方法调用的 blocker 对象,如果该调用不受阻塞,则返回 null。
static Object getBlocker(Thread t)
// 为了线程调度,禁用当前线程,除非许可可用。
static void park()
// 为了线程调度,在许可可用之前禁用当前线程。
static void park(Object blocker)
// 为了线程调度禁用当前线程,最多等待指定的等待时间,除非许可可用。
static void parkNanos( long nanos)
// 为了线程调度,在许可可用前禁用当前线程,并最多等待指定的等待时间。
static void parkNanos(Object blocker, long nanos)
// 为了线程调度,在指定的时限前禁用当前线程,除非许可可用。
static void parkUntil( long deadline)
// 为了线程调度,在指定的时限前禁用当前线程,除非许可可用。
static void parkUntil(Object blocker, long deadline)
// 如果给定线程的许可尚不可用,则使其可用。
static void unpark(Thread thread)
|
LockSupport示例
对比下面的“示例1”和“示例2”可以更清晰的了解LockSupport的用法。
示例1
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
|
public class WaitTest1 {
public static void main(String[] args) {
ThreadA ta = new ThreadA( "ta" );
synchronized (ta) { // 通过synchronized(ta)获取“对象ta的同步锁”
try {
System.out.println(Thread.currentThread().getName()+ " start ta" );
ta.start();
System.out.println(Thread.currentThread().getName()+ " block" );
// 主线程等待
ta.wait();
System.out.println(Thread.currentThread().getName()+ " continue" );
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
static class ThreadA extends Thread{
public ThreadA(String name) {
super (name);
}
public void run() {
synchronized ( this ) { // 通过synchronized(this)获取“当前对象的同步锁”
System.out.println(Thread.currentThread().getName()+ " wakup others" );
notify(); // 唤醒“当前对象上的等待线程”
}
}
}
}
|
示例2
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
|
import java.util.concurrent.locks.LockSupport;
public class LockSupportTest1 {
private static Thread mainThread;
public static void main(String[] args) {
ThreadA ta = new ThreadA( "ta" );
// 获取主线程
mainThread = Thread.currentThread();
System.out.println(Thread.currentThread().getName()+ " start ta" );
ta.start();
System.out.println(Thread.currentThread().getName()+ " block" );
// 主线程阻塞
LockSupport.park(mainThread);
System.out.println(Thread.currentThread().getName()+ " continue" );
}
static class ThreadA extends Thread{
public ThreadA(String name) {
super (name);
}
public void run() {
System.out.println(Thread.currentThread().getName()+ " wakup others" );
// 唤醒“主线程”
LockSupport.unpark(mainThread);
}
}
}
|
运行结果:
main start ta
main block
ta wakup others
main continue
说明:park和wait的区别。wait让线程阻塞前,必须通过synchronized获取同步锁。
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。