IntentService
Service运行在主线程中,我们在Service中实现逻辑时要非常小心。要考虑如果这个逻辑是一个阻塞操作,或者需要很长时间才能结束,可能会引起ANR问题。在这种情况下,我们要将逻辑移到独立的线程中。这就意味着,要在onStartCommand方法中创建一个线程,然后运行它。
从Service派生的另一个IntentService类可以简化我们的开发。当不需要在同一时间去处理多个请求时,这个类比较好用。这个类创建了一个工作线程来处理不同的请求。执行的操作如下:
- 创建一个单独的线程来处理请求
- 创建一个请求队列并偶尔传递一个Intent
- 创建一个默认的onStartCommand实现
- 在所有的请求执行完毕后结束Service
如果我们想要创建一个IntentService,需要继承IntentService类而不是Service类:
1
2
3
4
5
6
7
8
9
10
11
12
|
public class TestIntentService extends IntentService {
public TestIntentService() {
super("TestIntentService");
}
@Override
protected void onHandleIntent(Intent intent) {
}
}
|
在这个实例中,我们只需要实现onHandleIntent方法。这里实现的外部逻辑不用关心操作是否耗时,因为这个方法在单独的线程中调用。
自动启动Service
很多时候我们想要自动启动我们的服务,例如在开机时自动启动。我们知道需要一个组件来启动Service。那么,怎么样做到自动启动呢?我们可以使用一个广播接收器来启动服务。例如,如果我们想要在智能手机开机时候启动它,可以先创建一个广播接收器监听这个事件(开机),然后启动Service。
1
2
3
4
5
6
7
8
9
|
public class BootBroadcast extends BroadcastReceiver {
@Override
public void onReceive(Context ctx, Intent intent) {
ctx.startService(new Intent(ctx, TestService.class));
}
}
|
在Manifest.xml中声明:
1
2
3
4
5
|
<receiver android:name=".BootBroadcast">
<intent-filter >
<action android:name="android.intent.action.BOOT_COMPLETED"/>
</intent-filter>
</receiver>
|