AQS学习:ReentrantLock源码解析

news2024/12/1 0:36:24

前言

多线程知识中理解了ReentrantLock之后,对于整个AQS也会有大概的理解,后面再去看其它锁的源码就会比较容易。下面带大家一块来学习ReentrantLock源码。

概述

ReentrantLock是可重入的互斥锁,虽然具有与synchronized相同功能,但是会比synchronized更加灵活(具有更多的方法)。ReentrantLock底层基于AbstractQueuedSynchronized。有两种锁方式公平锁和非公平锁,公平锁指线程锁定后会进入队列进行排队等待至获得锁的使用权;而非公平锁指线程锁定后会尝试获取锁,如果获取失败则进入等待队列进行排队。

在这里插入图片描述

正文

应用场景

下面有这么一段代码,有10个线程对count进行累加,每个线程累加10000次,那么最终期望的输出值肯定是100000。

 private static  int count = 0;

    private static void inrc() {
       count++;
    }

    public static void main(String[] args) throws InterruptedException {
        for (int i = 0; i < 10; i++) {
            new Thread(() -> {
                for (int a=0;a<10000;a++){
                    inrc();
                }
            }).start();
        }
        TimeUnit.SECONDS.sleep(3);
        System.out.println(count);
    }
    

不加锁的情况,输出会不符合我们的预期。

在这里插入图片描述

使用ReentrantLock加锁。

    private static Lock lock = new ReentrantLock();

    private static  int count = 0;

    private static void inrc() {
        try {
            //加锁
            lock.lock();
            count++;
        } catch (Exception e) {
            e.printStackTrace();
        }finally {
            lock.unlock();
        }
    }

    public static void main(String[] args) throws InterruptedException {
        for (int i = 0; i < 10; i++) {
            new Thread(() -> {
                for (int a=0;a<10000;a++){
                    inrc();
                }
            }).start();
        }
        TimeUnit.SECONDS.sleep(3);
        System.out.println(count);
    }

输出结果:符合预期

在这里插入图片描述

NonfairSync:lock方法

ReentrantLock默认为非公平锁,从其构造方式中可以看出。

    public ReentrantLock() {
        sync = new NonfairSync();
    }

下面我们来追踪ReentrantLock的lock()方法,由于默认为非公平锁,所以当我们调用lock方法时,实际调用的是NonfairSync的lock方法

    public void lock() {
        sync.lock();
    }

        final void lock() {
        	//尝试通过CAS修改state值,如果此时成功的修改了state的值为1,则证明竞争到了锁资源
            if (compareAndSetState(0, 1))
            		//将线程占用者属性设置为当前线程
                setExclusiveOwnerThread(Thread.currentThread());
            else
            		//如果占用失败,则再次尝试,如果还失败则会加入队列进行等待
                acquire(1);
        }

由于是非公平锁,所以进入该方法时,会先尝试获取锁资源,通过CAS(可以保证原子性,即线程安全)设置state值为1,如果成功设置则是拿到了资源,否则调用acquire方法进行尝试。如果是公平锁的话直接调用acquire()方法;

AQS:acquire方法

    public final void acquire(int arg) {
    //tryAcquire(arg):再次尝试获取锁资源
    //addWaiter(Node.EXCLUSIVE):前面的判断如果获取不到锁资源,则将添加当前线程到队列中进行等待
    //acquireQueued:自旋尝试获取锁资源
    //selfInterrupt():如果当前线程的状态被打断了,则将当前线程打断掉(只有当前线程有权限打断自己所在线程)
        if (!tryAcquire(arg) &&
            acquireQueued(addWaiter(Node.EXCLUSIVE), arg))
            selfInterrupt();
    }

1、tryAcquire(arg):这里会再次尝试是否能获取到锁资源,有可能当前拥有锁资源的线程就是自己所在的线程,那么这时候是支持锁重入的。

2、acquireQueued(addWaiter(Node.EXCLUSIVE), arg)):添加当前线程到队列中,并以自旋的方式尝试获取锁资源。

3、selfInterrupt():当前线程的状态如果为打断状态,则将当前线程打断掉(只有当前线程有权限打断自己所在线程)

