基本用法
创建一个新的 JobService
这是通过扩展 JobService
类并实现/覆盖所需的方法 onStartJob()
和 onStopJob()
来完成的。
public class MyJobService extends JobService
{
final String TAG = getClass().getSimpleName();
@Override
public boolean onStartJob(JobParameters jobParameters) {
Log.i(TAG, "Job started");
// ... your code here ...
jobFinished(jobParameters, false); // signal that we're done and don't want to reschedule the job
return false; // finished: no more work to be done
}
@Override
public boolean onStopJob(JobParameters jobParameters) {
Log.w(TAG, "Job stopped");
return false;
}
}
将新的 JobService 添加到 AndroidManifest.xml
以下步骤是强制性的,否则你将无法运行你的工作:
将你的 MyJobService
类声明为 AndroidManifest.xml 中 <application> </application>
之间的新 <service>
元素。
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android" package="com.example">
<application
android:allowBackup="true"
android:icon="@mipmap/ic_launcher"
android:label="@string/app_name"
android:supportsRtl="true"
android:theme="@style/AppTheme">
<activity android:name=".MainActivity">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
<service
android:name=".MyJobService"
android:permission="android.permission.BIND_JOB_SERVICE" />
</application>
</manifest>
设置并运行作业
实施新的 JobService 并将其添加到 AndroidManifest.xml 后,你可以继续执行最后的步骤。
onButtonClick_startJob()
准备和经营一份定期工作。除了定期作业,JobInfo.Builder
还允许指定许多其他设置和约束。例如,你可以定义运行作业需要插入充电器或网络连接。onButtonClick_stopJob()
取消所有正在运行的作业
public class MainActivity extends AppCompatActivity
{
final String TAG = getClass().getSimpleName();
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
}
public void onButtonClick_startJob(View v) {
// get the jobScheduler instance from current context
JobScheduler jobScheduler = (JobScheduler) getSystemService(JOB_SCHEDULER_SERVICE);
// MyJobService provides the implementation for the job
ComponentName jobService = new ComponentName(getApplicationContext(), MyJobService.class);
// define that the job will run periodically in intervals of 10 seconds
JobInfo jobInfo = new JobInfo.Builder(1, jobService).setPeriodic(10 * 1000).build();
// schedule/start the job
int result = jobScheduler.schedule(jobInfo);
if (result == JobScheduler.RESULT_SUCCESS)
Log.d(TAG, "Successfully scheduled job: " + result);
else
Log.e(TAG, "RESULT_FAILURE: " + result);
}
public void onButtonClick_stopJob(View v) {
JobScheduler jobScheduler = (JobScheduler) getSystemService(JOB_SCHEDULER_SERVICE);
Log.d(TAG, "Stopping all jobs...");
jobScheduler.cancelAll(); // cancel all potentially running jobs
}
}
在调用 onButtonClick_startJob()
之后,即使应用程序处于暂停状态(用户按下主页按钮且应用程序不再可见) ,作业也将以大约 10 秒的间隔运行。
你也可以调用 jobScheduler.cancel()
取消基于其作业 ID 的特定作业,而不是取消 onButtonClick_stopJob()
内所有正在运行的作业。