web-dev-qa-db-fra.com

Comment obtenir la localisation approximative en Wifi, GSM ou GPS, selon ce qui est disponible?

Mon application nécessite uniquement un service grossier localisation lors de son démarrage.

En détail, j'ai besoin de l'emplacement approximatif de l'application afin de fournir aux utilisateurs les informations sur la boutique à proximité.

L'emplacement n'a pas besoin d'être mis à jour en permanence. De plus, une localisation grossière sera suffisante dans ce cas.

Je souhaite que l'application choisisse GSM, ou wifi, ou GPS automatiquement, selon ce qui est disponible.

Le service de localisation doit également être une fois pour économiser l’énergie du téléphone .

Comment puis-je faire ça?

J'ai essayé d'utiliser le GPS séparément.

Mon problème est que je ne sais pas comment arrêter la fonction de localisation sans cesse renouvelée du GPS. Je ne sais pas non plus comment faire en sorte que le téléphone choisisse l'une des trois méthodes.

Certains exemples de codes ou d’idées sont grandement appréciés.

14
Sibbs Gambling

Voici un certain point de vue:

private void _getLocation() {
    // Get the location manager
    LocationManager locationManager = (LocationManager) 
            getSystemService(LOCATION_SERVICE);
    Criteria criteria = new Criteria();
    String bestProvider = locationManager.getBestProvider(criteria, false);
    Location location = locationManager.getLastKnownLocation(bestProvider);
    try {
        lat = location.getLatitude();
        lon = location.getLongitude();
    } catch (NullPointerException e) {
        lat = -1.0;
        lon = -1.0;
    }
}

Cela peut toutefois demander un accès FINE_LOCATION. Alors:

Une autre méthode consiste à utiliser this qui utilise le LocationManager .

Le moyen le plus rapide consiste à utiliser le dernier emplacement connu avec ceci, je l'ai utilisé et c'est assez rapide:

private double[] getGPS() {
 LocationManager lm = (LocationManager) getSystemService(
  Context.LOCATION_SERVICE);
 List<String> providers = lm.getProviders(true);

 Location l = null;

 for (int i=providers.size()-1; i>=0; i--) {
  l = lm.getLastKnownLocation(providers.get(i));
  if (l != null) break;
 }

 double[] gps = new double[2];
 if (l != null) {
  gps[0] = l.getLatitude();
  gps[1] = l.getLongitude();
 }

 return gps;
}
17
g00dy

C'est une façon

public class GPSTracker extends Service implements LocationListener {

    private final Context mContext;

    // flag for GPS status
    boolean isGPSEnabled = false;

    // flag for network status
    boolean isNetworkEnabled = false;

    // flag for GPS status
    boolean canGetLocation = false;

    Location location; // location
    double latitude; // latitude
    double longitude; // longitude

    // The minimum distance to change Updates in meters
    private static final long MIN_DISTANCE_CHANGE_FOR_UPDATES = 10; // 10 meters

    // The minimum time between updates in milliseconds
    private static final long MIN_TIME_BW_UPDATES = 1000 * 60 * 1; // 1 minute

    // Declaring a Location Manager
    protected LocationManager locationManager;

    public GPSTracker(Context context) {
        this.mContext = context;
        getLocation();
    }

    public Location getLocation() {
        try {
            locationManager = (LocationManager) mContext
                    .getSystemService(LOCATION_SERVICE);

            // getting GPS status
            isGPSEnabled = locationManager
                    .isProviderEnabled(LocationManager.GPS_PROVIDER);

            // getting network status
            isNetworkEnabled = locationManager
                    .isProviderEnabled(LocationManager.NETWORK_PROVIDER);

            if (!isGPSEnabled && !isNetworkEnabled) {
                // no network provider is enabled
            } else {
                this.canGetLocation = true;
                // First get location from Network Provider
                if (isNetworkEnabled) {
                    locationManager.requestLocationUpdates(
                            LocationManager.NETWORK_PROVIDER,
                            MIN_TIME_BW_UPDATES,
                            MIN_DISTANCE_CHANGE_FOR_UPDATES, this);
                    Log.d("Network", "Network");
                    if (locationManager != null) {
                        location = locationManager
                                .getLastKnownLocation(LocationManager.NETWORK_PROVIDER);
                        if (location != null) {
                            latitude = location.getLatitude();
                            longitude = location.getLongitude();
                        }
                    }
                }
                // if GPS Enabled get lat/long using GPS Services
                if (isGPSEnabled) {
                    if (location == null) {
                        locationManager.requestLocationUpdates(
                                LocationManager.GPS_PROVIDER,
                                MIN_TIME_BW_UPDATES,
                                MIN_DISTANCE_CHANGE_FOR_UPDATES, this);
                        Log.d("GPS Enabled", "GPS Enabled");
                        if (locationManager != null) {
                            location = locationManager
                                    .getLastKnownLocation(LocationManager.GPS_PROVIDER);
                            if (location != null) {
                                latitude = location.getLatitude();
                                longitude = location.getLongitude();
                            }
                        }
                    }
                }
            }

        } catch (Exception e) {
            e.printStackTrace();
        }

        return location;
    }

