我使用Volley库连接我的应用程序中的服务器。现在,我还必须每5分钟在后台发送请求,当应用程序未运行时(由用户杀死)。我该怎么办?使用后台服务,AlarmManager
(Google表示它不是网络运营的不错选择)或其他什么?
或者SyncAdapter对它有好处吗?
答案 0 :(得分:5)
您可以在服务类中使用带有 scheduleAtFixedRate 的TimerTask来实现此目的,这里是Service类的一个示例,您可以使用它
public class ScheduledService extends Service
{
private Timer timer = new Timer();
@Override
public IBinder onBind(Intent intent)
{
return null;
}
@Override
public void onCreate()
{
super.onCreate();
timer.scheduleAtFixedRate(new TimerTask() {
@Override
public void run() {
sendRequestToServer(); //Your code here
}
}, 0, 5*60*1000);//5 Minutes
}
@Override
public void onDestroy()
{
super.onDestroy();
}
}
您可以使用 sendRequestToServer 方法连接服务器。 这是该服务的明确声明。
<service android:name=".ScheduledService" android:icon="@drawable/icon" android:label="@string/app_name" android:enabled="true"/>
从MainActivity启动服务,
// use this to start and trigger a service
Intent i= new Intent(context, ScheduledService.class);
context.startService(i);
答案 1 :(得分:3)
我更喜欢使用Android Handler,因为它默认在UI Thread中执行。
import android.os.Handler;
// Create the Handler object (on the main thread by default)
Handler handler = new Handler();
// Define the code block to be executed
private Runnable runnableCode = new Runnable() {
@Override
public void run() {
sendVolleyRequestToServer(); // Volley Request
// Repeat this the same runnable code block again another 2 seconds
handler.postDelayed(runnableCode, 2000);
}
};
// Start the initial runnable task by posting through the handler
handler.post(runnableCode);