NonfairSync: tryAcquire方法

        protected final boolean tryAcquire(int acquires) {
            return nonfairTryAcquire(acquires);
        }
        final boolean nonfairTryAcquire(int acquires) {
        	 //获取当前线程
            final Thread current = Thread.currentThread();
            //获取state的状态看是否被占有
            int c = getState();
            //如果为0,则代表当前为被占有
            if (c == 0) {
            		//通过CAS方式尝试修改其值进行资源占用
                if (compareAndSetState(0, acquires)) {
                	 //成功则将当前线程为资源拥有者
                    setExclusiveOwnerThread(current);
                    return true;
                }
            }
            //判断资源拥有者与当前线程是否是同个,如果是则将state值进行累加,达到可重入的目的
            else if (current == getExclusiveOwnerThread()) {
                int nextc = c + acquires;
                if (nextc < 0) // overflow
                    throw new Error("Maximum lock count exceeded");
                setState(nextc);
                return true;
            }
            return false;
        }

AQS:addWaiter方法

AQS中的队列结构为双向链表结构,每个节点为node对象,该对象拥有前置节点、后置节点属性;

    private Node addWaiter(Node mode) {
    		//将当前线程封装成node
        Node node = new Node(Thread.currentThread(), mode);
        // Try the fast path of enq; backup to full enq on failure
        //判断链表的尾部节点是否为空,如果为空则证明整个队列没有值
        Node pred = tail;
        if (pred != null) {
        	 //设置当前节点的前置节点
            node.prev = pred;
            //通过CAS的方式将当前节点与上个节点关联起来。通过CAS保证线程安全
            if (compareAndSetTail(pred, node)) {
                pred.next = node;
                return node;
            }
        }
        enq(node);
        return node;
    }

AQS: acquireQueued方法

    final boolean acquireQueued(final Node node, int arg) {
        boolean failed = true;
        try {
            boolean interrupted = false;
            //死循环
            for (;;) {
            		//获取当前线程节点在队列中的前一个线程节点
                final Node p = node.predecessor();
                //判断其是否处于队列头部位置,如果是则代表快轮到自己了,进行尝试获取资源
                if (p == head && tryAcquire(arg)) {
                    setHead(node);
                    p.next = null; // help GC
                    failed = false;
                    return interrupted;
                }
                //判断当前线程的状态是否为等待中,如果是则返回true,不是则将状态设置为等待状态
                if (shouldParkAfterFailedAcquire(p, node) &&
                		//阻塞并返回当前线程是否被打断标识
                    parkAndCheckInterrupt())
                    interrupted = true;
            }
        } finally {
            if (failed)
                cancelAcquire(node);
        }
    }

AQS:shouldParkAfterFailedAcquire方法

    private static boolean shouldParkAfterFailedAcquire(Node pred, Node node) {
        int ws = pred.waitStatus;
        //如果上个节点处于等待状态,则代表当前的线程可以进行阻塞,因为上个线程都没获取资源,肯定不会轮到自己的,可以安心阻塞
        if (ws == Node.SIGNAL)
            /*
             * This node has already set status asking a release
             * to signal it, so it can safely park.
             */
            return true;
        //状态大于0,证明上个线程取消了,需要从队列中往前查一个未取消的
        if (ws > 0) {
            /*
             * Predecessor was cancelled. Skip over predecessors and
             * indicate retry.
             */
            do {
                node.prev = pred = pred.prev;
            } while (pred.waitStatus > 0);
            pred.next = node;
        } else {
            /*
             * waitStatus must be 0 or PROPAGATE.  Indicate that we
             * need a signal, but don't park yet.  Caller will need to
             * retry to make sure it cannot acquire before parking.
             */
             //将当前节点设置为等待状态
            compareAndSetWaitStatus(pred, ws, Node.SIGNAL);
        }
        return false;
    }

AQS:parkAndCheckInterrupt

    private final boolean parkAndCheckInterrupt() {
        LockSupport.park(this);
        return Thread.interrupted();
    }
   public static void park(Object blocker) {
        Thread t = Thread.currentThread();
        setBlocker(t, blocker);
        //调用park方法进行阻塞,这样调用的是native方法,即调用内核态库中的函数
        UNSAFE.park(false, 0L);
        setBlocker(t, null);
    }

