一、用start的方式开启服务
使用Service的步骤:
1.定义一个类继承Service
2.在Manifest.xml
文件中配置该Service
3.使用Context的startService(Intent)
方法启动该Service
4.不再使用时,调用stopService(Intent)
方法停止该Service
使用这种start方式启动的Service的生命周期如下:onCreate()
--->onStartCommand()
(onStart()
方法已过时) ---> onDestory()
注意事项:如果服务已经开启,不会重复的执行onCreate()
, 而是会调用onStart()
和onStartCommand()
。
服务停止的时候调用 onDestory()
。服务只会被停止一次。
特点:一旦服务开启跟调用者(开启者)就没有任何关系了。
开启者退出了,开启者挂了,服务还在后台长期的运行。
开启者不能调用服务里面的方法。
二、用bind的方式开启服务
使用Service的步骤:
1.定义一个类继承Service
2.在Manifest.xml
文件中配置该Service
3.使用Contex
t的bindService(Intent, ServiceConnection, int)
方法启动该Service
4.不再使用时,调用unbindService(ServiceConnection)
方法停止该服务
使用这种start方式启动的Service的生命周期如下:onCreate()
--->onBind()
--->onunbind()
--->onDestory()
注意事项:绑定服务不会调用onstart()
或者onstartcommand()
方法
特点:bind的方式开启服务,绑定服务,调用者挂了,服务也会跟着挂掉。
绑定者可以调用服务里面的方法。
三、通过bind方法开启一个service,调用者是如何调用服务里的方法呢?
首先定义一个Service
的子类。
public class MyService extends Service {
public MyService() {
}
@Override
public IBinder onBind(Intent intent) {
//返回MyBind对象
return new MyBinder();
}
private void methodOnMyService() {
Toast.makeText(getApplicationContext(), "服务里的方法执行!!!",
Toast.LENGTH_SHORT).show();
}
/**
* 该类用于在onBind方法执行后返回的对象,
* 该对象对外提供了该服务里的方法
*/
private class MyBinder extends Binder implements IMyBinder {
@Override
public void invokeMethodInMyService() {
methodOnMyService();
}
}
}
自定义的MyBinder
接口用于保护服务中不想让外界访问的方法
public interface IMyBinder {
void invokeMethodInMyService();
}
接着在Manifest.xml
文件中注册该Service
在Activity中绑定并调用服务里的方法绑定服务的Activity:
public class MainActivity extends Activity {
private MyConn conn;
private Intent intent;
private IMyBinder myBinder;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
}
//开启服务按钮的点击事件
public void start(View view) {
intent = new Intent(this, MyService.class);
conn = new MyConn();
//绑定服务,
// 第一个参数是intent对象,表面开启的服务。
// 第二个参数是绑定服务的监听器
// 第三个参数一般为BIND_AUTO_CREATE常量,表示自动创建bind
bindService(intent, conn, BIND_AUTO_CREATE);
}
//调用服务方法按钮的点击事件
public void invoke(View view) {
myBinder.invokeMethodInMyService();
}
private class MyConn implements ServiceConnection {
@Override
public void onServiceConnected(ComponentName componentName, IBinder iBinder) {
//iBinder为服务里面onBind()方法返回的对象,所以可以强转为IMyBinder类型
myBinder = (IMyBinder) iBinder;
}
@Override
public void onServiceDisconnected(ComponentName componentName) {
}
}
}
总结下:绑定本地服务调用方法的步骤