Google Guava项目是每个Java开发人员都应该熟悉的库的集合。 Guava库涵盖I / O,集合,字符串操作和并发性。 在这篇文章中,我将介绍Monitor类。 Monitor是一种同步构造,可以在使用ReentrantLock的任何地方使用。 在任何时候,只有一个线程可以占用一个监视器。 Monitor类具有进入和离开操作,这些操作在语义上与ReentrantLock中的锁定和解锁操作相同。 此外,监视器支持在布尔条件下等待。
比较Monitor和ReentrantLock
对于初学者,将Monitor和ReentrantLock进行并排比较会很有帮助。
public class ReentrantLockSample {private List<String> list = new ArrayList<String>();private static final int MAX_SIZE = 10;private ReentrantLock rLock = new ReentrantLock();private Condition listAtCapacity = rLock.newCondition();public void addToList(String item) throws InterruptedException {rLock.lock();try {while (list.size() == MAX_SIZE) {listAtCapacity.await();}list.add(item);} finally {rLock.unlock();}}
}
public class MonitorSample {private List<String> list = new ArrayList<String>();private static final int MAX_SIZE = 10;private Monitor monitor = new Monitor();private Monitor.Guard listBelowCapacity = new Monitor.Guard(monitor) {@Overridepublic boolean isSatisfied() {return (list.size() < MAX_SIZE);}};public void addToList(String item) throws InterruptedException {monitor.enterWhen(listBelowCapacity);try {list.add(item);} finally {monitor.leave();}}
}
从示例中可以看到,两者实际上具有相同数量的代码行。 与ReentrantLock Condition
相比, Monitor
会在Guard
对象周围增加一些复杂性。 但是, Monitor
addToList
方法的清晰度远远不能弥补。 这可能只是我的个人喜好,但我一直发现
while(something==true){condition.await()
}
有点尴尬。
使用指南
应当注意,返回void
enter
方法应始终采用以下形式:
monitor.enter()
try{...work..
}finally{monitor.leave();
}
并enter
返回boolean
方法应类似于:
if(monitor.enterIf(guard)){try{...work..}finally{monitor.leave();}
}else{.. monitor not available..
}
布尔条件
Monitor类上的enter
方法太多,无法有效地完成一篇文章,所以我将挑选我的前三名,然后按照从最小阻塞到最大阻塞的顺序进行介绍。
- tryEnterIf –线程将不等待进入监视器,仅在保护条件返回true时才进入。
- enterIf –线程将等待进入监视器,但前提是保护条件返回true。 还有enterIf方法签名,这些签名允许指定超时以及enterIfInterruptible版本。
- enterWhen –线程将无限期等待监视器和条件返回true,但可以被中断。 同样,也有用于指定超时的选项以及enterWhenUniterruptible版本。
结论
我还没有机会在工作中使用Monitor,但是我可以看到布尔保护条件的粒度有用。 我已经写了一些基本的示例代码和一个随附的单元测试,以演示本文所涵盖的一些功能。 它们在这里可用。 一如既往地欢迎您提出意见/建议。 在我的下一篇文章中,我将介绍Guava并发中的更多内容。
资源资源
- 番石榴项目首页
- 监控器API
- 样例代码
参考资料: Google Guava –我们的JCG合作伙伴 Bill Bejeck在“ 随机编码想法”博客上与Monitor进行了同步 。
翻译自: https://www.javacodegeeks.com/2012/11/google-guava-synchronization-with-monitor.html