AQS:cancelAcquire方法

    private void cancelAcquire(Node node) {
        // Ignore if node doesn't exist
        if (node == null)
            return;
			 //将当前线程置为null,方便gc
        node.thread = null;

        // Skip cancelled predecessors
        //获取上个节点
        Node pred = node.prev;
        while (pred.waitStatus > 0)
            node.prev = pred = pred.prev;

        // predNext is the apparent node to unsplice. CASes below will
        // fail if not, in which case, we lost race vs another cancel
        // or signal, so no further action is necessary.
        Node predNext = pred.next;

        // Can use unconditional write instead of CAS here.
        // After this atomic step, other Nodes can skip past us.
        // Before, we are free of interference from other threads.
        //将线程状态设置为取消
        node.waitStatus = Node.CANCELLED;

        // If we are the tail, remove ourselves.
        //如果当前线程位于队列的最后一个位置,由于取消了,所以要将上个队列位置的线程置为尾部
        if (node == tail && compareAndSetTail(node, pred)) {
            compareAndSetNext(pred, predNext, null);
        } else {
            // If successor needs signal, try to set pred's next-link
            // so it will get one. Otherwise wake it up to propagate.
            
            int ws;
            //这一步只要将上个线程与下个线程进行关联,移除当前线程在队列的位置
            if (pred != head &&
                ((ws = pred.waitStatus) == Node.SIGNAL ||
                 (ws <= 0 && compareAndSetWaitStatus(pred, ws, Node.SIGNAL))) &&
                pred.thread != null) {
                Node next = node.next;
                if (next != null && next.waitStatus <= 0)
                    compareAndSetNext(pred, predNext, next);
            } else {
            		//释放下一个线程阻塞状态
                unparkSuccessor(node);
            }

            node.next = node; // help GC
        }
    }

AQS:unparkSuccessor

    private void unparkSuccessor(Node node) {
        /*
         * If status is negative (i.e., possibly needing signal) try
         * to clear in anticipation of signalling.  It is OK if this
         * fails or if status is changed by waiting thread.
         */
        int ws = node.waitStatus;
        if (ws < 0)
            compareAndSetWaitStatus(node, ws, 0);

        /*
         * Thread to unpark is held in successor, which is normally
         * just the next node.  But if cancelled or apparently null,
         * traverse backwards from tail to find the actual
         * non-cancelled successor.
         */
        Node s = node.next;
        if (s == null || s.waitStatus > 0) {
            s = null;
            for (Node t = tail; t != null && t != node; t = t.prev)
                if (t.waitStatus <= 0)
                    s = t;
        }
        if (s != null)
        		//释放线程的阻塞状态
            LockSupport.unpark(s.thread);
    }

NonfairSync:unlock方法

通过前面的步骤,我们知道处于队列中的线程都处于阻塞状态,持有资源的线程执行完之后,需要调用unlock方法将队列中的下一个线程唤醒,并将自己从队列中进行移除。

    public void unlock() {
        sync.release(1);
    }

AQS:release方法

    public final boolean release(int arg) {
    		//判断是否能释放,因为ReentrantLock是重入锁,每次重入时state会加1,所以如果state-1不等于0的话,需要多次的unlock才能达到释放资源。比如同个线程中调用了两次lock,需要调用两次unlock才能释放资源。
        if (tryRelease(arg)) {
            Node h = head;
            if (h != null && h.waitStatus != 0)
            		//将下个节点唤醒
                unparkSuccessor(h);
            return true;
        }
        return false;
    }

ReentrantLock:tryRelease方法

        protected final boolean tryRelease(int releases) {
        		//将state减一
            int c = getState() - releases;
            if (Thread.currentThread() != getExclusiveOwnerThread())
                throw new IllegalMonitorStateException();
            boolean free = false;
            //如果为0释放资源
            if (c == 0) {
                free = true;
                setExclusiveOwnerThread(null);
            }
            //不为0,证明之前有过重入的情况,需要等该线程的所有unlock方法执行完毕后,state等于0才能释放
            setState(c);
            return free;
        }

AQS:unparkSuccessor方法

    private void unparkSuccessor(Node node) {
        /*
         * If status is negative (i.e., possibly needing signal) try
         * to clear in anticipation of signalling.  It is OK if this
         * fails or if status is changed by waiting thread.
         */
        int ws = node.waitStatus;
        //将当前线程状态设置为0
        if (ws < 0)
            compareAndSetWaitStatus(node, ws, 0);

        /*
         * Thread to unpark is held in successor, which is normally
         * just the next node.  But if cancelled or apparently null,
         * traverse backwards from tail to find the actual
         * non-cancelled successor.
         */
         //查找下个节点,状态不为取消的
        Node s = node.next;
        if (s == null || s.waitStatus > 0) {
            s = null;
            for (Node t = tail; t != null && t != node; t = t.prev)
                if (t.waitStatus <= 0)
                    s = t;
        }
        if (s != null)
        		//唤醒
            LockSupport.unpark(s.thread);
    }

