一、饥饿
饥饿原因:
- 具有高优先级的线程会从优先级较低的线程中占用所有CPU时间。
- 线程被无限期地阻塞,等待进入同步块,因为其他线程在一直获取到锁,进入同步块。
- 无期限等待线程被唤醒,因为其他线程不断被唤醒而不是它。
二、公平
通过一定的并发结构可以增加线程的公平性。
一种不公平的Lock类实现
public class Lock{
private boolean isLocked = false;
private Thread lockingThread = null;
public synchronized void lock() throws InterruptedException{
while(isLocked){
wait();
}
isLocked = true;
lockingThread = Thread.currentThread();
}
public synchronized void unlock(){
if(this.lockingThread != Thread.currentThread()){
throw new IllegalMonitorStateException(
"Calling thread has not locked this lock");
}
isLocked = false;
lockingThread = null;
notify();
}
}
一种公平的Lock类实现
/**
* 通过一个等待队列实现公平机制。每个调用lock()的线程将会进入等待队列,
* 只有队头的线程被允许锁定FairLock实例。所有其他线程都会等待,直到它们
* 到达队头。
*
* 为每个线程分配一个专门且只用于唤醒它的监控器,可实现唤醒指定线程。
*/
public class FairLock {
/**
* 是否已经被加锁
*/
private boolean isLocked = false;
/**
* 允许执行的线程
*/
private Thread lockingThread = null;
/**
* 等待队列
*/
private List<QueueObject> waitingThreads = new ArrayList<QueueObject>();
public void lock() throws InterruptedException {
QueueObject queueObject = new QueueObject();
//是否锁定当前线程
boolean isLockedForThisThread = true;
synchronized (this) {
waitingThreads.add(queueObject);
}
while (isLockedForThisThread) {
synchronized (this) {
isLockedForThisThread = isLocked || waitingThreads.get(0) != queueObject;
if (!isLockedForThisThread) {
isLocked = true;
waitingThreads.remove(queueObject);
lockingThread = Thread.currentThread();
return;
}
}
try {
queueObject.doWait();
} catch (InterruptedException e) {
synchronized (this) {
waitingThreads.remove(queueObject);
}
throw e;
}
}
}
public synchronized void unlock() {
if (this.lockingThread != Thread.currentThread()) {
throw new IllegalMonitorStateException(
"Calling thread has not locked this lock");
}
isLocked = false;
lockingThread = null;
if (waitingThreads.size() > 0) {
waitingThreads.get(0).doNotify();
}
}
}
/**
* 相当于信号量,用于保存notify信号,避免丢失信号
*/
class QueueObject {
private boolean isNotified = false;
public synchronized void doWait() throws InterruptedException {
while (!isNotified) {
this.wait();
}
this.isNotified = false;
}
public synchronized void doNotify() {
this.isNotified = true;
this.notify();
}
@Override
public boolean equals(Object o) {
return this == o;
}
}
由上述实现可知,公平锁的性能会弱与非公平锁,如果线程执行的时间越长,那么公平锁的额外开销也就相对越低。