java 阻塞锁_Java实现锁、公平锁、读写锁、信号量、阻塞队列、线程池等常用并发工具...

锁的实现

锁的实现其实很简单,主要使用Java中synchronized关键字。

public class Lock {

private volatile boolean isLocked = false;

private Thread lockingThread = null;

public synchronized void lock() throws InterruptedExpection {

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();

}

}

公平锁的实现

上面的锁的实现严格意义上说是会存在线程饥饿现象的(也就是说在多线程竞争的条件下,存在一种极端情况,即某个线程一直阻塞在锁上,永远都是其他线程被优先唤醒,导致自己得不到执行)。下面是公平锁的实现:

/**

* @Author: Jeysin

* @Date: 2019/4/16 12:16

* @Desc: 公平锁的实现,不会存在线程饿死现象。

* 实现原理:每个线程在不同的对象上调用wait方法,Lock类可以决定调用哪个对象的notify方法,所以可以做到唤醒特定的线程

*/

public class FairLock {

private volatile boolean isLocked = false;

private Thread lockingThread = null;

private List waitingThreads = new ArrayList();

public void lock() throws InterruptedException{

QueueObject queueObject = new QueueObject();//首先给每个要加锁的线程new一个QueueObject对象

boolean isLockedForThisThread = true;

synchronized (this){

waitingThreads.add(queueObject);//将这个对象添加到链表里,注意用synchronize关键字做并发控制

}

while(isLockedForThisThread){

synchronized (this) {

//判断一下当前锁是否没有被占用,并且判断当前线程对应的QueueObject是否是链表中的第一个(因为默认链表中第一个线程首先获得锁)

isLockedForThisThread = isLocked || waitingThreads.get(0) != queueObject;

if (!isLockedForThisThread) {

isLocked = true;

waitingThreads.remove(queueObject);

lockingThread = Thread.currentThread();

return;//链表中第一个线程加锁成功后从链表中移除自身对应的QueueObject对象,并从这条语句返回

}

}

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();//默认唤醒链表中第一个对象对应的线程,达到公平的目的

}

}

}

/**

* @Author: Jeysin

* @Date: 2019/4/16 12:20

* @Desc:

*/

public 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 obj) {

return this == obj;

}

}

读写锁的实现

还记得秋招面试美团的时候,二面面试官的第一道编程题就是实现一个读写锁,当时不会Java,用C++写的,还记得当时用的是Linux下的pthread_mutex(也就是互斥量),耗了半个小时死活没有实现出一个读写锁,感觉怎么写都不对,都有点怀疑人生了,毫无疑问那场面试挂掉了。当时我就在想,肯定是一开始思路就错了,pthread_mutex虽然也可以实现一个锁的功能,但是离实现读写锁还是差了太远,一个pthread_mutex肯定是不行的(甚至用两个也不行,别问我是怎么知道的,我在那半个小时的面试里尝试了无数次最后还是不行)。直到最近看了Java版本的一个实现,synchronized加上wait和notify完美解决问题,我才意识到果然是一开始思路就错了,也许当时我用一个pthread_mutex和一个pthread_cond就可以解决问题。现在想来,要实现一个读写锁最关键的地方要有线程的唤醒机制,notify可以做到,pthread_cond也可以做到,但是光用pthread_mutex是不可能做到的。啥也不说了,Java大法好。

/**

* @Author: Jeysin

* @Date: 2019/4/16 22:01

* @Desc: 不可重入的读写锁实现

*/

public class ReadWriteLock {

private volatile int readers = 0;

private volatile int writers = 0;

private volatile int writeRequests = 0;

public synchronized void lockRead() throws InterruptedException{

while(writers > 0 || writeRequests > 0){

this.wait();

}

++readers;

}

public synchronized void unlockRead(){

--readers;

this.notifyAll();

}

public synchronized void lockWrite() throws InterruptedException{

++writeRequests;

while(readers > 0 || writers > 0){

wait();

}

--writeRequests;

++writers;

}

public synchronized void unlockWrite(){

--writers;

notifyAll();

}

}

顺带附上一个可重入版本的读写锁实现:

/**

* @Author: Jeysin

* @Date: 2019/4/16 22:33

* @Desc: 可重入读写锁的实现

*/