总结

下面画了流程图,帮助大家更好的理解。

非公平锁

在这里插入图片描述

公平锁

在这里插入图片描述

解锁

在这里插入图片描述

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

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

相关文章

App.vue中读取不到路由的信息

问题&#xff1a; ​ 首先定义了一个路由&#xff0c;并且在路由元里面存储了一个变量&#xff0c;在App.vue里面访问这个变量的时候却显示undefined&#xff01;在路由对应的组件中却能访问到&#xff01; 定义的路由元信息&#xff1a; 为啥访问不到…,懵逼的我在App.vue里…

宝塔面板公网ip非80端口非443端口部署ssl

有不少人使用家用宽带&#xff0c;虽然申请下来了公网ip&#xff0c;但是运营商封了80与443端口&#xff0c;但仍想使用ssl证书 一、仅封80端口 1、先在宝塔面板里创建网站&#xff0c;域名为test.xxx.cn:8085 2、再到域名运营商做A记录解析&#xff0c;此时可以通过http://…

不同语言下的定时器,你都掌握了吗?

我们大家都对定时器不陌生&#xff0c;无论是现实中还是项目中&#xff0c;都离不开定时。在现实中&#xff0c;它叫闹钟&#xff0c;在项目上&#xff0c;它叫定时器&#xff0c;即定时触发某件事情。它能帮助我们在某一个既定的时间节点上&#xff0c;来提醒我们做一些事情&a…

Markdown基本语法简介

前言&#xff1a;当你在git平台创建一个仓库时&#xff0c;平台会自动创建一个README.md文件&#xff0c;并将它的内容展现在web端页面&#xff0c;方面其他读者查阅。README.md实则是一个适用Markdown语法的文本文件&#xff0c;从他的后缀md即可看出它是Markdown的缩写。在gi…

实战:kubeadm方式搭建k8s集群(k8s-v1.22.2,containerd-v1.5.5)-2023.2.22(测试成功)

