Android多线程优劣,Android 开发中用到的几个多线程解析

在开发工程中线程可以帮助我们提高运行速度,Android开发中我知道的线程有四个一个是老生长谈的Thread,第二个是asyncTask,第三个:TimetTask,第四个是Looper,四个多线程各有个的有点,Thread的运行速度是最快的,AsyncTask的规范性是最棒的,其它两个也有自己的优点,下面先贴上三个列子

1.Thread与Handler组合,比较常见

Handler主要是帮助我们来时时更新UI线程

这里在后天加载100张图片,然后没加载完成一个用handler 返回给UI线程一张图片并显示

最后加载完成返回一个List给UI线程 ,Handler就是一个后台线程与UI线程中间的桥梁

package com.android.wei.thread;

import java.io.InputStream;

import java.util.ArrayList;

import java.util.List;

import android.app.Activity;

import android.content.Context;

import android.graphics.Bitmap;

import android.graphics.BitmapFactory;

import android.os.Bundle;

import android.os.Handler;

import android.os.Message;

import android.view.View;

import android.view.View.OnClickListener;

import android.widget.Button;

import android.widget.ImageView;

import android.widget.TextView;

public class Activity01 extends Activity {

/** Called when the activity is first created. */

/**读取进度**/

public final static int LOAD_PROGRESS =0;

/**标志读取进度结束**/

public final static int LOAD_COMPLETE = 1;

/**开始加载100张图片按钮**/

Button mButton = null;

/**显示内容**/

TextView mTextView = null;

/**加载图片前的时间**/

Long mLoadStart = 0L;

/**加载图片完成的时间**/

Long mLoadEndt = 0L;

Context mContext = null;

/**图片列表**/

private List list;

/**图片容器**/

private ImageView mImageView;

//接受传过来得消息

Handler handler = new Handler(){

public void handleMessage(Message msg){

switch(msg.what){

case LOAD_PROGRESS:

Bitmap bitmap = (Bitmap)msg.obj;

mTextView.setText("当前读取到第"+msg.arg1+"张图片");

mImageView.setImageBitmap(bitmap);

break;

case LOAD_COMPLETE:

list = (List) msg.obj;

mTextView.setText("读取结束一共加载"+list.size()+"图片");

break;

}

super.handleMessage(msg);

}

};

public void onCreate(Bundle savedInstanceState) {

super.onCreate(savedInstanceState);

mContext = this;

setContentView(R.layout.main);

mButton =(Button) findViewById(R.id.button1);

mTextView=(TextView) findViewById(R.id.textView1);

mImageView =(ImageView) this.findViewById(R.id.imageview);

mTextView.setText("点击按钮加载图片");

mButton.setOnClickListener(new OnClickListener(){

public void onClick(View v){

//调用方法

LoadImage();

}

});

}

public void LoadImage(){

new Thread(){

public void run(){

mLoadStart = System.currentTimeMillis();

List list = new ArrayList();

for(int i =0;i<100;i++){

Bitmap bitmap=ReadBitmap(mContext,R.drawable.icon);

Message msg = new Message();

msg.what = LOAD_PROGRESS;

msg.arg1 = i+1;

list.add(bitmap);

msg.obj = bitmap;

handler.sendMessage(msg);

}

mLoadEndt = System.currentTimeMillis();

Message msg = new Message();

msg.what = LOAD_COMPLETE;

msg.obj=list;

msg.arg1 = (int) (mLoadEndt - mLoadStart);

handler.sendMessage(msg);

}

}.start();

}

public Bitmap ReadBitmap(Context context,int resId){

BitmapFactory.Options opt = new BitmapFactory.Options();

opt.inPreferredConfig = Bitmap.Config.RGB_565;

opt.inPurgeable = true;

opt.inInputShareable = true;

InputStream is = context.getResources().openRawResource(resId);

return BitmapFactory.decodeStream(is, null, opt);

}

}

2AsyncTask异步多线程

AsyncTask的规范型很强,能够时时反映更新的情况

它一般有这么几个方法