public class ReentrantReadWriteLock {

private Map readingThreadsMap = new HashMap();

private volatile int writers = 0;

private volatile int writeRequests = 0;

private volatile Thread writingThread = null;

public synchronized void lockRead() throws InterruptedException{

Thread callingThread = Thread.currentThread();

while(!canGrantReadAccess(callingThread)){

wait();

}

readingThreadsMap.put(callingThread,getAccessCount(callingThread) + 1);

}

public synchronized void unlockRead(){

Thread callingThread = Thread.currentThread();

int count = getAccessCount(callingThread);

if(count == 1){

readingThreadsMap.remove(callingThread);

}else {

readingThreadsMap.put(callingThread, count-1);

}

notifyAll();

}

public synchronized void lockWrite() throws InterruptedException{

++writeRequests;

Thread callingThread = Thread.currentThread();

while(!canGrantWriteAccess(callingThread)){

wait();

}

--writeRequests;

++writers;

writingThread = callingThread;

}

public synchronized void unlockWrite(){

--writers;

if(writers == 0){

writingThread = null;

}

notifyAll();

}

private boolean canGrantWriteAccess(Thread callingThread){

if(readingThreadsMap.size() > 0){

return false;

}

if(writers > 0 && writingThread != callingThread){

return false;

}

return true;

}

private boolean canGrantReadAccess(Thread callingThread){

if(writers > 0){

return false;

}

if(readingThreadsMap.get(callingThread) != null){

return true;

}

if(writeRequests > 0){

return false;

}

return true;

}

private Integer getAccessCount(Thread callingThread){

Integer count = readingThreadsMap.get(callingThread);

if(count == null){

return 0;

}

return count;

}

}

信号量

信号量的实现同样也可以借用synchronized关键字,不得不说,synchronized大法好啊~

/**

* @Author: Jeysin

* @Date: 2019/4/18 15:16

* @Desc: 信号量的实现

*/

public class Semaphore {

private volatile boolean signal = false;

public synchronized void take(){

this.signal = true;

this.notify();

}

public synchronized void release() throws InterruptedException{

while(!this.signal){

wait();

}

this.signal = false;

}

}

/**

* @Author: Jeysin

* @Date: 2019/4/18 15:21

* @Desc: 有上限的信号量的实现

*/

public class BoundedSemaphore {

private volatile int signal = 0;

private volatile int bound = 0;

public BoundedSemaphore(int bound){

this.bound = bound;

}

public synchronized void take() throws InterruptedException{

while(this.signal == this.bound){

wait();

}

++signal;

notify();

}

public synchronized void release() throws InterruptedException{

while(signal == 0){

wait();

}

--signal;

notify();

}

}

阻塞队列

/**

* @Author: Jeysin

* @Date: 2019/4/18 15:43

* @Desc: 阻塞队列的实现

*/

public class BlockQueue {

private List queue = new LinkedList();

private volatile int limit = 10;

public BlockQueue(int limit){

this.limit = limit;

}

public synchronized void enqueue(Object object) throws InterruptedException{

while(this.queue.size() > limit){

wait();

}

if(this.queue.size() == 1){

notifyAll();

}

queue.add(object);

}

public synchronized Object dequeue() throws InterruptedException{

while(this.queue.size() == 0){

wait();

}

if(this.queue.size() == limit){

notifyAll();

}

return this.queue.remove(0);

}

}

线程池

有了阻塞队列,线程池的实现就很简单了

/**

* @Author: Jeysin

* @Date: 2019/4/18 16:07

* @Desc: 线程池的实现

*/

public class ThreadPool {

private BlockingQueue taskQueue = null;

private List threads = new ArrayList();

private volatile boolean isStopped = false;

public ThreadPool(int threadNums, int maxTaskNums){

this.taskQueue = new LinkedBlockingQueue(maxTaskNums);

for(int i=0; i

threads.add(new PoolThread(taskQueue));

}

for(PoolThread poolThread : threads){

poolThread.start();

}

}

public synchronized void execute(Runnable task){

if(this.isStopped){

throw new IllegalStateException("Thread pool is stopped");

}

this.taskQueue.add(task);

}

public synchronized void stop(){

this.isStopped = true;

for(PoolThread poolThread : threads){

poolThread.toStop();

}

}

}

