文章目录
前些天发现了一个巨牛的人工智能学习网站,通俗易懂,风趣幽默,忍不住分享一下给大家。 点击跳转到网站。
Service生命周期
在项目的任何位置调用了Context的startService()方法,相应的Service就会启动,并回调onStartCommand()方法。如果这个Service之前还没有创建过,onCreate()方法会先于onStartCommand()方法执行。Service启动了之后会一直保持运行状态,直到stopService()或stopSelf()方法被调用,或者被系统回收。另外,虽然每调用一次startService()方法,onStartCommand()就会执行一次,但实际上每个Service只会存在一个实例。
生命周期方法:
类 型 | 方法名 | 描述 | 作 用 |
---|---|---|---|
手动调用 | startService() | 启动服务 | |
stopService() | 关闭服务 | ||
bindService() | 绑定服务 | ||
unbindService() | 解绑服务 | ||
自动调用 | onCreate() | 首次创建服务时,系统将调用此方法。如果服务已在运行,则不会调用此方法,该方法只调用一次。 | 创建服务 |
onStartCommand() | 当另一个组件通过调用startService()请求启动服务时,系统将调用此方法。 | 开始服务 | |
onDestroy() | 当服务不再使用且将被销毁时,系统将调用此方法。 | 销毁服务 | |
onBind | 当另一个组件通过调用bindService()与服务绑定时,系统将调用此方法。 | 绑定服务 | |
onUnbind() | 当另一个组件通过调用unbindService()与服务解绑时,系统将调用此方法。 | 解绑服务 | |
onRebind() | 当旧的组件与服务解绑后,另一个新的组件与服务绑定,onUnbind()返回true时,系统将调用此方法。 |
图源菜鸟教程。
使用前台Service
服务几乎都是在后台运行的,它的系统优先级还是比较低的,当系统出现内存不足的情况时,就有可能会回收掉正在后台运行的服务。如果需要服务可以一直保持运行状态,而不会由于系统内存不足的原因导致被回收,就可以考虑使用前台服务。前台服务和普通服务最大的区别就在于,它会一直有一个正在运行的图标在系统的状态栏显示,下拉状态栏后可以看到更加详细的信息,非常类似于通知的效果。
修改MyService中的代码。
@SuppressLint("ForegroundServiceType")
@Override
public void onCreate(){
super.onCreate();
Log.d("MyService", "onCreate executed");
NotificationManager manager = (NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE);
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
NotificationChannel channel = new NotificationChannel("my_service", "前台Service通知", NotificationManager.IMPORTANCE_DEFAULT);
manager.createNotificationChannel(channel);
}
Intent intent = new Intent(this, MainActivity.class);
PendingIntent pi = PendingIntent.getActivity(this, 0, intent, 0);
Notification builder = new NotificationCompat.Builder(this, "my_service")
.setContentTitle("This is content title")
.setContentText("This is content text")
.setSmallIcon(R.mipmap.ic_launcher)
.setLargeIcon(BitmapFactory.decodeResource(getResources(), R.mipmap.ic_launcher))
.setContentIntent(pi)
.build();
startForeground(1, builder);
}
从Android 9.0系统开始,使用前台Service必须在AndroidManifest.xml文件中进行权限声明才行。
标签:生命周期,服务,Service,安卓,调用,前台,onCreate,方法 From: https://blog.csdn.net/qq_47658735/article/details/141216864