* onPreExecute(), 该方法将在执行实际的后台操作前被UI 线程调用。可以在该方法中做一些准备工作,如在界面上显示一个进度条,或者一些控件的实例化,这个方法可以不用实现。

* doInBackground(Params...), 将在onPreExecute 方法执行后马上执行,该方法运行在后台线程中。这里将主要负责执行那些很耗时的后台处理工作。可以调用 publishProgress方法来更新实时的任务进度。该方法是抽象方法,子类必须实现。

* onProgressUpdate(Progress...),在publishProgress方法被调用后,UI 线程将调用这个方法从而在界面上展示任务的进展情况,例如通过一个进度条进行展示。

* onPostExecute(Result), 在doInBackground 执行完成后,onPostExecute 方法将被UI 线程调用,后台的计算结果将通过该方法传递到UI 线程,并且在界面上展示给用户.

* onCancelled(),在用户取消线程操作的时候调用。在主线程中调用onCancelled()的时候调用。

为了正确的使用AsyncTask类,以下是几条必须遵守的准则:

1) Task的实例必须在UI 线程中创建

2) execute方法必须在UI 线程中调用

3) 不要手动的调用onPreExecute(), onPostExecute(Result),doInBackground(Params...), onProgressUpdate(Progress...)这几个方法,需要在UI线程中实例化这个task来调用。

4) 该task只能被执行一次,否则多次调用时将会出现异常

package com.android.wei.thread;

import java.io.ByteArrayOutputStream;

import java.io.InputStream;

import java.util.ArrayList;

import java.util.List;

import java.util.Timer;

import java.util.TimerTask;

import android.app.Activity;

import android.content.Context;

import android.graphics.Bitmap;

import android.graphics.BitmapFactory;

import android.os.AsyncTask;

import android.os.Bundle;

import android.view.View;

import android.view.View.OnClickListener;

import android.widget.Button;

import android.widget.ImageView;

import android.widget.TextView;

public class Activity02 extends Activity{

/**开始StartAsync按钮**/

Button mButton = null;

Context mContext = null;

//内容显示出来

TextView mTextView = null;

//Timer 对象

Timer mTimer = null;

/** timerTask 对象**/

TimerTask mTimerTask = null;

/**记录TimerId**/

int mTimerId =0;

/**图片列表**/

private List list;

/**图片容器**/

private ImageView mImageView;

public void onCreate(Bundle s){

super.onCreate(s);

setContentView(R.layout.main);

mContext = this;

mButton =(Button) this.findViewById(R.id.button1);

mImageView =(ImageView)this.findViewById(R.id.imageview);

mTextView =(TextView) this.findViewById(R.id.textView1);

mButton.setOnClickListener(new OnClickListener(){

public void onClick(View v){

StartAsync();

}

});

}

public void StartAsync(){

new AsyncTask(){

protected void onPreExecute(){

//首先执行这个方法,它在UI线程中,可以执行一些异步操作

mTextView.setText("开始加载进度");

super.onPreExecute();

}

@Override

protected Object doInBackground(Object... params) {

// TODO Auto-generated method stub

//异步后台执行,执行完毕可以返回出去一个结果 Object 对象

//得到开始加载得时间

list = new ArrayList();

for(int i =0;i<100;i++){

Bitmap bitmap =ReadBitmap(mContext,R.drawable.icon);

final ByteArrayOutputStream os = new ByteArrayOutputStream();

bitmap.compress(Bitmap.CompressFormat.PNG, 100, os);

byte[] image = os.toByteArray();

Bundle bundle = new Bundle();

bundle.putInt("index", i);

bundle.putByteArray("image", image);

publishProgress(bundle);

list.add(bitmap);

}

return list;

}

protected void onPostExecute(Object result){

//doInBackground 执行之后在这里可以接受到返回结果的对象

List list = (List) result;

mTextView.setText("一共加载了"+list.size()+"张图片");

super.onPostExecute(result);

}

protected void onProgressUpdate(Object... values){

//时时拿到当前的进度更新UI

Bundle bundle = (Bundle)values[0];

byte[] image = bundle.getByteArray("image");

Bitmap bitmap = BitmapFactory.decodeByteArray(image, 0, image.length);

int index = bundle.getInt("index");

mTextView.setText("当前加载进度"+index);

mImageView.setImageBitmap(bitmap);

super.onProgressUpdate(values);

}

}.execute();

}

public Bitmap ReadBitmap(Context context,int resId){

BitmapFactory.Options opt = new BitmapFactory.Options();

opt.inPreferredConfig = Bitmap.Config.RGB_565;

opt.inPurgeable = true;

opt.inInputShareable = true;

InputStream is = context.getResources().openRawResource(resId);

return BitmapFactory.decodeStream(is, null, opt);

}

}

