Andorid之用ConditionVariable实现线程同步

一、学习ConditionVariable之前的复习

如果你不懂wait()、notify()怎么使用,最好先复习下我之前的这篇博客,怎么使用wait()、notify()实现生产者和消费者的关系

 

java之wait()、notify()实现非阻塞的生产者和消费者

 

 

 

 

 

二、看下ConditionVariable源代码实现

package android.os;/*** Class that implements the condition variable locking paradigm.** <p>* This differs from the built-in java.lang.Object wait() and notify()* in that this class contains the condition to wait on itself.  That means* open(), close() and block() are sticky.  If open() is called before block(),* block() will not block, and instead return immediately.** <p>* This class uses itself as the object to wait on, so if you wait()* or notify() on a ConditionVariable, the results are undefined.*/
public class ConditionVariable
{private volatile boolean mCondition;/*** Create the ConditionVariable in the default closed state.*/public ConditionVariable(){mCondition = false;}/*** Create the ConditionVariable with the given state.* * <p>* Pass true for opened and false for closed.*/public ConditionVariable(boolean state){mCondition = state;}/*** Open the condition, and release all threads that are blocked.** <p>* Any threads that later approach block() will not block unless close()* is called.*/public void open(){synchronized (this) {boolean old = mCondition;mCondition = true;if (!old) {this.notifyAll();}}}/*** Reset the condition to the closed state.** <p>* Any threads that call block() will block until someone calls open.*/public void close(){synchronized (this) {mCondition = false;}}/*** Block the current thread until the condition is opened.** <p>* If the condition is already opened, return immediately.*/public void block(){synchronized (this) {while (!mCondition) {try {this.wait();}catch (InterruptedException e) {}}}}/*** Block the current thread until the condition is opened or until* timeout milliseconds have passed.** <p>* If the condition is already opened, return immediately.** @param timeout the maximum time to wait in milliseconds.** @return true if the condition was opened, false if the call returns* because of the timeout.*/public boolean block(long timeout){// Object.wait(0) means wait forever, to mimic this, we just// call the other block() method in that case.  It simplifies// this code for the common case.if (timeout != 0) {synchronized (this) {long now = System.currentTimeMillis();long end = now + timeout;while (!mCondition && now < end) {try {this.wait(end-now);}catch (InterruptedException e) {}now = System.currentTimeMillis();}return mCondition;}} else {this.block();return true;}}
}

 

 

 

 

 

三、我们分析怎么使用

  比如有多个线程需要执行同样的代码的时候,我们一般希望当一个线程执行到这里之后,后面的线程在后面排队,然后等之前的线程执行完了再让这个线程执行,我们一般用synchronized实现,但是这里我们也可以用ConditionVariable实现,从源码可以看到,我们初始化可以传递一个boolean类型的参数进去,我们可以传递true进去

  public ConditionVariable(boolean state){mCondition = state;}

然后你看下ConditionVariable类里面这个方法

    public void block(){synchronized (this) {while (!mCondition) {try {this.wait();}catch (InterruptedException e) {}}}}

如果第一次初始化的时候mCondition是true,那么第一次调用这里就不会走到wait函数,然后我们应该需要一个开关让mCondition变成false,让第二个线程进来的时候我们应该让线程执行wait()方法,阻塞在这里,这不看下ConditionVariable类里面这个函数

    public void close(){synchronized (this) {mCondition = false;}}

这不恰好是我们需要的,我们可以马上调用这个函数close(),然后让程序执行我们想执行的代码,最后要记得调用open方法,如下

   public void open(){synchronized (this) {boolean old = mCondition;mCondition = true;if (!old) {this.notifyAll();}}}

因为这里调用了notifyAll方法,把之前需要等待的线程呼唤醒

所以我们使用可以这样使用

1、初始化

ConditionVariable mLock = new ConditionVariable(true);

2、同步的地方这样使用

