我有一个JobIntentService
在每次推送通知来告诉服务获取更多数据时启动。当应用程序在前台时,一切正常工作。
当应用程序在后台并且收到多个推送通知时,意图将排队并多次执行同一意图,从而给服务器带来不必要的压力,因为对服务器的第一次调用将从中获取使另一个排队意图所需的所有信息不需要推送通知。
是否仍要取消或不将相同的意图添加到队列中,或以其他方式阻止对服务器的额外调用?
最佳答案
因此,首先是一些已经很相似的问题,它们都有很多很好的知识:question1和question2。也许你的问题甚至与类似的问题重复。
最干净的方法是在MyOwnJobIntentService extends JobIntentService
中使用jobinettservice的作业队列。
在androidx.core.app.JobIntentService.java
中有:
final ArrayList<CompatWorkItem> mCompatQueue;
在您的
MyOwnJobIntentService extends JobIntentService
中:if(mCompatQueue.isEmpty()){
//only in this case enqueue new job
}
但不幸的是
mCompatQueue
不是公共领域。10分钟后,我们得到了一个工作解决方案->
SingleJobIntentService
一个JobIntentService,如果它已经在工作,它将不会对作业进行排队。import android.content.Context;
import android.content.Intent;
import android.support.annotation.NonNull;
import android.support.v4.app.JobIntentService;
import android.util.Log;
public class SingleJobIntentService extends JobIntentService {
private static final String TAG = "SingleJobIntentService";
private Intent theOnlyJobIhave = null;
public static void enqueue(Context context, Intent work) {
Log.d(TAG, "enqueue: someone tries to add me work " + work.hashCode());
JobIntentService.enqueueWork(
context,
SingleJobIntentService.class,
SingleJobIntentService.class.hashCode(),
work);
}
@Override
protected void onHandleWork(@NonNull final Intent theWorkIgot) {
Log.d(TAG, "onHandleWork: " + this.hashCode());
if (theOnlyJobIhave == null) {
theOnlyJobIhave = theWorkIgot;
final int extraValue = theOnlyJobIhave.getIntExtra(MainActivity.KEY, -500);
Log.d(TAG, "onHandleWork: " + extraValue);
try {
Thread.sleep(7000); //this simulates fetch to server
} catch (InterruptedException e) {
e.printStackTrace();
}
} else {
Log.d(TAG, "onHandleWork I'm already busy, refuse to work >:(");
}
Log.d(TAG, "onHandleWork end");
}
}
您可能需要使用按钮进行简单的活动来测试它:
import android.content.Intent;
import android.support.v7.app.AppCompatActivity;
import android.os.Bundle;
import android.view.View;
import android.view.View.OnClickListener;
public class MainActivity extends AppCompatActivity {
public static final String KEY = "KEYKEY";
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
findViewById(R.id.button).setOnClickListener(new OnClickListener() {
@Override
public void onClick(final View v) {
final Intent theIntent = new Intent();
theIntent.putExtra(KEY, 666);
SingleJobIntentService.enqueue(MainActivity.this, theIntent);
}
});
}
}
注意:您必须小心线程,因为我给出的解决方案不是线程安全的。例如,在
androidx.core.app.JobIntentService.java
中,触摸mCompatQueue
是同步的。编辑:经过考虑->由于onHandleWork
是从jobintentservice单线程调用的,因此没有线程问题,解决方案是线程安全的!