3TimerTask

可以根据我们的设置来间隔性的运行,可以很好的实现监听功能一般也跟handler一起

package com.android.wei.thread;

import java.util.Timer;

import java.util.TimerTask;

import android.app.Activity;

import android.content.Context;

import android.os.Bundle;

import android.os.Handler;

import android.os.Message;

import android.view.View;

import android.view.View.OnClickListener;

import android.widget.Button;

import android.widget.TextView;

public class TimerTaskActivity extends Activity{

/**执行Timer进度**/

public final static int LOAD_PROGRESS =0;

/**关闭TImer进度**/

public final static int CLOSE_PROGRESS =1;

/**开始TIMERTASK按钮**/

Button mButton0 = null;

/**关闭TIMERTASK按钮**/

Button mButton1 =null;

/**显示内容**/

TextView mTextView = null;

Context mContext = null;

/**timer对象**/

Timer mTimer = null;

/**TimerTask对象**/

TimerTask mTimerTask = null;

/**记录TimerID**/

int mTimerID =0;

Handler handler = new Handler(){

public void handleMessage(Message msg){

switch(msg.what){

case LOAD_PROGRESS:

mTextView.setText("当前得TimerID为:"+msg.arg1);

break;

case CLOSE_PROGRESS:

mTextView.setText("当前Timer已经关闭请重新启动");

break;

}

super.handleMessage(msg);

}

};

protected void onCreate(Bundle s){

setContentView(R.layout.timer);

mContext = this;

mButton0 = (Button) this.findViewById(R.id.button1);

mButton1 = (Button) this.findViewById(R.id.button2);

mTextView = (TextView) this.findViewById(R.id.textView1);

mTextView.setText("点击按钮开始更新时间");

mButton0.setOnClickListener(new OnClickListener(){

public void onClick(View v){

StartTimer();

}

});

mButton1.setOnClickListener(new OnClickListener(){

public void onClick(View v){

CloseTimer();

}

});

super.onCreate(s);

}

public void StartTimer(){

if(mTimer == null){

mTimerTask = new TimerTask(){

@Override

public void run() {

mTimerID ++;

Message msg = new Message();

msg.what = LOAD_PROGRESS;

msg.arg1 =(int) (mTimerID);

handler.sendMessage(msg);

}

};

mTimer = new Timer();

//第一个参数为执行的mTimerTask

//第二个参数为延迟得事件,这里写1000得意思是 mTimerTask将延迟1秒执行

//第三个参数为多久执行一次,这里写1000 表示没1秒执行一次mTimerTask的Run方法

mTimer.schedule(mTimerTask, 1000,1000);

}

}

public void CloseTimer(){

if(mTimer !=null){

mTimer.cancel();

mTimer = null;

}

if(mTimerTask!= null){

mTimerTask = null;

}

mTimerID =0;

handler.sendEmptyMessage(CLOSE_PROGRESS);

}

}

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

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

相关文章

qc成果报告范例_QC推进这样做才是货真价值!| 看机电股份的QC报告

​❖QC小组活动是激发全体员工聪明才智、改善现场管理、提升企业综合竞争力的有效方法&#xff01;QC学习是QC活动推行的基础&#xff0c;高层参与则是QC活动推行的保障。-为进一步提升企业高层对QC的认识及重视&#xff0c; 5月20日下午&#xff0c;机电股份开展QC活动阶段汇报…

android白色字体代码,Android实现状态栏白底黑字效果示例代码