    /**
     * Stop using GPS listener
     * Calling this function will stop using GPS in your app
     * */
    public void stopUsingGPS(){
        if(locationManager != null){
            locationManager.removeUpdates(GPSTracker.this);
        }       
    }

    /**
     * Function to get latitude
     * */
    public double getLatitude(){
        if(location != null){
            latitude = location.getLatitude();
        }

        // return latitude
        return latitude;
    }

    /**
     * Function to get longitude
     * */
    public double getLongitude(){
        if(location != null){
            longitude = location.getLongitude();
        }

        // return longitude
        return longitude;
    }

    /**
     * Function to check GPS/wifi enabled
     * @return boolean
     * */
    public boolean canGetLocation() {
        return this.canGetLocation;
    }

    /**
     * Function to show settings alert dialog
     * On pressing Settings button will lauch Settings Options
     * */
    public void showSettingsAlert(){
        AlertDialog.Builder alertDialog = new AlertDialog.Builder(mContext);

        // Setting Dialog Title
        alertDialog.setTitle("GPS is settings");

        // Setting Dialog Message
        alertDialog.setMessage("GPS is not enabled. Do you want to go to settings menu?");

        // On pressing Settings button
        alertDialog.setPositiveButton("Settings", new DialogInterface.OnClickListener() {
            public void onClick(DialogInterface dialog,int which) {
                Intent intent = new Intent(Settings.ACTION_LOCATION_SOURCE_SETTINGS);
                mContext.startActivity(intent);
            }
        });

        // on pressing cancel button
        alertDialog.setNegativeButton("Cancel", new DialogInterface.OnClickListener() {
            public void onClick(DialogInterface dialog, int which) {
            dialog.cancel();
            }
        });

        // Showing Alert Message
        alertDialog.show();
    }

    @Override
    public void onLocationChanged(Location location) {
    }

    @Override
    public void onProviderDisabled(String provider) {
    }

    @Override
    public void onProviderEnabled(String provider) {
    }

    @Override
    public void onStatusChanged(String provider, int status, Bundle extras) {
    }

    @Override
    public IBinder onBind(Intent arg0) {
        return null;
    }

}

Utilisez-le de cette façon:

gps = new GPSTracker(PromotionActivity.this);

// check if GPS enabled     
if(gps.canGetLocation()){
    double latitude = gps.getLatitude();
    double longitude = gps.getLongitude();
}else{
// can't get location
// GPS or Network is not enabled
// Ask user to enable GPS/network in settings
    gps.showSettingsAlert();    
}

En utilisant cela, vous pouvez obtenir le meilleur emplacement disponible. J'espère que cela pourra aider

7
Riandy

vous pouvez utiliser LocationClient il fournit une API de localisation unifiée/simplifiée (fusionnée), consultez cette Vidéo pour le matériel d'introduction et l'arrière-plan ou ceci le guide du développeur

l'inconvénient principal est que votre application dépend de l'existence de Services Google Play sur l'appareil. 

4
Ilan.K

Pour obtenir des informations d'un fournisseur spécifique, vous devez utiliser: LocationManager.getLastKnownLocation (Fournisseur de chaînes) , si vous souhaitez que votre application choisisse automatiquement un fournisseur à l'autre, vous pouvez ajouter le choix du fournisseur avec getBestProvider method. En ce qui concerne l’arrêt du rafraîchissement de la position GPS, je n’ai pas bien saisi. Avez-vous besoin d'obtenir les informations d'emplacement une seule fois ou devez-vous surveiller les changements d'emplacement périodiquement?

EDIT: Oh, au fait, si vous voulez que vos informations de localisation soient à jour, vous devez utiliser requestSingleUpdate méthode du gestionnaire de localisation, avec les critères spécifiés. Dans ce cas, le fournisseur doit également être choisi automatiquement

1
Chaosit