I'm trying to get the location updates running in a background service. The service is running a workerthread of its own doing a lot of other stuff already, like socket communication. I'd like it to also handle location updates but this seems to only work on an activity. As far as I can read this is due to the message loop missing on a workerthread. I think I need to use Looper.prepare()
somewhere, but maybe I need another thread just to handle locations requests? I can't seem to get the emulator to respond to any geo fix events, so I must be doing something wrong.
Below is the service code, stripped for all the non-relevant parts.
public class MyService extends Service implements LocationListener {
private Thread runner;
private volatile boolean keepRunning;
private LocationManager locationManager = null;
@Override
public void onCreate() {
keepRunning = true;
runner = new Thread(null, new Runnable() {
public void run() { workerLoop(); }
});
runner.start();
startGps();
}
@Override
public void onDestroy() {
keepRunning = false;
runner.interrupt();
}
private void workerLoop() {
//Looper.myLooper(); How does this work??
//Looper.prepare();
// Main worker loop for the service
while (keepRunning) {
try {
if (commandQueue.notEmpty()) {
executeJob();
} else {
Thread.sleep(1000);
}
} catch (Exception e) {
}
}
stopGps();
}
public void onLocationChanged(Location location) {
// Doing something with the position...
}
public void onProviderDisabled(String provider) {}
public void onProviderEnabled(String provider) {}
public void onStatusChanged(String provider, int status, Bundle extras) {}
private void startGps() {
if (locationManager == null)
locationManager = (LocationManager) getSystemService(Context.LOCATION_SERVICE);
if (locationManager != null) {
Criteria criteria = new Criteria();
criteria.setAccuracy(Criteria.ACCURACY_FINE);
criteria.setAltitudeRequired(false);
criteria.setBearingRequired(true);
criteria.setCostAllowed(false);
criteria.setSpeedRequired(true);
String provider = locationManager.getBestProvider(criteria, true);
if (provider != null)
locationManager.requestLocationUpdates(provider, 10, 5, (LocationListener) this);
}
}
private void stopGps() {
if (locationManager != null)
locationManager.removeUpdates((LocationListener) this);
locationManager = null;
}
}