我有一个Android后台服务,可以不时报告职位。当我通过wifi在本地进行测试时,效果很好,但是例如在3G连接中进行测试(有时在Edge上)时,我已经意识到该应用程序显然进入了瓶颈,并且不执行onLocationChanged方法。没关系,因为可能会丢失信号等。但是,过了一会儿(也许在重新建立连接后),它立即开始更新所有请求,在几秒钟之内很多次执行了onLocationChanged方法。

有谁知道如何解决这个问题?是否可以将超时添加到方法locationManager.requestLocationUpdates中?

我的听众

public class MyListener implements LocationListener {
  @Override
  public void onLocationChanged(Location loc) {
        //report location to server
        HttlCallToUpdatePostion(loc.Latitude, loc.Longitude, loc.Accuracy);
  }
}


我的服务

Handler handler = null;
LocationManager locationManager = (LocationManager)getSystemService(Context.LOCATION_SERVICE);
MyListener listener = new MyListener();

protected void doWork() {
  Looper.prepare();
  handler = new Handler();
  locationManager.requestLocationUpdates(LocationManager.NETWORK_PROVIDER, 5000, listener);
  Looper.loop();
}

最佳答案

我写了一个应用程序,正是您需要的。
当它只是一项服务时,我遇到了同样的问题。当UI进入后台并关闭屏幕时,服务进入后台并安排了系统调用,一旦触发,缓冲区就会被刷新,而我希望进行10至50次更新。

解决方案是:必须设置警报并将其计划为5000值,BroadcastRreceiver会接收并正确处理。比您将遇到的其他问题,此处不再赘述。

对我来说这是一个解决方案,该应用程序正在使用中!

编辑:
警报设置代码部分:

Intent intent = new Intent(getApplicationContext(), AlarmReceiver.class);
// In reality, you would want to have a static variable for the request
        // code instead of 192837
        PendingIntent sender = PendingIntent.getBroadcast(this, 192837, intent, PendingIntent.FLAG_UPDATE_CURRENT);

        // Get the AlarmManager service
        AlarmManager am = (AlarmManager) getSystemService(ALARM_SERVICE);
        // am.set(AlarmManager.RTC_WAKEUP, cal.getTimeInMillis(), sender);
        am.setRepeating(AlarmManager.RTC_WAKEUP, Calendar.getInstance().getTimeInMillis(), timerInterval, sender);


AndroidManifest.xml:

<receiver  android:process=":remote" android:name=".broadcastreceiver.AlarmReceiver"/>


类实现部分:

public class AlarmReceiver extends BroadcastReceiver {

    @Override
    public void onReceive(Context context, Intent intent) {

        Context appContext = context.getApplicationContext();
        ...

关于java - Android-位置管理器requestLocationUpdates瓶颈,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/18493216/

10-10 09:13