Service 作为 Android四大组件之一,应用非常广泛。和Activity一样,Service 也有一系列的生命周期回调函数,我们可以用来监测 Service状态变化,并且在适当的时候执行适当的工作。
Service生命周期图
1. 生命周期状态
Service生命周期流程图:
Service生命周期流程图
-
onCreate():
首次创建服务时,系统将调用此方法。如果服务已在运行,则不会调用此方法,该方法只调用一次。 -
onStartCommand():
当另一个组件通过调用startService()
请求启动服务时,系统将调用此方法。 -
onDestroy():
当服务不再使用且将被销毁时,系统将调用此方法。 -
onBind():
当另一个组件通过调用bindService()
与服务绑定时,系统将调用此方法。// 在 Service 类中: @Override public IBinder onBind(Intent intent) { Log.i(LOG, "onBind............"); return binder; }
-
onUnbind():
当另一个组件通过调用unbindService()
与服务解绑时,系统将调用此方法。 -
onRebind():
当旧的组件与服务解绑后,另一个新的组件与服务绑定,onUnbind()
返回true时,系统将调用此方法。
2. 生命周期方法
在Service的生命周期里,常用的方法有:
- 手动调用的方法:
手动调用方法 | 作用 |
---|---|
startService() | 启动服务 |
stopService() | 关闭服务 |
bindService() | 绑定服务 |
unbindService() | 解绑服务 |
- 自动调用的方法:
自动调用方法 | 作用 |
---|---|
onCreat() | 创建服务 |
onStartCommand() | 开始服务 |
onDestroy() | 销毁服务 |
onBind() | 绑定服务 |
onUnbind() | 解绑服务 |
3. 生命周期调用
1)启动Service服务
单次:startService() —> onCreate() —> onStartCommand()
多次:startService() —> onCreate() —> onStartCommand() —> onStartCommand()
2)停止Service服务stopService() —> onDestroy()
3)绑定Service服务bindService() —> onCreate() —> onBind()
4)解绑Service服务unbindService() —> onUnbind() —> onDestroy()
5)启动绑定Service服务startService() —> onCreate() —> onStartCommand() —> bindService() —> onBind()
6)解绑停止Service服务unbindService() —> onUnbind() —> stopService() —> onDestroy()
7)解绑绑定Service服务unbindService() —> onUnbind(ture) —> bindService() —> onRebind()
获取Service对象 (Binder)
public class MyBinder extends Binder{
public Service1 getService(){
return Service1.this;
}
}
完整代码演示:
public class Service1 extends Service{
private final IBinder binder = new MyBinder();
private static final String LOG="mp3";
@Override
public IBinder onBind(Intent intent) {
Log.i(LOG, "onBind............");
return binder;
}
/**
* 该类是获得Service对象
* @author Administrator
*
*/
public class MyBinder extends Binder{
public Service1 getService(){
return Service1.this;
}
}
@Override
public void onCreate() {
Log.i(LOG, "oncreate............");
super.onCreate();
}
@Override
public void onStart(Intent intent, int startId) {
Log.i(LOG, "onstart............");
super.onStart(intent, startId);
}
@Override
public int onStartCommand(Intent intent, int flags, int startId) {
Log.i(LOG, "onstartcommand............");
return super.onStartCommand(intent, flags, startId);
}
@Override
public void onDestroy() {
Log.i(LOG, "ondestory............");
super.onDestroy();
}
}