/**

* @Author: Jeysin

* @Date: 2019/4/18 16:09

* @Desc:

*/

public class PoolThread extends Thread {

private BlockingQueue taskQueue = null;

private volatile boolean isStopped = false;

public PoolThread(BlockingQueue queue){

this.taskQueue = queue;

}

@Override

public void run() {

while(!isStopped){

try{

Runnable runnable = taskQueue.take();

runnable.run();

}catch (Exception e){

e.printStackTrace();

}

}

}

public synchronized void toStop(){

isStopped = true;

this.interrupt();

}

}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/349380.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

flask-mail异步发送邮件_SpringBoot 2.0 集成 JavaMail ,实现异步发送邮件

一、JavaMail的核心API1、API功能图解2、API说明(1)、Message 类:javax.mail.Message 类是创建和解析邮件的一个抽象类子类javax.mail.internet.MimeMessage :表示一份电子邮件。 发送邮件时,首先创建出封装了邮件数据的 Message 对象, 然后把…

Java 9中什么是私有的?

在进行面试时,我发现大多数应聘者都不知道Java中的private修饰符真正意味着什么。 他们知道一些足以进行日常编码的事情,但还远远不够。 这不成问题。 足够了解就足够了。 但是,了解Java的一些内部工作仍然很有趣。 在极少数情况下&#xff0…

python国际象棋ai程序_用Python编写一个国际象棋AI程序

最近我用Python做了一个国际象棋程序并把代码发布在Github上了。这个代码不到1000行,大概20%用来实现AI。在这篇文章中我会介绍这个AI如何工作,每一个部分做什么,它为什么能那样工作起来。你可以直接通读本文,或者去下载代码&…

java switch case怎么判断范围_【转】Java期末复习攻略!