实验环境 1、硬件环境 3台虚机 2c2g,20g。(nat模式&#xff0c;可访问外网) 角色主机名ipmaster节点master1172.29.9.51node节点node1172.29.9.52node节点node2172.29.9.53 2、软件环境 软件版本操作系统centos7.6_x64 1810 mini(其他centos7.x版本也行)containerdv1.5.5ku…

【项目】DTO、VO以及PO之间的关系和区别

【项目】DTO、VO以及PO之间的关系和区别 文章目录【项目】DTO、VO以及PO之间的关系和区别1.概念2. 作用1.概念 DTO&#xff1a;DTO是 Data Transfer Object 的缩写&#xff0c;也叫数据传输对象。 PO&#xff1a;PO是 Persistent Object 的缩写&#xff0c;也叫持久化对象。 …

Java 集合 --- HashMap的底层原理

Java 集合 --- HashMap的底层原理HashMap的下标计算计算步骤为什么要 h ^ (h >>> 16)为什么数组长度必须是2^nHashMap的树化HashMap的扩容HashMap的put流程HashMap的线程安全问题HashMap的下标计算 计算步骤 第一步: 计算hash值 将h 和 h右移十六位的结果 进行XOR操…

Java的dump文件分析及JProfiler使用

Java的dump文件分析及JProfiler使用 1 dump文件介绍 从软件开发的角度上&#xff0c;dump文件就是当程序产生异常时&#xff0c;用来记录当时的程序状态信息&#xff08;例如堆栈的状态&#xff09;,用于程序开发定位问题。 idea配置发生OOM的时候指定路径生成dump文件 # 指定…

关于upstream的八种回调方法

1 creat_request调用背景&#xff1a;用于创建自己模板与第三方服务器的第一次连接步骤1&#xff09; 在Nginx主循环&#xff08;ngx_worker_process_cycle方法&#xff09; 中&#xff0c;会定期地调用事件模块&#xff0c; 以检查是否有网络事件发生。2&#xff09; 事件模块…

智慧校园平台源码 智慧教务 智慧电子班牌系统

系统介绍 智慧校园系统是通过信息化手段,实现对校园内各类资源的有效集成 整合和优化&#xff0c;实现资源的有效配置和充分利用&#xff0c;将校务管理过程的优化协调。为校园提供数字化教学、数字化学习、数字化科研和数字化管理。 致力于为家长和教师提供一个全方位、多层…

ChatGPT的出现网络安全专家是否会被替代?

ChatGPT的横空出世&#xff0c;在业界掀起了惊涛骇浪。很多人开始担心&#xff0c;自己的工作岗位是否会在不久的将来被ChatGPT等人工智能技术所取代。网络安全与先进技术发展密切相关&#xff0c;基于人工智能的安全工具已经得到很多的应用机会&#xff0c;那么未来是否更加可…

关于表格表头和第一列固定

主要是使用黏性布局 position: sticky; top: 0;//left:0; 来实现 给test-table一个固定的宽和高 然后trauma-table开启inline-flex布局&#xff08;注意不能用flex布局 否则 trauma-table的宽度不能被子元素撑起来 会滚动到一定宽度后吸左侧的效果就没有了&#xff09;&am…

Spring 用到了哪些设计模式

关于设计模式&#xff0c;如果使用得当&#xff0c;将会使我们的代码更加简洁&#xff0c;并且更具扩展性。本文主要讲解Spring中如何使用策略模式&#xff0c;工厂方法模式以及Builder模式。1. 策略模式关于策略模式的使用方式&#xff0c;在Spring中其实比较简单&#xff0c;…

【每日一题】缓存穿透、缓存击穿、缓存雪崩及解决方案

前些天发现了一个巨牛的人工智能学习网站&#xff0c;通俗易懂&#xff0c;风趣幽默&#xff0c;忍不住分享一下给大家。点击跳转到网站。 当下ChatGPT很火&#xff0c;让人心痒痒想试一试好不好用&#xff0c;因此我就试着借它写一篇文章&#xff0c;但是试了几次最终还是没有…

电子技术——负反馈特性

电子技术——负反馈特性 本节我们进一步深入介绍负反馈特性。 增益脱敏性 假设 β\betaβ 是一个常数。考虑下面的微分方程&#xff1a; dAfdA(1Aβ)2dA_f \frac{dA}{(1 A\beta)^2} dAf​(1Aβ)2dA​ 将上式除以 AfA1AβA_f \frac{A}{1A\beta}Af​1AβA​ 得到&#xff1…

LDAP使用docker安装部署与使用

一、准备工作本地或者服务器中安装dockerapt update apt install -y docker.io systemctl restart docker将openLDAP的docker镜像拉取到本地。镜像拉取命令&#xff1a;docker pull osixia/openldap将openLDAP的可视化管理工具phpldapadmin的镜像拉取到本地。镜像拉取命令&am…

来香港一年的感悟与随笔

再过三周&#xff0c;来港就满一年了。 人生就是这样&#xff0c;有时候很微妙&#xff1a;在小木虫看到老板的信息&#xff0c;两封邮件一次面试&#xff0c;我就来香港了。 这一年里的感悟和变化&#xff0c;主要在对科学研究的认识以及对人生与选择的感悟和回顾这两个方面。…

GUI可视化应用开发及Python实现

0 建议学时 4学时&#xff0c;在机房进行 1 开发环境安装及配置 1.1 编程环境 安装PyCharm-community-2019.3.3 安装PyQt5 pip install PyQt5-tools -i https://pypi.douban.com/simple pip3 install PyQt5designer -i https://pypi.douban.com/simple1.2 环境配置 选择“…

Elasticsearch集群内存占用高?用这招!

一、freeze index冻结索引介绍 Elasticsearch为了能够实现高效快速搜索&#xff0c;在内存中维护了一些数据结构&#xff0c;当索引的数量越来越多&#xff0c;那么这些数据结构所占用的内存也会越来越大&#xff0c;这是一个不可忽视的损耗。 在实际的业务开展过程中&#x…

实战——缓存的使用

文章目录前言概述实践一、缓存数据一致1.更新缓存类2.删除缓存类二、项目实践&#xff08;商城项目&#xff09;缓存预热双缓存机制前言 对于我们日常开发的应用系统。由于MySQL等关系型数据库读写的并发量是有一定的上线的&#xff0c;当请求量过大时候那数据库的压力一定会上…