前言本文主要给大家介绍了关于Android如何实现状态栏白底黑字的相关内容&#xff0c;分享出来供大家参考学习&#xff0c;下面话不多说了&#xff0c;来一起看看详细的介绍吧。一、描述在项目中有的时候Ui设计状态栏背景颜色是白色的&#xff0c;虽然还挺好看&#xff0c;不过可…

ios 点生成线路 百度地图_iOS SDK | 百度地图API SDK

注意事项1、静态库中采用ObjectC实现&#xff0c;因此需要您保证您工程中至少有一个.mm后缀的源文件(您可以将任意一个.m后缀的文件改名为.mm)&#xff0c;或者在工程属性中指定编译方式&#xff0c;即在Xcode的Project -> Edit Active Target -> Build Setting 中找到 C…

android中文转字节数组,如何将Android中的byte []转换为C中的uint8_T数组?

Java没有无符号整数类型,但相机并不真正关心.您可以安全地将从onPictureTaken()回调到达的字节数组转换为uint8_t *.旁注&#xff1a;很可能,图片将以JPEG流形式到达.更新&#xff1a;在C中实现onPictureTaken()的示例以下是您在活动中的所在地&#xff1a;mCamera Camera.ope…

python代码没有反应_没有任何编程经验者不要被Python简明手册误导。

想学python,没有任何编程经验者不要被python简明手册误导。1、python简明手册是一本好书但这本书是针对有经验的程序员看的&#xff0c;详细一点说&#xff0c;有3年以上c/java&#xff0c;、delphi/vb&#xff0c;php等有丰富项目经验的程序员看的&#xff0c;他们一般一个星期…

android iphone对比度,对比度对比:显示器优势明显_苹果 MacBook Pro_液晶显示器评测-中关村在线...

紧接着&#xff0c;我们来看看对比度方面&#xff0c;戴尔P2412Hb液晶显示器以及华硕N53S、三星305V4A、神舟A560-i7D5优雅、联想B470e、富士通LH532、戴尔Inspiron 14R-7420、索尼VPCEG-212T、惠普Pavilion g4、宏碁5755G和苹果MacBook Pro这10款热门笔记本电脑屏幕的表现如何…

layui轮播图切换会有跳动_Layui中轮播图切换函数说明

### Layui中轮播图切换函数说明 ######## 官方文档 [链接][Link 1] #####![在这里插入图片描述][watermark_type_ZmFuZ3poZW5naGVpdGk_shadow_10_text_aHR0cHM6Ly9ibG9nLmNzZG4ubmV0L2h1bmFuOTYx_size_16_color_FFFFFF_t_70]关于轮播图的使用和讲解&#xff0c;官方文档例子都说…

android语法高亮编辑器,HighlightTextEditor

软件简介语法高亮HighlightTextEditor是一个安卓代码语法高亮控件&#xff0c;目前已经支持200多种语言&#xff0c;近90多种主题配色方案&#xff0c;同时支持lua扩展&#xff0c;以及自定义语言配置。强烈推荐&#xff0c;一款不可多得的开源控件。支持的语言&#xff1a;aba…

操作系统hpf算法事例_操作系统中常见算法汇总

一、常见作业调度(高级调度)算法1、先来先服务调度算法(FCFS):就是按照各个作业进入系统的自然次序来调度作业。这种调度算法的优点是实现简单&#xff0c;公平。其缺点是没有考虑到系统中各种资源的综合使用情况&#xff0c;往往使短作业的用户不满意&#xff0c;因为短作业等…

android背景不填充,(Android Studio)应用程序背景图像不填充屏幕

我认为它正在发生&#xff0c;因为顶层容器中存在填充...这就是你的情况下的相对布局如果您的相对布局看起来像下面的代码xmlns:tools"http://schemas.android.com/tools"android:layout_width"match_parent"android:layout_height"match_parent"…

android 将图片路径转二进制,将图像转换为二进制图像中的android

八月8日至12日&#xff1a;52&#xff1a;32.887&#xff1a;d/dalvikvm(774)&#xff1a;GC_CONCURRENT释放71K&#xff0c;7&#xff05;的游离 2765K/2964K&#xff0c;暂停23MS 15ms&#xff0c;总计94ms08-12 08&#xff1a;52&#xff1a;33.497&#xff1a;D/gralloc_g…

