Service(服务)
服务是一个后台运行的组件,执行长时间运行且不需要用户交互的任务。即使应用被销毁也依然可以工作。服务基本上包含两种状态
服务拥有生命周期方法,可以实现监控服务状态的变化,可以在合适的阶段执行工作。下面的左图展示了当服务通过startService()被创建时的生命周期,右图则显示了当服务通过bindService()被创建时的生命周期:
要创建服务,你需要创建一个继承自Service基类或者它的已知子类的Java类。Service基类定义了不同的回调方法和多数重要方法。你不需要实现所有的回调方法。虽然如此,理解所有的方法还是非常重要的。实现这些回调能确保你的应用以用户期望的方式实现。
service的开启与关闭
mainactivity.java
package com.example.test_0;
import androidx.appcompat.app.AppCompatActivity;
import android.content.ComponentName;
import android.content.Intent;
import android.content.ServiceConnection;
import android.os.Bundle;
import android.os.IBinder;
import android.telecom.ConnectionService;
import android.view.View;
public class MainActivity extends AppCompatActivity {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
}
//service的开启与关闭********************************************
//service的关闭
public void stop_service(View view) {
stopService(new Intent(this,test_service.class));
}
//service的开启
public void start_service(View view) {
startService(new Intent(this,test_service.class));
}
//service的绑定**************************************************
//service的绑定
public void bind_service(View view) {
bindService(new Intent(this,test_service.class),connect,BIND_AUTO_CREATE);
}
//service的解绑
public void unbind_service(View view) {
unbindService(connect);
}
//connec的实现***************************************************
private ServiceConnection connect = new ServiceConnection(){
@Override
public void onServiceConnected(ComponentName componentName, IBinder iBinder) {
}
@Override
public void onServiceDisconnected(ComponentName componentName) {
}
};
//将service绑定到activity上,activity一消失,service就结束。
@Override
protected void onDestroy() {
super.onDestroy();
unbindService(connect);
}
}
test_service.java
package com.example.test_0;
import android.app.Service;
import android.content.Intent;
import android.os.IBinder;
import android.util.Log;
import androidx.annotation.Nullable;
public class test_service extends Service {
private static final String TAG = "loge";
@Nullable
@Override
public IBinder onBind(Intent intent) {
return null;
}
//service被创造
@Override
public void onCreate() {
super.onCreate();
Log.e(TAG, "onCreate: >>>");
}
@Override
public void onStart(Intent intent, int startId) {
super.onStart(intent, startId);
Log.e(TAG, "onStartCommand: >>>");
}
//service被运行
@Override
public int onStartCommand(Intent intent, int flags, int startId) {
Log.e(TAG, "onStartCommand: >>>");
return super.onStartCommand(intent, flags, startId);
}
//服务被删除
@Override
public void onDestroy() {
super.onDestroy();
Log.e(TAG, "onDestroy: >>>");
}
//解除绑定
@Override
public boolean onUnbind(Intent intent) {
return super.onUnbind(intent);
}
//开始绑定
@Override
public void onRebind(Intent intent) {
super.onRebind(intent);
}
}