-
起因
一个朋友问避免死锁,如何实现银行家算法,要么同时拿到所有资源,要么一个不拿等待下次执行。他尝试了synchronized关键字,但并不能同时锁多个资源。 -
实现
之前我也没有实际接触这种场景,想了其他方案,比如按资源顺序获取,但都不能完美解决这个需求。直到仔细阅读Lock接口API。发现tryLock()
方法。好了,就是你了。
/**
* 仅当锁在调用时处于空闲状态时才获取锁。
* 获取锁(如果锁可用)并立即返回true,如果锁不可用返回false
* Acquires the lock only if it is free at the time of invocation.
*
* <p>Acquires the lock if it is available and returns immediately
* with the value {@code true}.
* If the lock is not available then this method will return
* immediately with the value {@code false}.
*/
boolean tryLock();
- 实例
// 定义两个资源
final static Lock notFull = new ReentrantLock();
final static Lock notEmpty = new ReentrantLock();
public void tryGetLock(){
// 尝试同时获取,返回true则执行相应逻辑,只要一个返回false则是失败释放资源
if (notFull.tryLock() && notEmpty.tryLock()){
System.out.println("lock success!");
// todo
}else {
System.out.println("fail!");
if (!notFull.tryLock()){
notFull.unlock();
}
if (!notEmpty.tryLock()){
notEmpty.unlock();
}
}
}