python写一个路径选择app_django下创建多个app并设置urls方法

1、创建第二个app假设我们项目P下面已经有了一个默认的app&#xff0c;名字是app1。现在我想创建第二个app&#xff0c;名字时app2。进入pychram下的Terminal中&#xff0c;运行命令&#xff1a;python manage.py startapp app2此外&#xff0c;我在每个app下都建立一个urls.py…

html h1 字母,html----h1-6标签

web安全之sql注入的防御自动把引号转义 1.防御sql注入的基本原则 任何时候不应该改变用户的输入 比如用户输入单引号,那输出也要是单引号. 几种基本的防 ...Java中的装箱拆箱一) 装箱与拆箱 Java中有概念是一切皆对象,因为所有的类都默认继…

hid编程 qt_hidapi-0.7.0 OS Develop 操作系统开发 240万源代码下载- www.pudn.com

文件名称: hidapi-0.7.0下载 收藏√ [5 4 3 2 1 ]开发工具: Visual C文件大小: 1593 KB上传时间: 2015-07-01下载次数: 0提 供 者: 王成龙详细说明&#xff1a;hidapi-0.7.0源码包&#xff0c;VC编译后生成hidapi.dll&#xff0c;可在其他C编程工具中使用(比如界面功能强…

java类初始化顺序_Java 类的初始化顺序

静态代码块&#xff1a;用staitc声明&#xff0c;jvm加载类时执行&#xff0c;仅执行一次构造代码块&#xff1a;类中直接用{}定义&#xff0c;每一次创建对象时执行执行顺序优先级&#xff1a;静态块,main(),构造块,构造方法1. 构造函数public HelloWorld(){ }关于构造函数&am…

推箱子android课程设计,推箱子游戏课程设计精选.doc

推箱子游戏课程设计精选目 录Ⅰ 摘要Ⅱ 前言Ⅲ 功能描述Ⅳ 配置要求Ⅴ 总体设计一、功能模块设计二、数据结构设计三、函数功能描述四、代码实现Ⅵ 参考文献Ⅰ 摘 要推箱子游戏是一款很有趣味的游戏&#xff0c;其开发过程有一定的技巧和方法&#xff0c;其中涉及到软中断、二维…

docker 获取宿主机ip_Docker基础修炼6——网络初探及单机容器间通信

如果觉得文章有帮助&#xff0c;欢迎点击头像关注我获取更多原创文章&#xff0c;同时也欢迎转发。同时也可以在我的历史文章中找到Linux操作系统相关的服务器运维管理入门系列文章&#xff0c;欢迎交流。前文演示docker容器内部数据共享与持久化&#xff0c;本文继续讨论docke…

奔图m6202nw清零方法_极低成本给奔图M6202NW硒鼓加墨粉(PD-213 加粉)

极低成本给奔图M6202NW硒鼓加墨粉(PD-213 加粉)2020-05-07 20:53:2532点赞135收藏82评论追加修改(2020-05-12 21:14:24):跟大家道个歉&#xff0c;最后关于“芯片不用更换”的说法我说错了&#xff0c;芯片是需要更换的&#xff0c;我发帖子的时候由于打印数量还没到(具体多少我…

android resume 流程,android,_应如何模拟才能测试activity的onPause-onResume流程?,android - phpStudy...

应如何模拟才能测试activity的onPause->onResume流程&#xff1f;发现原来启动了DisplayMessageActivity以后&#xff0c;实际上activity_main的onStop()已经被调用了。所以实际流程是 Pause->Stop->Start->Resume&#xff0c;不存在 Pause->Start->Resume的…

如何使用python多线程_Python3如何使用多线程升程序运行速度

优化前后新老代码如下&#xff1a; from git_tools.git_tool import get_collect_projects, QQNews_Git from threading import Thread, Lock import datetime base_url "http://git.xx.com" project_members_commits_lang_info {} lock Lock() threads []Author…