android 使用service处理数据、后台处理耗时任务或定时任务方法
最近新加了一项功能,要实时的刷新后台的数据,让前端用户不在使用点击事件来获取相应数据!!思路:使用service在后台持续申请获取数据,然后将数据返回至前端实现:方式一:采用Handler的postDelayed(Runnable, long)方法方式二:采用timer及TimerTask结合的方法方式三:采用IntentService方法方式四:采用AlarmManager机制(推荐)方式一:采
最近新加了一项功能,要实时的刷新后台的数据,让前端用户不在使用点击事件来获取相应数据!!
思路:使用service在后台持续申请获取数据,然后将数据返回至前端
实现:
方式一:采用Handler的postDelayed(Runnable, long)方法
方式二:采用timer及TimerTask结合的方法
方式三:采用IntentService方法
方式四:采用AlarmManager机制(推荐)
方式一:采用Handler的postDelayed(Runnable, long)方法
handler = new Handler();
runnable = new Runnable() {
@Override
public void run() {
// handler自带方法实现定时器
cycle(); // 自定义方法
handler.postDelayed(this, 1000*3);//每隔3s执行
}
};
handler.postDelayed(runnable, 1000*60);//延时多长时间启动定时器
方式二:采用timer及TimerTask结合的方法
TimerTask timerTask = new TimerTask() {
@Override
public void run() {
System.out.println("99999998");
}
};
timer.schedule(timerTask
,1000//延迟1秒执行
,1000);//周期时间
}
方式三:采用IntentService方法
IntentService是继承Service的抽象类,在IntentService中有一个工作线程来处理耗时操作。
public class TestService extends IntentService {
public TestService() {
super("TestService");
}
@Override
protected void onHandleIntent(@Nullable Intent intent) {
cycle(); //执行耗时操作方法
}
}
方式四:采用AlarmManager机制(推荐)
AlarmManager alarmManager = (AlarmManager) getSystemService(Context.ALARM_SERVICE);
int anhour=1800*1000;
long triggerAtMillis = SystemClock.elapsedRealtime()+anhour; // 执行定时任务的周期时间
Intent alarmIntent = new Intent(this,UpdateService.class);
PendingIntent pendingIntent = PendingIntent.getService(this, 0, alarmIntent, PendingIntent.FLAG_UPDATE_CURRENT);
alarmManager.cancel(pendingIntent);
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.M) {// 6.0
RingLog.e("6.0");
alarmManager.setExactAndAllowWhileIdle(AlarmManager.ELAPSED_REALTIME_WAKEUP, triggerAtMillis, pendingIntent);
} else if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.KITKAT) {// 4.4
RingLog.e("4.4");
alarmManager.setExact(AlarmManager.ELAPSED_REALTIME_WAKEUP,triggerAtMillis, pendingIntent);
} else {
RingLog.e("4.4以下");
alarmManager.set(AlarmManager.ELAPSED_REALTIME_WAKEUP,triggerAtMillis, pendingIntent);
}
startTask(); //自定义定时执行的方法
个人推荐使用第四种方式
Timer并不太适用于那些需要长期在后台运行的定时任务。为了能让电池更加耐用,每种手机都会有自己的休眠策略,Android 手机就会在长时间不操作的情况下自动让 CPU 进入到睡眠状态,这就有可能导致 Timer 中的定时任务无法正常运行。
而第三种方法,可能是本人了解的不是很深入,使用起来并不是很顺手,而且有时候还会失效,T-T
而且,在适配各种机型中,个人发现在android 8.0以上,各种方式都可正常在后台处理数据,而在6.0(包含6.0)以下会导致程序直接崩溃,而第四种在适配过程中暂未发现此类崩溃问题!!所以推荐第四种!!!
以上,如有更好的方式或不同的见解,请评论区留言,共同探讨、成长!!!
更多推荐
所有评论(0)