期末19年就这样要过去了,终于到了小时候作文里的未来呢!然而,期末考试也随之来临了。不知大家“预习”的怎么样呢? 期末复习资料的放送快接近尾声了下面康康学长学姐们怎么教你们打java这个boss(下面是java大佬给大家的复习建议以…

java list 去重复元素_java List去掉重复元素的几种方式

使用LinkedHashSet删除arraylist中的重复数据(有序)List words Arrays.asList("a","b","b","c","c","d");HashSet setnew LinkedHashSet<>(words);for(String word:set){System.out.println(word);}使用Has…

spring aop示例_Spring JpaRepository示例(内存中)

spring aop示例这篇文章描述了一个使用内存中HSQL数据库的简单Spring JpaRepository示例。 该代码示例可从GitHub的Spring-JpaRepository目录中获得。 它基于带有注释的Spring-MVC-示例和此处提供的信息 。 JPA资料库 在此示例中&#xff0c;我们实现了一个虚拟bean&#xff1…

python人工智能入门优达视频_机器学习:优达教你搭建Python 环境的正确姿势

原标题&#xff1a;机器学习:优达教你搭建Python 环境的正确姿势为机器学习搭建好 Python 环境听起来简单&#xff0c;但有时候坑还不少。如果此前没有配置过类似的环境&#xff0c;很可能会苦苦折腾各种命令好几个小时。可是我明明只是想马上搞起来我的机器学习&#xff01; 在…

java web登录状态保持_java web用于保持状态的4种方法

方法一&#xff1a;网址重写通过在url地址后面添加若干的token作为查询字符串来实现。token的值一般为 键值url?key1value1&key2value2&...&keynvaluenurl与token之间需要用?分开&#xff0c;两个token之间则是需要用一个&符号隔开。此方法适用于token不需要…

python天天向上续2_2019/2/12 Python今日收获

Python day12——025&#xff0c;026字典&#xff1a;当索引不好用时 1.字典&#xff1a;python唯一的一个映射类型。用键值对存储数据&#xff0c;他的标志是大括号。一个键值组合叫一个项。键的类型既可以是字符串类型也可以是整形也可以是浮点型。 如&#xff1a;dict{1:one…

python生成矩阵_如何在Python中生成矩阵?

你的问题的答案取决于你的学习目标是什么。如果您试图让矩阵“点击”以便以后使用它们&#xff0c;我建议您查看一个Numpyarray&#xff0c;而不是一个列表列表。这将使您可以轻松地分割行、列和子集。只要试着从列表中获取一个列&#xff0c;你就会感到沮丧。 使用列表列表作为…

java ee cdi_Java EE CDI ConversationScoped示例

java ee cdi在本教程中&#xff0c;我们将向您展示如何在Web应用程序中创建和使用ConversationScoped Bean。 在CDI中&#xff0c;bean是定义应用程序状态和/或逻辑的上下文对象的源。 如果容器可以根据CDI规范中定义的生命周期上下文模型来管理其实例的生命周期&#xff0c;则…

js input 自动换行_深入Slate.js - 拯救 ContentEditble

我们是钉钉的文档协同团队&#xff0c;我们在做一些很有意义的事情&#xff0c;其中之一就是自研的文字编辑器。为了把自研文字编辑器做好&#xff0c;我们调研了开源社区各种优秀编辑器&#xff0c;Slate.js 是其中之一&#xff08;实际上&#xff0c;自研文字编辑器前&#x…

java main 如何不退出_为什么java main主线程退出了子线程还能运行;golang main结束所有协程都被结束了...

最近看golang main函数结束&#xff0c;所有协程都被结束了结论是这样&#xff1a;A不是main程的情况下&#xff0c;在A程里开启B程&#xff0c;A程执行完&#xff0c;A程return之后&#xff0c;B程不受影响&#xff0c;不会挂掉。所有子协程与main程同级的&#xff0c;与main程…

安全点

安全点 Java应用程序中有两个逻辑线程组&#xff1a; 应用程序线程执行应用程序逻辑 执行GC的线程 在执行诸如堆压缩之类的操作时&#xff0c;GC线程会四处移动一些对象&#xff0c;并且这些对象不能被任何应用程序线程使用&#xff0c;因为它们的物理位置可能会发生变化。 …

printf 地址_C程序显示主机名和IP地址

查找本地计算机的主机名和IP地址的方法有很多。这是使用C程序查找主机名和IP地址的简单方法。我们将使用以下功能&#xff1a;gethostname() &#xff1a;gethostname函数检索本地计算机的标准主机名。gethostbyname() &#xff1a;gethostbyname函数从主机数据库中检索与主机名…

java 定义变量时 赋值与不赋值_探究Java中基本类型和部分包装类在声明变量时不赋值的情况下java给他们的默认赋值...

探究Java中基本类型和部分包装类在声明变量时不赋值的情况下java给他们的默认赋值当基本数据类型作为普通变量(八大基本类型&#xff1a; byte,char,boolean,short,int,long,float,double)只有开发人员对其进行初始化&#xff0c;java不会对其进行初始化&#xff0c;如果不初始…

python开发的系统有哪些_Python web开发=几个模板系统的性能对比

Python web 开发&#xff1a;几个模板系统的性能对比 对比目标&#xff0c; jinja2 &#xff0c; cheetah &#xff0c; mako &#xff0c; webpy &#xff0c; bottle &#xff0c; tornado &#xff0c; django 的性能。 方法&#xff0c; 随机生成一个二维数组&#xff0c; …

java 字符串 移位_使用位运算、值交换等方式反转java字符串-共四种方法

在本文中&#xff0c;我们将向您展示几种在Java中将String类型的字符串字母倒序的几种方法。StringBuilder(str).reverse()char[]循环与值交换byte循环与值交换apache-commons-lang3如果是为了进行开发&#xff0c;请选择StringBuilder(str).reverse()API。出于学习的目的&…

xstream xml模板_XStream – XStreamely使用Java中的XML数据的简便方法

xstream xml模板有时候&#xff0c;我们不得不处理XML数据。 而且大多数时候&#xff0c;这不是我们一生中最快乐的一天。 甚至有一个术语“ XML地狱”描述了程序员必须处理许多难以理解的XML配置文件时的情况。 但是&#xff0c;不管喜欢与否&#xff0c;有时我们别无选择&…

python知识点智能问答_基于知识图谱的智能问答机器人

研究背景及意义 智能问答是计算机与人类以自然语言的形式进行交流的一种方式&#xff0c;是人工智能研究的一个分支。 知识图谱本质上是一种语义网络&#xff0c;其结点代表实体&#xff08;entity&#xff09;或者概念&#xff08;concept&#xff09;&#xff0c;边代表实体/…