   mLock.block();mLock.close();/**你的代码**/mLock.open();

 

 

 

 

四、测试代码分析

我先给出一个原始Demo

 

public class MainActivity extends ActionBarActivity {public static final String TAG = "ConditionVariable_Test";@Overrideprotected void onCreate(Bundle savedInstanceState) {super.onCreate(savedInstanceState);setContentView(R.layout.activity_main);for (int i = 0; i < 10; i++) {new Mythread("" + i).start();}}public int num = 5;class Mythread extends Thread {String name;public Mythread(String name) {this.name = name;}@Overridepublic void run() {while (true) {try {Thread.sleep(1);} catch (InterruptedException e) {e.printStackTrace();}num--;if (num >= 0)Log.i(TAG, "thread name is:" + name + " num is:" + num);elsebreak;}}}
}

 

 

运行的结果是这样的:

 

 

ConditionVariable_Test  I  thread name is:0 num is:4I  thread name is:1 num is:3I  thread name is:2 num is:2I  thread name is:3 num is:1I  thread name is:4 num is:0

很明显不是我们想要的结果,因为我想一个线程进来了,需要等到执行完了才让另外一个线程才能进来

 

我们用ConditionVariable来实现下

package com.example.conditionvariable;import java.util.concurrent.locks.Lock;
import java.util.concurrent.locks.ReentrantLock;import android.os.Bundle;
import android.os.ConditionVariable;
import android.support.v7.app.ActionBarActivity;
import android.util.Log;public class MainActivity extends ActionBarActivity {public static final String TAG = "ConditionVariable_Test";@Overrideprotected void onCreate(Bundle savedInstanceState) {super.onCreate(savedInstanceState);setContentView(R.layout.activity_main);mCondition = new ConditionVariable(true);for (int i = 0; i < 10; i++) {new Mythread("" + i).start();}}public int num = 5;class Mythread extends Thread {String name;public Mythread(String name) {this.name = name;}@Overridepublic void run() {mCondition.block();mCondition.close();while (true) {try {Thread.sleep(1);} catch (InterruptedException e) {e.printStackTrace();}num--;if (num >= 0)Log.i(TAG, "thread name is:" + name + " num is:" + num);elsebreak;}mCondition.open();}}
}

运行的结果如下

onditionVariable_Test  I  thread name is:0 num is:4I  thread name is:0 num is:3I  thread name is:0 num is:2I  thread name is:0 num is:1I  thread name is:0 num is:0

很明显这是我想要的效果,还有其它办法吗?当然有

我们还可以使用ReentrantLock重入锁,代码修改如下

public class MainActivity extends ActionBarActivity {public static final String TAG = "ConditionVariable_Test";private Lock lock = new ReentrantLock();@Overrideprotected void onCreate(Bundle savedInstanceState) {super.onCreate(savedInstanceState);setContentView(R.layout.activity_main);for (int i = 0; i < 10; i++) {new Mythread("" + i).start();}}public int num = 5;class Mythread extends Thread {String name;public Mythread(String name) {this.name = name;}@Overridepublic void run() {lock.lock();while (true) {try {Thread.sleep(1);} catch (InterruptedException e) {e.printStackTrace();}num--;if (num >= 0)Log.i(TAG, "thread name is:" + name + " num is:" + num);elsebreak;}lock.unlock();}}
}

 

 

 

运行的结果如下

onditionVariable_Test  I  thread name is:0 num is:4I  thread name is:0 num is:3I  thread name is:0 num is:2I  thread name is:0 num is:1I  thread name is:0 num is:0

很明显这是我想要的效果,还有其它办法吗?当然有,那就是用synchronized同步块,代码改成如下

package com.example.conditionvariable;import java.util.concurrent.locks.Lock;
import java.util.concurrent.locks.ReentrantLock;import android.os.Bundle;
import android.os.ConditionVariable;
import android.support.v7.app.ActionBarActivity;
import android.util.Log;public class MainActivity extends ActionBarActivity {public static final String TAG = "ConditionVariable_Test";@Overrideprotected void onCreate(Bundle savedInstanceState) {super.onCreate(savedInstanceState);setContentView(R.layout.activity_main);for (int i = 0; i < 10; i++) {new Mythread("" + i).start();}}public int num = 5;class Mythread extends Thread {String name;public Mythread(String name) {this.name = name;}@Overridepublic void run() {synchronized (MainActivity.class) {while (true) {try {Thread.sleep(1);} catch (InterruptedException e) {e.printStackTrace();}num--;if (num >= 0)Log.i(TAG, "thread name is:" + name + " num is:" + num);elsebreak;}}}}
}

运行的结果如下

onditionVariable_Test  I  thread name is:0 num is:4I  thread name is:0 num is:3I  thread name is:0 num is:2I  thread name is:0 num is:1I  thread name is:0 num is:0

很明显这是我想要的效果

 

 

 

五、总结

在Android开发里面我们一般实现线程通过可以用ConditionVariableReentrantLock(重入锁)、synchronized阻塞队列(ArrayBlockingQueue、LinkedBlockingQueue)
   put(E e) : 在队尾添加一个元素,如果队列满则阻塞
   size() : 返回队列中的元素个数
   take() : 移除并返回队头元素,如果队列空则阻塞

 

 

 

 

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

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

相关文章

360文件粉碎机_中山三乡资料文件销毁粉碎销毁资料文件公司一览表

中山三乡资料文件销毁粉碎销毁资料文件公司一览表安排搬运工作人员及运输车辆上门收取销毁物品&#xff0c;将需销毁的物品装上运输车辆&#xff0c;并进行拍照、车箱粘贴封条等工作。第五步&#xff1a;客户可安排工作人员&#xff0c;跟我公司销毁运输车辆一同前往我公司销毁…

Sonnedix收购意大利11.2MW光伏电站产品组合

2016年9月5日, 太阳能独立发电商Sonnedix宣布已经在意大利获得Trading Emissions 的11.2MW太阳能光伏电站产品组合&#xff0c;此交易预计将在2016年第四季度关闭。 该产品组合包括三个地面安装光伏电站: 阿布鲁佐的Basciano和Cupello、以及西西里岛的Librandello。 Sonnedix在…

oracle中行数少于1000,oracle中in的个数超过1000的解决办法

oracle中in的个数要是超过1000就会报错&#xff0c;那么我们可以把它拆成一节一节的&#xff1a;in(1,2) or in (3,4)StringUtils.defaultIfEmpty的命名空间是&#xff1a;import org.apache.commons.lang.StringUtils;private String getOracleSQLIn(List> ids, int count,…

SQL Server 2005更改当前数据库的所有者

语法 sp_changedbowner [ @loginame = ] login[ , [ @map= ] remap_alias_flag ] 参数 [ @loginame = ] login 当前数据库的新所有者的登录 ID。login 的数据类型为 sysn

Xamarin效果第十七篇之AR GIS

在前面几篇文章中简单玩耍了一下在线、离线加载高德地图和添加Mark;今天在原来的基础上再去玩玩AR GIS;来看看最终效果:1、先通过NuGet引用:Install-Package Esri.ArcGISRuntime.ARToolkit.Forms -Version 100.13.02、在AndroidManifest.xml中配置:<application android:lab…

maven 多项目搭建

参考http://www.cnblogs.com/xdp-gacl/p/3498271.html 。 1.什么是maven maven是基于项目对象模型(POM)&#xff0c;是跨平台的管理工具&#xff0c;主要服务于java平台的项目构建&#xff0c;依赖管理和项目信息管理。 2.maven的好处 Maven中使用约定&#xff0c;约定java源代…

IOS之学习笔记四(类的实现和对象和id)

1、简单构建类和对象和id使用的测试代码如下 Person.h #ifndef Person_h #define Person_h#import <Foundation/Foundation.h> interface Person : NSObject {NSString* _name;int _age; } -(void)setName:(NSString *)name addAge:(int)age; -(void)say:(NSString *)c…

rog live service是什么_双11手机怎么买?ROG游戏手机3“独一份”体验,值得剁手...

对于追求极致的手游党来说&#xff0c;手机设备性能的强悍极为重要&#xff0c;毕竟时刻影响着流畅性与游戏体验。纵观当下手机厂商推出的游戏手机来看&#xff0c;ROG游戏手机3可以说是目前性能最强的游戏手机&#xff0c;在下半年发布的多款旗舰均没能领先过ROG。这也证明了我…

SQL Server 2005将某些数据库行为设置为与指定的 SQL Server 版本兼容

语法 sp_dbcmptlevel [ [ dbname ] name ] [ , [ new_cmptlevel ] version ]参数 [ dbname ] name要为其更改兼容级别的数据库的名称。数据库名称必须符合标识符的规则。name 的数据类型为 sysname&#xff0c;默认值为 NULL。 [ new_cmptlevel ] version数据库要与之兼容的…

oracle 优化分组 sql语句,Oracle SQL语句之常见优化方法 五

0、低效SQL语句查询:SELECT b.sql_text, --SQL內容a.sid,a.serial#,a.status,a.machine, --哪台机器運行的SQLa.username, --用戶a.module, --運行方式a.action, --Responsibilityc.opname,c.target,c.message,c.sofar totalwork * 100, --工作執行了百分之多少c.elapsed_secon…

我将 20 年前开发的操作系统迁移到 .NET 6,竟然成功了!

作者 | Scott Hanselman译者 | 弯月早在2001年&#xff0c;我用C#为学校的一门300系列的操作系统课程编写了一个微型虚拟操作系统&#xff0c;后来在2002年将其移植到了VB.NET。这些都是在.NET Core出现之前的代码&#xff0c;基于Windows早期的.NET 1.1或2.0。五年前&#xff…

bzoj2132: 圈地计划

要分成两坨对吧。。 所以显然最小割 但是不兹辞啊。。 最小割是最小的啊 求最大费用怎么玩啊 那咱们就把所有费用都加起来&#xff0c;减掉一个最小的呗 但是两个属于不同集合的点贡献的价值是负的啊 网络流怎么跑负的啊 那咱就交换一下呗 原图是二分图啊&#xff0c;把另一部分…

BEVFormerV2 论文阅读

论文链接 BEVFormer v2: Adapting Modern Image Backbones to Bird’s-Eye-View Recognition via Perspective Supervision 0. Abstract 提出了一种新颖的 BEV 检测器&#xff0c;具有透视监督&#xff0c;收敛速度更快&#xff0c;更适合现代图像基础架构优先考虑通过引入透…

IOS之Xcode之快捷键

今天看了同事ios小哥运行项目的快捷点和创建项目的快捷键 1、重新编译xcode项目 command R 2、新建项目快捷键 shiftcommandN 注意了在mac桌面上&#xff0c;使用这个键是快速创建 文件夹 给我记住了 3、光标快速到一个文件的开始和结尾 commandup commanddown 我们知道…

光磁记录实现数据冷存储

通过一定强度的短脉冲可以在掺杂了钴离子的钇铁石榴石的磁性层上记录数据。据开发商介绍&#xff0c;这种新颖的光学存储机制有可能成为一种通用的、节能型数据存储技术&#xff0c;并替代现有的存储技术&#xff0c;这源于该技术能够完成超低热度的快速磁盘读写过程&#xff0…

***CI查询辅助函数:insert_id()、affected_rows()

查询辅助函数 $this->db->insert_id() 这个ID号是执行数据插入时的ID。 $this->db->affected_rows() Displays the number of affected rows, when doing "write\" type queries (insert, update, etc.). 当执行写入操作&#xff08;insert,update等&…

C#获取本机名及IP地址

using System; using System.Collections.Generic; using System.Text; using System.Net; //需要引用.Net命名空间namespace ConsoleApplication1 {class Program{static void Main(string[] args){//获得主机名string HostName Dns.GetHostName();Console.WriteLine("…

aop在项目中的实际运用_【消防验收】防火玻璃在实际运用中的四大关键问题

扫码入群&#xff0c;与消防企业同行交流&#xff01;防火玻璃虽然开始在建筑中大量使用&#xff0c;但如何正确使用防火玻璃&#xff0c;使用哪种类型的防火玻璃&#xff0c;哪些部位可以使用防火玻璃等问题在实际运用中仍有很多盲区。同时&#xff0c;很多建设单位、设计单位…

linux ini文件,Shell script - Linux下解析ini配置文件

导语Linux 有时候需要统计多台主机上面的数据&#xff0c;比如合并N多主机的日志&#xff0c;然后进行下一步的分析。这个时候如果直接把所有主机IP写死到脚本中的话&#xff0c;下次新增一台主机&#xff0c;就需要再去修改脚本&#xff0c;如果涉及到多个脚本的话&#xff0c…

CondenserDotNet - 使用 Kestrel 和 Consul 的 API 反向代理库!

简介CondenserDotNet - 使用 Kestrel 和 Consul 的 API 反向代理库&#xff01;特点•Consul 客户端库&#xff0c;包括服务注册、发现和配置•反向代理•交互式 UI&#xff0c;用于查看有关代理的统计信息配置示例配置遵循 LIFO 策略&#xff0c;以最后注册的配置为准var conf…