Java AQS CountDownLatch 源码

前言


 相关系列

  • 《Java & AQS & 目录》
  • 《Java & AQS & CountDownLatch & 源码》
  • 《Java & AQS & CountDownLatch & 总结》
  • 《Java & AQS & CountDownLatch & 问题》
     

 涉及内容

  • 《Java & AQS & 总结》
  • 《Java & AQS & CyclicBarrier & 总结》
     
     

源码


/** ORACLE PROPRIETARY/CONFIDENTIAL. Use is subject to license terms.*********************//******* Written by Doug Lea with assistance from members of JCP JSR-166* Expert Group and released to the public domain, as explained at* http://creativecommons.org/publicdomain/zero/1.0/*/package juc;import juc.locks.AbstractQueuedSynchronizer;import java.util.concurrent.TimeUnit;/*** A synchronization aid that allows one or more threads to wait until a set of operations being performed in other threads* completes.* 一个允许一个或更多线程等待直至一套操作在其它线程中执行完成的同步辅助工具。* <p>* A {@code CountDownLatch} is initialized with a given <em>count</em>. The {@link #await await} methods block until the* current count reaches zero due to invocations of the {@link #countDown} method, after which all waiting threads are released* and any subsequent invocations of {@link #await await} return immediately.  This is a one-shot phenomenon -- the count* cannot be reset.  If you need a version that resets the count, consider using a {@link CyclicBarrier}.* 倒数闭锁随指定[总数]初始化。await()方法会阻塞知道当前[总数]由于调用countDown()方法达到0,在这之后所有等待的线程都被* 释放并且随后调用await()方法会立即返回。这是一个单次现象,[总数]无法重置。如果需要一个重置[总数]的版本,考虑使用循环* 栅栏类。* <p>* A {@code CountDownLatch} is a versatile synchronization tool and can be used for a number of purposes.  A* {@code CountDownLatch} initialized with a count of one serves as a simple on/off latch, or gate: all threads invoking* {@link #await await} wait at the gate until it is opened by a thread invoking {@link #countDown}.  A {@code CountDownLatch}* initialized to <em>N</em> can be used to make one thread wait until <em>N</em> threads have completed some action, or some* action has been completed N times.* 倒数闭锁是一个多功能同步工具,并且可以使用目标数字(即人为设置[总数])。一个倒数闭锁随着[总数]初始化充当一个简单的开/* 关闭锁或阀门:所有线程调用await()方法在阀门处等待直至通过一个线程调用countDown()方法打开。倒数闭锁随着N初始化可以令一* 个线程等待直至N条线程完成一些行为,或一个行为已经完成N次。* <p>* A useful property of a {@code CountDownLatch} is that it doesn't require that threads calling {@code countDown} wait for the* count to reach zero before proceeding, it simply prevents any thread from proceeding past an {@link #await await} until all* threads could pass.* 倒数闭锁的有用特性是它不要求调用countDown()方法的线程在开始行动之前为了[总数]达到0而等待,它只是防止任何线程执行await()* 后(的代码),直到所有线程都可以通过(即不阻止任务本身的执行,只是阻止任务结束后继续向下运行,直到所有的线程都可以向下* 通过)。* <p>* <b>Sample usage:</b> Here is a pair of classes in which a group of worker threads use two countdown latches:* 用法样例:这是一对类在一组工作者中线程使用倒数闭锁:* <ul>* <li>The first is a start signal that prevents any worker from proceeding until the driver is ready for them to proceed;* 第一个是一个防止任意工作者执行直到驱动已准备好执行的开始信号;* <li>The second is a completion signal that allows the driver to wait until all workers have completed.* 第二是允许驱动等待直至所有工作已完成的完成信号。* </ul>**  <pre> {@code* class Driver { // ...*     void main() throws InterruptedException {*         // 实例化开始信号和结束信号。*         CountDownLatch startSignal = new CountDownLatch(1);*         CountDownLatch doneSignal = new CountDownLatch(N);*         // create and start threads*         // 创建和开始线程。*         for (int i = 0; i < N; ++i)*             new Thread(new Worker(startSignal, doneSignal)).start();*         // don't let run yet*         // 好不让运行。*         doSomethingElse();*         // let all threads proceed*         // 让所有线程开始执行*         startSignal.countDown();*         doSomethingElse();*         // wait for all to finish*         // 等到所有线程结束*         doneSignal.await();*   }* }** class Worker implements Runnable {*       private final CountDownLatch startSignal;*       private final CountDownLatch doneSignal;**       Worker(CountDownLatch startSignal, CountDownLatch doneSignal) {*           this.startSignal = startSignal;*           this.doneSignal = doneSignal;*       }**      public void run() {*          try {*              // 等待开始。*              startSignal.await();*              doWork();*              // 倒数。*              doneSignal.countDown();*          } catch (InterruptedException ex) {} // return;*       }**       void doWork() { ... }* }}</pre>** <p>* Another typical usage would be to divide a problem into N parts, describe each part with a Runnable that executes that portion* and counts down on the latch, and queue all the Runnables to an Executor.  When all sub-parts are complete, the coordinating* thread will be able to pass through await. (When threads must repeatedly count down in this way, instead use a* {@link CyclicBarrier}.)* 其它典型的用法会分割一个问题为N个比分,设计每个部分随一个可运行部分执行并在闭锁中倒数,并且将所有的可运行入队至一个执* 行器(即把一个任务拆分为多个部分,每个部分共用一个倒数闭锁,并且通过执行器执行,每完成一个就倒数)。当所有子部分完成,* 协调线程将可以通过等待。(当线程必须在这个方法中重复倒数,使用一个循环栅栏替换)*  <pre> {@code* class Driver2 { // ...*     void main() throws InterruptedException {*         CountDownLatch doneSignal = new CountDownLatch(N);*         Executor e = ...*         // create and start threads*         // 开始线程并启动。*         for (int i = 0; i < N; ++i)*             e.execute(new WorkerRunnable(doneSignal, i));*         // wait for all to finish*         // 等待所有线程执行结束。*         doneSignal.await();*   }* }** class WorkerRunnable implements Runnable {*     private final CountDownLatch doneSignal;*     private final int i;*     WorkerRunnable(CountDownLatch doneSignal, int i) {*         this.doneSignal = doneSignal;*         this.i = i;*     }*     public void run() {*         try {*             doWork(i);*             doneSignal.countDown();*         } catch (InterruptedException ex) {} // return;*     }**   void doWork() { ... }* }}</pre>** <p>* Memory consistency effects: Until the count reaches zero, actions in a thread prior to calling {@code countDown()}* <a href="package-summary.html#MemoryVisibility"><i>happen-before</i></a> actions following a successful return from a* corresponding {@code await()} in another thread.* 内存一致性影响:直到[总数]达到0,线程中优先于countDown()方法调用的行为先行发生于另一个线程中随着一次从相关await()* 方法中返回的行为。** @author Doug Lea* @Description: 闭锁(计数器)* @since 1.5*/
public class CountDownLatch {/*** Synchronization control For CountDownLatch. Uses AQS state to represent count.* 倒数的同步控制,使用AQS状态表示总数。** @Description: --------------------------------------------------------------- 名称 ---------------------------------------------------------------* @Description: 同步类* @Description: --------------------------------------------------------------- 作用 ---------------------------------------------------------------* @Description: 作为倒数闭锁的底层同步机制。* @Description: --------------------------------------------------------------- 逻辑 ---------------------------------------------------------------* @Description: ~* @Description: --------------------------------------------------------------- 注意 ---------------------------------------------------------------* @Description: ~* @Description: --------------------------------------------------------------- 疑问 ---------------------------------------------------------------* @Description: ~*/private static final class Sync extends AbstractQueuedSynchronizer {private static final long serialVersionUID = 4982264981922014374L;/*** Synchronization control For CountDownLatch. Uses AQS state to represent count.* 倒数的同步控制,使用AQS状态表示总数。** @Description: ------------------------------------------------------------- 名称 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 作用 -------------------------------------------------------------* @Description: 通过指定总数创建同步。* @Description: ------------------------------------------------------------- 逻辑 -------------------------------------------------------------* @Description: 方法直接使用父类AQS的[状态]保存制定总数。* @Description: ------------------------------------------------------------- 注意 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 疑问 -------------------------------------------------------------* @Description: ~*/Sync(int count) {setState(count);}/*** @Description: ------------------------------------------------------------- 名称 -------------------------------------------------------------* @Description: 获取总数* @Description: ------------------------------------------------------------- 作用 -------------------------------------------------------------* @Description: 获取当前同步的总数。* @Description: ------------------------------------------------------------- 逻辑 -------------------------------------------------------------* @Description: 方法直接返回[状态]。* @Description: ------------------------------------------------------------- 注意 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 疑问 -------------------------------------------------------------* @Description: ~*/int getCount() {return getState();}/*** @Description: ------------------------------------------------------------- 名称 -------------------------------------------------------------* @Description: 尝试获取共享* @Description: ------------------------------------------------------------- 作用 -------------------------------------------------------------* @Description: 判断当前同步的总数是否为0,是则返回1;否则返回-1。* @Description: ------------------------------------------------------------- 逻辑 -------------------------------------------------------------* @Description: 方法直接将[状态]与0进行判断。* @Description: ------------------------------------------------------------- 注意 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 疑问 -------------------------------------------------------------* @Description: ~*/@Overrideprotected int tryAcquireShared(int acquires) {// 判断可用许可是否为0。return (getState() == 0) ? 1 : -1;}/*** @Description: ------------------------------------------------------------- 名称 -------------------------------------------------------------* @Description: 尝试释放共享* @Description: ------------------------------------------------------------- 作用 -------------------------------------------------------------* @Description: 递减当前同步的总数,如果递减后总数为0则返回true;否则返回false。但如果总数已经为0无法递减则返* @Description: 回false。* @Description: ------------------------------------------------------------- 逻辑 -------------------------------------------------------------* @Description: 方法首先会判断[状态]是否为0,是则直接返回false;否则对[总数]进行CAS递减。由于并发可能会导致递* @Description: 减的CAS操作失败,因此整个需要以循环的方式进行。当递减成功后判断[总数]是否为0,是则返回true;* @Description: 否则返回false。* @Description: ------------------------------------------------------------- 注意 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 疑问 -------------------------------------------------------------* @Description: ~*/@Overrideprotected boolean tryReleaseShared(int releases) {// Decrement count; signal when transition to zero// 递减总数,当转变为0时发送信号,for (; ; ) {// 获取可用许可(快照),如果等于0,则直接返回失败。int c = getState();if (c == 0) {return false;}// 释放一个共享许可,即通过CAS减少一个计数。如果失败,说明有其它线程一同参与了竞争,自旋重试,直至成功为止。int nextc = c - 1;if (compareAndSetState(c, nextc)) {return nextc == 0;}}}}/*** @Description: ------------------------------------------------------------- 名称 -------------------------------------------------------------* @Description: 同步* @Description: ------------------------------------------------------------- 作用 -------------------------------------------------------------* @Description: 持有当前倒数闭锁同步的引用。* @Description: ------------------------------------------------------------- 逻辑 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 注意 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 疑问 -------------------------------------------------------------* @Description: ~*/private final Sync sync;/*** Constructs a {@code CountDownLatch} initialized with the given count.* 通过指定总数初始化构造导数闭锁。** @param count the number of times {@link #countDown} must be invoked before threads can pass through*              {@link #await}*              countDown()方法在线程可以通过await()方法之前必须调用的次数。* @throws IllegalArgumentException if {@code count} is negative*                                  非法参数异常:如果总数为负* @Description: ------------------------------------------------------------- 名称 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 作用 -------------------------------------------------------------* @Description: 通过指定总数创建倒数闭锁。* @Description: ------------------------------------------------------------- 逻辑 -------------------------------------------------------------* @Description: 方法首先会判断指定总数是否为小于0,是则世界抛出非法参数异常;否则将之作为构造参数创建同步。* @Description: ------------------------------------------------------------- 注意 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 疑问 -------------------------------------------------------------* @Description: ~*/public CountDownLatch(int count) {// 如果总数的值小于0,则直接抛出异常。if (count < 0) throw new IllegalArgumentException("count < 0");// 声明一个同步机制实例。this.sync = new Sync(count);}/*** Causes the current thread to wait until the latch has counted down to zero, unless the thread is* {@linkplain Thread#interrupt interrupted}.* 令当前线程等待直至闭锁已经倒数为0,除非线程被中断。* <p>* If the current count is zero then this method returns immediately.* 如果当前总数为0那么该方法立即返回。* <p>* If the current count is greater than zero then the current thread becomes disabled for thread scheduling purposes and* lies dormant until one of two things happen:* 如果当前总数大于0那么当前线程的预期目的将无效并休眠直至两件事情中的意见发生:* <ul>* <li>The count reaches zero due to invocations of the {@link #countDown} method; or* <li>Some other thread {@linkplain Thread#interrupt interrupts} the current thread.* 总数由于countDown()方法的调用而达到0;或者某些其它线程中断当前线程。* </ul>* <p>* If the current thread:* 如果当前线程:* <ul>* <li>has its interrupted status set on entry to this method; or* <li>is {@linkplain Thread#interrupt interrupted} while waiting,* 在进入当前方法时(前)被设置中断状态;或者在等待期间被中断,* </ul>* then {@link InterruptedException} is thrown and the current thread's interrupted status is cleared.* 那么会抛出中断异常并且当前线程的中断状态会被清理。** @throws InterruptedException if the current thread is interrupted while waiting*                              中断异常:如果当前线程在等待期间被中断* @Description: ------------------------------------------------------------- 名称 -------------------------------------------------------------* @Description: 等待* @Description: ------------------------------------------------------------- 作用 -------------------------------------------------------------* @Description: 通过当前倒数闭锁令当前线程等待。当总数不为0时等待,否则没有实际作用。当总数由不为0变为0时当前* @Description: 线程将被唤醒。* @Description: ------------------------------------------------------------- 逻辑 -------------------------------------------------------------* @Description: 方法直接通过同步的acquireSharedInterruptibly(int arg)方法实现。内部逻辑是判断当前同步[总数]是否为* @Description: 0,是则什么也不错;否则令当前线程进入等待状态,直至[总数]归0被相关线程唤醒。* @Description: ------------------------------------------------------------- 注意 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 疑问 -------------------------------------------------------------* @Description: ~*/public void await() throws InterruptedException {sync.acquireSharedInterruptibly(1);}/*** Causes the current thread to wait until the latch has counted down to zero, unless the thread is* {@linkplain Thread#interrupt interrupted}, or the specified waiting time elapses.* 令当前线程等待直至闭锁倒数为0,除非线程被中断,或者指定等待时间消逝。* <p>* If the current count is zero then this method returns immediately with the value {@code true}.* 如果当前总数为0那么当前方法立即返回true。* <p>* If the current count is greater than zero then the current thread becomes disabled for thread scheduling purposes and* lies dormant until one of three things happen:* 如果当前总数大于0那么当前线程的预期目的变的无效并且休眠直至三种情况的其中一种发生:* <ul>* <li>The count reaches zero due to invocations of the {@link #countDown} method; or* <li>Some other thread {@linkplain Thread#interrupt interrupts} the current thread; or* <li>The specified waiting time elapses.* </ul>* 总数由于countDown()方法调用达到0;或者某些其它线程中断当前线程;或者指定等待时间消逝。* <p>* If the count reaches zero then the method returns with the value {@code true}.* 如果总数达到0那么方法返回true。* <p>* If the current thread:* 如果当前线程:* <ul>* <li>has its interrupted status set on entry to this method; or* <li>is {@linkplain Thread#interrupt interrupted} while waiting,* </ul>* then {@link InterruptedException} is thrown and the current thread's interrupted status is cleared.* 在进入当前方法是/前被设置中断状态;或者在等待期间被中断则抛出中断异常,并且当前线程的中断状态会被清理。* <p>* If the specified waiting time elapses then the value {@code false} is returned.  If the time is less than or equal to zero,* the method will not wait at all.* 如果指定等待时间销毁则值将返回false。如果时间小于或等于0则方法将不会等待。** @param timeout the maximum time to wait 用于等待的最大时间* @param unit    the time unit of the {@code timeout} argument 超时参数的时间单位* @return {@code true} if the count reached zero and {@code false} if the waiting time elapsed before the count* reached zero* 如果总数达到0则返回true;否则如果在总数达到0之前等到时间消逝则返回false。* @throws InterruptedException if the current thread is interrupted while waiting*                              中断异常:如果当前线程在等待期间被中断* @Description: ------------------------------------------------------------- 名称 -------------------------------------------------------------* @Description: 等待* @Description: ------------------------------------------------------------- 作用 -------------------------------------------------------------* @Description: 通过当前倒数闭锁令当前线程有限等待。当总数不为0时等待,否则没有实际作用。当总数由不为0变为0时* @Description: 当前线程将被唤醒并返回true;如果因为超时而唤醒则返回false;如果因为中断而唤醒则抛出中断异常。* @Description: ------------------------------------------------------------- 逻辑 -------------------------------------------------------------* @Description: 方法直接通过同步的tryAcquireSharedNanos(int arg, long nanosTimeout)方法实现。* @Description: ------------------------------------------------------------- 注意 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 疑问 -------------------------------------------------------------* @Description: ~*/public boolean await(long timeout, TimeUnit unit) throws InterruptedException {return sync.tryAcquireSharedNanos(1, unit.toNanos(timeout));}/*** Decrements the count of the latch, releasing all waiting threads if the count reaches zero.* 递减闭锁的总数,如果总数达到0则释放所有的等待线程。* <p>* If the current count is greater than zero then it is decremented. If the new count is zero then all waiting threads are* re-enabled for thread scheduling purposes.* 如果当前总数大于0则递减总数,如果新总数为0则所有等待线程都重新可用于线程预期的目的。* <p>* If the current count equals zero then nothing happens.* 如果当前总数等于0则什么都不会发生。** @Description: ------------------------------------------------------------- 名称 -------------------------------------------------------------* @Description: 倒数* @Description: ------------------------------------------------------------- 作用 -------------------------------------------------------------* @Description: 递减当前倒数闭锁的总数,如果总数为0则什么都不会发生。* @Description: ------------------------------------------------------------- 逻辑 -------------------------------------------------------------* @Description: 方法直接通过同步的releaseShared(int arg)方法实现。内部逻辑是,方法首先会判断当前[状态]是否为0,* @Description: 是则什么也不做;否则递减[总数]。如递减后[总数]为0则唤醒所有的等待线程。* @Description: ------------------------------------------------------------- 注意 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 疑问 -------------------------------------------------------------* @Description: ~*/public void countDown() {// 该操作的本质是对计数进行递减,当计数为0时会触发对同步队列中节点的唤醒,以达到对拦截的线程放行的目的。sync.releaseShared(1);}/*** Returns the current count.* 返回当前总数* <p>* This method is typically used for debugging and testing purposes.* 该方法通常用于调试或测试目的。** @return the current count 当前总数* @Description: ------------------------------------------------------------- 名称 -------------------------------------------------------------* @Description: 获取总数* @Description: ------------------------------------------------------------- 作用 -------------------------------------------------------------* @Description: 获取当前倒数闭锁的总数。* @Description: ------------------------------------------------------------- 逻辑 -------------------------------------------------------------* @Description: 方法直接通过同步的getCount()实现,即是直接返回同步的[状态]。* @Description: ------------------------------------------------------------- 注意 -------------------------------------------------------------* @Description: ~* @Description: ------------------------------------------------------------- 疑问 -------------------------------------------------------------* @Description: ~*/public long getCount() {return sync.getCount();}/*** Returns a string identifying this latch, as well as its state.* The state, in brackets, includes the String {@code "Count ="}* followed by the current count.*/public String toString() {return super.toString() + "[Count = " + sync.getCount() + "]";}
}

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

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

相关文章

Canvas 画布

文章目录 1. 初识1.1 认识画布1.2 兼容性1.3 上下文属性 2. 绘制2.1 绘制基本图形2.1.1 绘制矩形2.1.2 绘制圆形2.1.3 绘制直线2.1.4 绘制圆弧2.1.5 绘制贝塞尔二次曲线2.1.6 绘制贝塞尔三次曲线2.1.7 封装路径 2.2 颜色控制2.2.1 颜色设置2.2.2 线性渐变2.2.3 径向渐变2.2.4 圆…

使用 web (vue 和DRF))实现 模拟一个IDE 功能思路

采用文件系统和数据库相结合的方案&#xff0c;不仅可以实现基本的文件管理&#xff0c;还可以为未来的扩展提供灵活性。结合我们讨论的内容&#xff0c;以下是更完善的策略&#xff1a; 方案概述&#xff1a;文件系统与数据库结合 文件系统负责实际的文件存储和执行操作&…

javascript中的展开运算符是什么

展开运算符&#xff08;Spread Operator&#xff09;是 JavaScript 中一个非常有用的语法特性&#xff0c;它通过三个点 ...来展开可迭代对象&#xff08;如数组或对象&#xff09;&#xff0c;使其可以更方便地进行操作。 1. 数组中的使用 1.1 合并数组 展开运算符可以轻松地…

XML解析小坑记录[正则表达式解析]

一、问题描述 在做 SSO 单点登录时( 认证中为CAS服务对接 )。在完成对用户ticket票根校验后&#xff0c;返回了用户信息有关 XML 数据片段&#xff0c;例如下&#xff1a; <cas:serviceResponse xmlns:cas"http://www.xxx.xx/xx/cas"><cas:authentication…

ffmpeg视频滤镜:网格-drawgrid

滤镜介绍 drawgrid 官网链接 》 FFmpeg Filters Documentation drawgrid会在视频上画一个网格。 滤镜使用 参数 x <string> ..FV.....T. set horizontal offset (default "0")y <string> ..FV.....T. set…

(50)MATLAB最优延迟迫零均衡器仿真测试与评估

文章目录 前言一、最优延迟迫零均衡器评估模型二、最优延迟迫零均衡器仿真代码1.代码如下&#xff1a;2.迫零均衡器函数zf_equalizer()的MATLAB源码 三、仿真结果画图1.不同权系数长度和延迟的迫零均衡器性能2. 不同权系数长度的迫零均衡器的最佳延迟 前言 对于预设均衡器延时…

用AI绘画工具提升创作效率,这款神器你一定不能错过!

在如今的创作领域&#xff0c;无论是插画师、设计师&#xff0c;还是内容创作者&#xff0c;都在寻找能够提升效率的工具&#xff0c;而AI绘画工具的诞生无疑是一场创意革命。通过AI技术的支持&#xff0c;我们不再需要耗费大量时间在绘制基础草图或反复调整细节上&#xff0c;…

为什么要使用Golang以及如何入门

什么是golang&#xff1f; Go是一种开放源代码的编程语言&#xff0c;于2009年首次发布&#xff0c;由Google的Rob Pike&#xff0c;Robert Griesemer和Ken Thompson开发。基于C的语法&#xff0c;它进行了一些更改和改进&#xff0c;以安全地管理内存使用&#xff0c;管理对象…

Oracle故障诊断(一线DBA必备技能)之ADRCI(四)

1. 题记&#xff1a; 本篇博文继续详细介绍一线DBA必备技能—Oracle DB故障诊断工具ADRCI。 2. 使用 ADRCI 进行故障诊断的步骤 1. 查看警报日志 警报日志是故障诊断的重要信息源&#xff0c;它记录了数据库启动、关闭、错误消息等关键事件。 首先启动 ADRCI。在操作系统命…

基于SpringBoot的项目工时统计成本核算管理源码带教程

该系统是基于若依前后端分离的架构&#xff0c;前端使用vue2&#xff0c;后端使用SpringBoot2。 技术框架&#xff1a;SpringBoot2.0.0 Mybatis1.3.2 Shiro swagger-ui jpa lombok Vue2 Mysql5.7 运行环境&#xff1a;jdk8 IntelliJ IDEA maven 宝塔面板 系统与功…

嵌入式学习-网络-Day04

嵌入式学习-网络-Day04 1.IO多路复用 1.1poll poll同时检测键盘和鼠标事件 1.2epoll 2.服务器模型 2.1循环服务器模型 2.2并发服务器模型 多进程模型 多线程模型 IO多路复用模型 网络聊天室 项目要求 问题思考 程序流程图 1.IO多路复用 1.1poll int poll(struct pollfd *fds, n…

Java 面向对象基础

目录 1. 面向对象2. 类与对象3. 面向对象在内存中的执行原理4. 类和对象注意事项5. this 关键字6. 构造器6.1 什么是构造器?6.2 构造器作用6.3 构造器应用场景 7. 封装性7.1 什么是封装&#xff1f;7.2 封装的设计规范7.3 封装的书写 8. 实体JavaBean 正文开始 1. 面向对象 …

《华为云主机:1024的惊喜馈赠》

《华为云主机&#xff1a;1024的惊喜馈赠》 一、1024 华为送云主机之缘起&#xff08;一&#xff09;特殊日子的馈赠意义&#xff08;二&#xff09;华为云主机活动初衷 二、华为云主机领取攻略&#xff08;一&#xff09;领取条件全解析&#xff08;二&#xff09;具体领取步骤…

第10章 自定义控件

第 10 章 自定义控件 bilibili学习地址 github代码地址 本章介绍App开发中的一些自定义控件技术&#xff0c;主要包括&#xff1a;视图是如何从无到有构建出来的、如何改造已有的控件变出新控件、如何通过持续绘制实现简单动画。然后结合本章所学的知识&#xff0c;演示了一个…

开始使用HBuilderX开发网页

1 给我一个用hbuilderx的理由 首先看一个截图&#xff1a; 现在技术更新太快了&#xff0c;大家伙儿也都用windows10甚至了11了&#xff0c;而我们还在使用熟悉的windows7&#xff0c;这对于编程桌面端没问题的&#xff0c;但是网络编程真实够费劲的了&#xff0c;或者用pytho…

ffmpeg视频滤镜:添加边框-drawbox

滤镜介绍 drawbox 官网链接 > FFmpeg Filters Documentation 这个滤镜会给视频添加一个边框。 滤镜使用 参数 x <string> ..FV.....T. set horizontal position of the left box edge (default "0")y <string&…

单向数据流在 React 中的作用

文章目录 单向数据流在 React 中的作用什么是单向数据流&#xff1f;单向数据流的优势如何实现单向数据流1. 父组件传递 props2. 状态提升 结论 单向数据流在 React 中的作用 什么是单向数据流&#xff1f; 单向数据流是指数据在应用程序中只按照一个方向流动。在 React 中&a…

uniapp学习(008-2 图片模块和分享模块)

零基础入门uniapp Vue3组合式API版本到咸虾米壁纸项目实战&#xff0c;开发打包微信小程序、抖音小程序、H5、安卓APP客户端等 总时长 23:40:00 共116P 此文章包含第93p-第p103的内容 文章目录 详情页图片问题storage缓存图片网络消耗问题使用计算属性获取详细信息 保存壁纸到…

双十一宠物空气净化器决胜局,希喂、安德迈哪款性价比更高?

秋天到了&#xff0c;新一轮的猫咪换毛季又来了。尽管每天下班很累&#xff0c;但也不得不花上不少时间清理。有时候想偷懒&#xff0c;但身体是第一个反对的。要知道&#xff0c;长期堆积的猫毛除了会破坏家中的干净整洁外&#xff0c;浮毛还会随呼吸进入我们体内&#xff0c;…

bluez hid host介绍,连接键盘/鼠标/手柄不是梦,安排

零. 前言 由于Bluez的介绍文档有限,以及对Linux 系统/驱动概念、D-Bus 通信和蓝牙协议都有要求,加上网络上其实没有一个完整的介绍Bluez系列的文档,所以不管是蓝牙初学者还是蓝牙从业人员,都有不小的难度,学习曲线也相对较陡,所以我有了这个想法,专门对Bluez做一个系统…