Android 4 学习(19):Services

参考《Professional Android 4 Development

 

Services

Serviceinvisible的,因此其优先级不高于visibleActivity,之所以说不高于,是因为我们可以设置Service为在前台运行。

创建Service

Android提供了Service抽象类,继承它便可以创建一个Service类:

 

import android.app.Service;
import android.content.Intent;
import android.os.IBinder;
public class MyService extends Service {@Overridepublic void onCreate() {super.onCreate();// TODO: Actions to perform when service is created.}@Overridepublic IBinder onBind(Intent intent) {// TODO: Replace with service binding implementation.return null;}
}

 

创建Service类之后,还需要在Manifest里面注册:

 

<service android:enabled=”true” android:name=”.MyService” android:permission=”com.paad.MY_SERVICE_PERMISSION”/>

 

若要默认只有自己的程序可以使用这个Service,需要添加Android:permission属性。其他Application若要使用这个服务,需要加入这个permission

执行Service

ServicestartService()方法调用时,即可引起onStartCommand方法的调用,因此需要重写Service中的onStartCommand方法,并且onStartCommand方法可能会被多次调用。onStartCommand()方法将返回一个int值,用于指定当Serviceruntime杀掉又重启的时,系统该如何响应:

 

@Override
public int onStartCommand(Intent intent, int flags, int startId) {startBackgroundTask(intent, startId);return Service.START_STICKY;
}

 

重启Service

onStartCommand()方法可以返回这些参数,它们的意义是:

START_STICKY:如果service进程被kill掉,保留service的状态为开始状态,但不保留递送的intent对象。随后系统会尝试重新创建service,由于服务状态为开始状态,所以创建服务后一定会调用onStartCommand(Intent,int,int)方法。如果在此期间没有任何启动命令被传递到service,那么参数Intent将为null。

START_NOT_STICKY:“非粘性的”。如果在执行完onStartCommand后,服务被异常kill掉,系统不会自动重启该服务。
START_REDELIVER_INTENT:使用这个返回值时,如果未执行完onStartCommand,服务在调用stopSelf之前被kill掉,系统会自动重启该服务,并将Intent的值传入。

参考:http://www.krislq.com/2013/05/android-class-return-value-of-onstartcommand/

启动和停止服务

调用startService方法可以启动服务:

 

private void explicitStart() {// Explicitly start My ServiceIntent intent = new Intent(this, MyService.class);// TODO Add extras if required.startService(intent);
}
private void implicitStart() {// Implicitly start a music ServiceIntent intent = new Intent(MyMusicService.PLAY_ALBUM);intent.putExtra(MyMusicService.ALBUM_NAME_EXTRA, “United”);intent.putExtra(MyMusicService.ARTIST_NAME_EXTRA, “Pheonix”);startService(intent);
}

 

调用stopService方法可以停止服务:

 

// Stop a service explicitly.
stopService(new Intent(this, MyService.class));
// Stop a service implicitly.
Intent intent = new Intent(MyMusicService.PLAY_ALBUM);
stopService(intent);

 

服务自杀

服务内部调用stopSelf方法,可以停止该服务。

绑定ServiceActivity

首先,Service要实现IBind接口:

 

@Override
public IBinder onBind(Intent intent) {return binder;
}
public class MyBinder extends Binder {MyMusicService getService() {return MyMusicService.this;}
}
private final IBinder binder = new MyBinder();

 

ServiceConnection类用于表示ServiceActivity的绑定,每个绑定都需要创建一个ServiceConnection

 

// Reference to the service
private MyMusicService serviceRef;
// Handles the connection between the service and activity
private ServiceConnection mConnection = new ServiceConnection() {public void onServiceConnected(ComponentName className, IBinder service) {// Called when the connection is made.serviceRef = ((MyMusicService.MyBinder)service).getService();}public void onServiceDisconnected(ComponentName className) {// Received when the service unexpectedly disconnects.serviceRef = null;}
};

 

最后,调用bindService方法,传入用于启动ServiceIntentServiceConnection和标志位:

 

// Bind to the service
Intent bindIntent = new Intent(MyActivity.this, MyMusicService.class);
bindService(bindIntent, mConnection, Context.BIND_AUTO_CREATE);

 

通常情况下,Android应用在自己的内存空间中运行,并不共享内存。若要与其他进程通信,可以使用广播,或在Intent中添加Bundle参数启动其他Service的方法。如果需要更紧密的通信,可以使用Android Interface Defi nition Language(AIDL)。AIDL使用OS级别的简单变量定义了接口,可以跨应用传递对象。

 

创建前台服务

 

使用startForeground方法启动服务,可以使服务获得与Visible Activity相同的优先级,例如:

 

private void startPlayback(String album, String artist) {int NOTIFICATION_ID = 1;// Create an Intent that will open the main Activity if the notification is clicked.Intent intent = new Intent(this, MyActivity.class);PendingIntent pi = PendingIntent.getActivity(this, 1, intent, 0);// Set the Notification UI parametersNotification notification = new Notification(R.drawable.icon, “Starting Playback”, System.currentTimeMillis());notification.setLatestEventInfo(this, album, artist, pi);// Set the Notification as ongoingnotification.flags = notification.flags | Notification.FLAG_ONGOING_EVENT;// Move the Service to the ForegroundstartForeground(NOTIFICATION_ID, notification);
}

 

使用stopForeground方法可以取消Service的前台属性:

 

public void pausePlayback() {// Move to the background and remove the NotificationstopForeground(true);
}

 

使用后台线程

ServiceActivity一样,也是在主线程中运行的,为了更好地响应用户,我们需要使用后台线程的方式执行ServiceAndroid提供了两个抽象类来帮助我们实现:AsyncTaskIntentService

使用AsyncTask

AsyncTask不仅能帮助我们将费时操作放到后台执行,还可以实现和UI线程的同步。AsyncTask适合执行那些耗时比较短并且和UI线程有交互的任务,对于耗时较久的任务(例如下载),使用Service更为合适。需要注意的是AsyncTask在应用restart之后会被cancel掉。

 

private class MyAsyncTask extends AsyncTask<String, Integer, String> {
@Override
protected String doInBackground(String... parameter) {
// Moved to a background thread.
String result = “”;
int myProgress = 0;
int inputLength = parameter[0].length();
// Perform background processing task, update myProgress]
for (int i = 1; i <= inputLength; i++) {
myProgress = i;
result = result + parameter[0].charAt(inputLength-i);
try {
Thread.sleep(100);
} catch (InterruptedException e) { }
publishProgress(myProgress);
}
// Return the value to be passed to onPostExecute
return result;
}
@Override
protected void onProgressUpdate(Integer... progress) {
// Synchronized to UI thread.
// Update progress bar, Notification, or other UI elements
asyncProgress.setProgress(progress[0]);
}
@Override
protected void onPostExecute(String result) {
// Synchronized to UI thread.
// Report results via UI update, Dialog, or notifications
asyncTextView.setText(result);
}
}

 

使用AsyncTask,首先要创建一个AsyncTask的子类类并实现doInBackgroundonProgressUpdateonPostExecute方法。这三个方法的说明:

  • doInBackground: 这个方法用于执行需要在后台线程中长期运行的操作,可以通过publishProgress方法传递参数给onProgressUpdate;在这个方法执行完毕之后,此方法将返回值传递给onProgressUpdate。
  • onProgressUpdate: 接收publishProgress方法传入的参数,更新UI
  • onPostExecute: doInBackground执行结束后,将返回值传入此方法。

执行AsyncTask

String input = “redrum ... redrum”;
new MyAsyncTask().execute(input);

Intent Service简介

IntentService可以通过传入Intent参数调用,传入的Intent将进入一个队列中被异步执行。IntentService封装了消息的异步处理,后台线程创建以及与UI线程的同步。继承IntentService类并实现onHandleIntent方法,即可创建一个Intent Service

 

import android.app.IntentService;
import android.content.Intent;
public class MyIntentService extends IntentService {public MyIntentService(String name) {super(name);// TODO Complete any required constructor tasks.}@Overridepublic void onCreate() {super.onCreate();// TODO: Actions to perform when service is created.}@Overrideprotected void onHandleIntent(Intent intent) {// This handler occurs on a background thread. TODO The time consuming task should be implemented here.// Each Intent supplied to this IntentService will be processed consecutively here. When all incoming Intents have been processed the Service will terminate itself.}
}

 

Loader简介

Loader是一个抽象类,封装了异步加载数据的最佳实践,最典型的就是CursorLoader了。Android中创建Loader类的简单方法是继承AsyncTaskLoader类,并实现这两个功能:

  • 异步加载数据
  • 监测数据源的变化并及时更新

手动创建线程及GUI线程同步

尽管AsyncTaskIntent Service提供了简单易用的异步类封装,但我们也可以创建自定义的异步线程:

 

// This method is called on the main GUI thread.
private void backgroundExecution() {// This moves the time consuming operation to a child thread.Thread thread = new Thread(null, doBackgroundThreadProcessing, “Background”);thread.start();
}
// Runnable that executes the background processing method.
private Runnable doBackgroundThreadProcessing = new Runnable() {public void run() {backgroundThreadProcessing();}
};
// Method which does some processing in the background.
private void backgroundThreadProcessing() {
// [ ... Time consuming operations ... ]
}

 

GUI线程同步:

 

runOnUiThread方法会在UI线程执行:

 

runOnUiThread(new Runnable() {public void run() {// Update a View or other Activity UI element.}
});

 

此外,可以使用Handler类更新UI线程:

 

//This method is called on the main GUI thread.
private void backgroundExecution() {// This moves the time consuming operation to a child thread.Thread thread = new Thread(null, doBackgroundThreadProcessing, “Background”);thread.start();
}
// Runnable that executes the background processing method.
private Runnable doBackgroundThreadProcessing = new Runnable() {public void run() {backgroundThreadProcessing();}
};
// Method which does some processing in the background.
private void backgroundThreadProcessing() {
// [ ... Time consuming operations ... ]
// Use the Handler to post the doUpdateGUI
// runnable on the main UI thread.handler.post(doUpdateGUI);
}
//Initialize a handler on the main thread.
private Handler handler = new Handler();
// Runnable that executes the updateGUI method.
private Runnable doUpdateGUI = new Runnable() {public void run() {updateGUI();}
};
// This method must be called on the UI thread.
private void updateGUI() {
// [ ... Open a dialog or modify a GUI element ... ]
}

 

Handler类还可以使用postDelayedpostAtTime实现推迟运行和推迟指定时间运行:

 

// Post a method on the UI thread after 1sec.
handler.postDelayed(doUpdateGUI, 1000);
// Post a method on the UI thread after the device has been in use for 5mins.
int upTime = 1000*60*5;
handler.postAtTime(doUpdateGUI, SystemClock.uptimeMillis()+upTime);

 

使用ALARMS

Timer不太,Alarms属于系统服务,独立于应用程序。即使应用程序为启动,也可以使用Alarms启动应用程序并获取其服务,这样不仅减少了耦合,也减少了系统资源的占用。AndroidAlarms常与Broadcast Receiver一起使用。创建Alarm之前,首先要创建AlarmManager

 

AlarmManager alarmManager = (AlarmManager)getSystemService(Context.ALARM_SERVICE);

 

创建,设置和取消ALARMS

创建Alarm需要这些参数:alarm类型,触发时间,Alarm将要触发的Pending Intent。目前Alarm类型有这些:

  • RTC_WAKEUP:在指定时间启动指定Pending Intent,可以唤醒sleep中的设备。
  • RTC在指定时间启动指定Pending Intent,但不能唤醒sleep中的设备。
  • ELAPSED_REALTIME:在某段时间后启动指定的Pending Intent,某段时间是从设备启动但还没有唤醒设备算起。
  • ELAPSED_REALTIME_WAKEUP: 这个和ELAPSED_REALTIME的区别没搞明白,以后遇到了再查吧。

下面是一个10秒后启动Pending IntentAlarm示例:

 

AlarmManager alarmManager = (AlarmManager)getSystemService(Context.ALARM_SERVICE);
// Set the alarm to wake the device if sleeping.
int alarmType = AlarmManager.ELAPSED_REALTIME_WAKEUP;
// Trigger the device in 10 seconds.
long timeOrLengthofWait = 10000;
// Create a Pending Intent that will broadcast and action
String ALARM_ACTION = “ALARM_ACTION”;
Intent intentToFire = new Intent(ALARM_ACTION);
PendingIntent alarmIntent = PendingIntent.getBroadcast(this, 0, intentToFire, 0);
// Set the alarm
alarmManager.set(alarmType, timeOrLengthofWait, alarmIntent);

 

取消Alarm

alarmManager.cancel(alarmIntent);

这里的alarmIntent是指使用Alarm启动的Pending Intent

 

创建可重复的Alarm

 

使用setRepeating或setInexactRepeating方法替代前面的set方法,并传递响应的参数进去,就可以实现可重复的Alarm

 

相比setRepeating,setInexactRepeating更省电,但不能指定某个具体的时间间隔。

 

setInexactRepeating可以接收的时间间隔参数:

 

  • INTERVAL_FIFTEEN_MINUTES
  • INTERVAL_HALF_HOUR
  • INTERVAL_HOUR
  • INTERVAL_HALF_DAY
  • INTERVAL_DAY

 

下面这个例子指定半小时后启动Alarm,然后每隔半小时启动一次:

 

// Get a reference to the Alarm Manager
AlarmManager alarmManager = (AlarmManager)getSystemService(Context.ALARM_SERVICE);
// Set the alarm to wake the device if sleeping.
int alarmType = AlarmManager.ELAPSED_REALTIME_WAKEUP;
// Schedule the alarm to repeat every half hour.
long timeOrLengthofWait = AlarmManager.INTERVAL_HALF_HOUR;
// Create a Pending Intent that will broadcast and action
String ALARM_ACTION = “ALARM_ACTION”;
Intent intentToFire = new Intent(ALARM_ACTION);
PendingIntent alarmIntent = PendingIntent.getBroadcast(this, 0, intentToFire, 0);
// Wake up the device to fire an alarm in half an hour, and every half-hour after that.
alarmManager.setInexactRepeating(alarmType, timeOrLengthofWait, timeOrLengthofWait, alarmIntent);

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

转载于:https://www.cnblogs.com/jubincn/p/3521452.html

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

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

相关文章

ACL权限设定

1.ACL&#xff08;Access Control List&#xff09;可以针对单一使用者、单一档案或目录来进行r、w、x的权限规范。ACL主要针对以下方面来控制权限&#xff1a;1&#xff09;使用者&#xff1a;可以针对使用者。来设定权限2&#xff09;群组&#xff1a;针对群组为对象来设定其…

misc类设备驱动1——板载蜂鸣器驱动测试

以下内容源于朱有鹏嵌入式课程的学习与整理&#xff0c;如有侵权请告知删除。 一、驱动部分 1、前言 九鼎移植的内核已经提供了蜂鸣器驱动源码&#xff08;在SI中搜索关键字buzzer&#xff0c;发现出现有x210-buzzer.c文件&#xff1b;或者在make menuconfig界面搜索buzzer&am…

【微信开发】上传下载多媒体文件

最近一段时间&#xff0c;开始入手了微信开发。感觉挺有意思的&#xff0c;虽然目前还是遇到了许多解决不了的问题。上传下载多媒体文件&#xff0c;这个作为高级接口的一部分功能&#xff0c;可能使用的人并不多&#xff0c;所以现在网上关于这个接口的使用教程很少。于是我就…

github和git@osc提交问题

为什么80%的码农都做不了架构师&#xff1f;>>> 今天想用gitosc push下测试下自己能否正常使用gitosc的git仓库的&#xff0c;公钥SSH 已经加好。 ssh -T gitgit.oschina.net 测试正常。 结果报错could not read Username for https://git.oschina.net: No such fi…

misc类设备驱动2——misc类设备的简介

以下内容源于朱有鹏嵌入式课程的学习与整理&#xff0c;如有其侵权请告知删除。 一、misc类设备的含义 1、名字含义 misc是英文Miscellaneous的缩写&#xff0c;中文意思是“杂项、混杂”&#xff0c;因此“misc类设备”也叫“杂项设备”或者“混杂设备”。因为这些字符设备不…

怎样跟踪来访用户?

某些监视方法是比较容易想到的&#xff0c;比如&#xff0c;当你登录网站的时候&#xff0c;它就可以知道你是谁了。但是这些网络监视系统是如何通过你的上网行为记录你的个人信息呢&#xff1f; 广告系统经常通过追踪用户行为的方法来建立用户信息库&#xff0c;以定位谁是目标…

舟桥test

<p>testaa</p><p><script src"https://gist.github.com/chengdongdong/6ecf6f921c818d84d7a1.js"></script></p>转载于:https://blog.51cto.com/zchengdong/1599304

misc类设备驱动3——misc驱动框架源码分析(核心层+具体操作层)

以下内容源于朱有鹏嵌入式课程的学习与整理&#xff0c;如有其侵权请告知删除。 前言 由misc类设备驱动1——misc类设备的简介可知&#xff0c;misc类设备驱动框架包括以下两部分&#xff1a; 1、内核开发者实现的部分 drivers/char/misc.c文件主要包括2个关键点&#xff1a;类…

mint锁屏设置

心血来潮&#xff0c;给笔记本装了linux&#xff0c;版本是当下最火的mint。唔&#xff0c;使用体验不错&#xff5e;下面记录的是修改mint锁屏相关设置的修改方式。 In Linux Mint 13, the screen lock feature is disabled by default. After being idle for a while, the sc…

effective C++ 读后笔记

首先不得不说侯捷翻译的书大部分我都很喜欢&#xff0c;因为侯捷本身是一名出色的C技术专家。这本书讲的是C如何高效的运行&#xff0c;我想要成为一名卓越的开发人员&#xff0c;代码的高效性是必不可少的。很多人的代码质量很差&#xff0c;即使能够勉强运行在以后的维护和重…

【百度地图API】如何制作班级地理通讯录?LBS通讯录

原文:【百度地图API】如何制作班级地理通讯录&#xff1f;LBS通讯录摘要&#xff1a;班级通讯录必备的功能&#xff0c;比如人员列表&#xff0c;人员地理位置标注&#xff0c;展示复杂信息窗口&#xff0c;公交和驾车等。一般班级人员都不会超过300个&#xff0c;因为可以高效…

开发板——在X210开发板上进行裸机开发的流程

流程总结 本文以“LED流水灯”为例&#xff0c;说明在X210开发板上进行裸机开发的流程。 步骤一&#xff1a;搭建嵌入式Linux开发环境 在虚拟机中安装与配置Linux系统&#xff0c;并安装交叉编译工具链&#xff1b; 在win主机上安装dnw软件、九鼎烧写SD卡软件等内容。 步骤二&a…

zmail邮件系统安装手册 V2.0版本

2019独角兽企业重金招聘Python工程师标准>>> Tmail邮件系统安装手册 V2.0版本 1、系统环境 centos6.0以上&#xff0c;最小化安装(64位系统) 2、部署 1、删除自带的postfix、mysql、httpd # rpm -qa|grep postfix|xargs rpm -e --nodeps # rpm -qa|grep mysql|xargs…

Cassandra1.2文档学习(5)—— Snitch

参考资料&#xff1a;http://www.datastax.com/documentation/cassandra/1.2/webhelp/index.html#cassandra/architecture/architectureSnitchesAbout_c.html#concept_ds_c34_fqf_fk 一个snitch&#xff08;告密者&#xff09;决定应当从哪个数据数据中心和机架写入和读取数据。…

Entity Framework在WCF中序列化的问题(转)

问题描述 如果你在WCF中用Entity Framework来获取数据并返回实体对象&#xff0c;那么对下面的错误一定不陌生。 接收对 http://localhost:5115/ReService.svc 的 HTTP 响应时发生错误。这可能是由于服务终结点绑定未使用 HTTP 协议造成的。 这还可能是由于服务器中止了 HTTP …

【iHMI43 4.3寸液晶模块】demo例程(版本1.03)发布

技术论坛&#xff1a;http://www.eeschool.org 博客地址&#xff1a;http://xiaomagee.cnblogs.com 官方网店&#xff1a;http://i-board.taobao.com 银杏科技 GINGKO TECH. 保留权利&#xff0c;转载请注明出处 一、简介&#xff1a; 1、iHMI43 演示程序(版本号&#xff1a;1…

SDRAM——X210的SDRAM的初始化

以下内容源于朱友鹏嵌入式课程的学习与整理&#xff0c;如有侵权请告知删除。 参考博客&#xff1a;s5pv210——初始化SDRAM - biaohc - 博客园 这里说的SDRAM&#xff0c;简单点理解就是内存。 一、SDRAM的简介 1、SDRAM的含义 SDRAM是Syncronized Dynamic Ramdam Access Me…

安卓开发.四大组件.activity.1

安卓开发.四大组件.activity.1 转载于:https://www.cnblogs.com/motadou/p/3534056.html

单独一台机器测试Open×××加密隧道的问题和解决

其实这篇文章和Open的关系倒不是很大&#xff0c;只是通过Open测试时暴露出的问题。这篇文章里面倒是包含了很多IP路由以及conntrack的细节内容。 有时候&#xff0c;为了节省机器&#xff0c;我希望在一台设备上模拟多个设备&#xff0c;当然&#xff0c;使用网络命名空…

SCRT中只换行不回车的问题(阶梯)

转载源&#xff1a;SecureCRT中只换行不回车的问题 - 知乎 在SecureCRT中有时会遇到由于Windows的换行和Unix的换行控制字符不同的问题&#xff08;\r\n-\n&#xff09;&#xff0c;导致显示如下图所示的“阶梯”&#xff0c;又不想到源码中一个个改控制字符&#xff0c;此时可…