Androidでユーザーの位置を取得する良い方法


211

問題:

ユーザーの現在位置をできるだけ早くしきい値内に収めると同時に、バッテリーを節約します。

問題が問題である理由:

まず、androidには2つのプロバイダーがあります。ネットワークとGPS。時々ネットワークはよりよいですそして時々GPSはよりよいです。

「より良い」とは、速度と精度の比率を意味します。
GPSをオンにすることなくほぼ瞬時に位置を取得できる場合は、数メートルの精度を犠牲にしてもかまいません。

次に、現在地が安定している場合、場所の変更の更新をリクエストしても何も送信されません。

グーグルはここに「最高の」場所を決定する例を持っています:http : //developer.android.com/guide/topics/location/obtaining-user-location.html#BestEstimate
しかし、私はそれが必要なほど良い場所ではないと思います/になり得る。

なぜGoogleが位置情報の正規化されたAPIを持っていないのか、ちょっと混乱しています。開発者は位置情報の場所を気にする必要はありません。必要なものを指定するだけで、電話があなたのために選択するはずです。

助けが必要なもの:

ヒューリスティックな方法やサードパーティのライブラリを使用して、「最適な」場所を特定するための良い方法を見つける必要があります。

これは、最高のプロバイダーを決定することを意味しません!
私はおそらくすべてのプロバイダーを使用して、それらのベストを選びます。

アプリの背景:

アプリはユーザーの現在地を一定の間隔(10分ごとなど)で収集し、サーバーに送信します。
アプリは可能な限り多くのバッテリーを節約する必要があり、場所はX(50-100?)メートルの精度である必要があります。

目標は、後で日中のユーザーの経路を地図上にプロットできるようにすることです。そのため、十分な精度が必要です。

その他:

望ましい精度と許容される精度の妥当な値は何だと思いますか?
私は100mを受け入れ、30mを必要に応じて使用していますが、これで十分でしょうか?
ユーザーのパスを後で地図上にプロットできるようにしたいのですが。
100mは希望よりも500mはより良いですか?

また、現在、位置情報の更新ごとに最大60秒間GPSをオンにしていますが、屋内にいる場合、おそらく200mの精度で位置を取得するには短すぎますか?


これは私の現在のコードです。フィードバックはありがたいです(TODOであるエラーチェックの欠如は別として)。

protected void runTask() {
    final LocationManager locationManager = (LocationManager) context
            .getSystemService(Context.LOCATION_SERVICE);
    updateBestLocation(locationManager
            .getLastKnownLocation(LocationManager.GPS_PROVIDER));
    updateBestLocation(locationManager
            .getLastKnownLocation(LocationManager.NETWORK_PROVIDER));
    if (getLocationQuality(bestLocation) != LocationQuality.GOOD) {
        Looper.prepare();
        setLooper(Looper.myLooper());
        // Define a listener that responds to location updates
        LocationListener locationListener = new LocationListener() {

            public void onLocationChanged(Location location) {
                updateBestLocation(location);
                if (getLocationQuality(bestLocation) != LocationQuality.GOOD)
                    return;
                // We're done
                Looper l = getLooper();
                if (l != null) l.quit();
            }

            public void onProviderEnabled(String provider) {}

            public void onProviderDisabled(String provider) {}

            public void onStatusChanged(String provider, int status,
                    Bundle extras) {
                // TODO Auto-generated method stub
                Log.i("LocationCollector", "Fail");
                Looper l = getLooper();
                if (l != null) l.quit();
            }
        };
        // Register the listener with the Location Manager to receive
        // location updates
        locationManager.requestLocationUpdates(
                LocationManager.GPS_PROVIDER, 1000, 1, locationListener,
                Looper.myLooper());
        locationManager.requestLocationUpdates(
                LocationManager.NETWORK_PROVIDER, 1000, 1,
                locationListener, Looper.myLooper());
        Timer t = new Timer();
        t.schedule(new TimerTask() {

            @Override
            public void run() {
                Looper l = getLooper();
                if (l != null) l.quit();
                // Log.i("LocationCollector",
                // "Stopping collector due to timeout");
            }
        }, MAX_POLLING_TIME);
        Looper.loop();
        t.cancel();
        locationManager.removeUpdates(locationListener);
        setLooper(null);
    }
    if (getLocationQuality(bestLocation) != LocationQuality.BAD) 
        sendUpdate(locationToString(bestLocation));
    else Log.w("LocationCollector", "Failed to get a location");
}

private enum LocationQuality {
    BAD, ACCEPTED, GOOD;

    public String toString() {
        if (this == GOOD) return "Good";
        else if (this == ACCEPTED) return "Accepted";
        else return "Bad";
    }
}

private LocationQuality getLocationQuality(Location location) {
    if (location == null) return LocationQuality.BAD;
    if (!location.hasAccuracy()) return LocationQuality.BAD;
    long currentTime = System.currentTimeMillis();
    if (currentTime - location.getTime() < MAX_AGE
            && location.getAccuracy() <= GOOD_ACCURACY)
        return LocationQuality.GOOD;
    if (location.getAccuracy() <= ACCEPTED_ACCURACY)
        return LocationQuality.ACCEPTED;
    return LocationQuality.BAD;
}

private synchronized void updateBestLocation(Location location) {
    bestLocation = getBestLocation(location, bestLocation);
}

// Pretty much an unmodified version of googles example
protected Location getBestLocation(Location location,
        Location currentBestLocation) {
    if (currentBestLocation == null) {
        // A new location is always better than no location
        return location;
    }
    if (location == null) return currentBestLocation;
    // Check whether the new location fix is newer or older
    long timeDelta = location.getTime() - currentBestLocation.getTime();
    boolean isSignificantlyNewer = timeDelta > TWO_MINUTES;
    boolean isSignificantlyOlder = timeDelta < -TWO_MINUTES;
    boolean isNewer = timeDelta > 0;
    // If it's been more than two minutes since the current location, use
    // the new location
    // because the user has likely moved
    if (isSignificantlyNewer) {
        return location;
        // If the new location is more than two minutes older, it must be
        // worse
    } else if (isSignificantlyOlder) {
        return currentBestLocation;
    }
    // Check whether the new location fix is more or less accurate
    int accuracyDelta = (int) (location.getAccuracy() - currentBestLocation
            .getAccuracy());
    boolean isLessAccurate = accuracyDelta > 0;
    boolean isMoreAccurate = accuracyDelta < 0;
    boolean isSignificantlyLessAccurate = accuracyDelta > 200;
    // Check if the old and new location are from the same provider
    boolean isFromSameProvider = isSameProvider(location.getProvider(),
            currentBestLocation.getProvider());
    // Determine location quality using a combination of timeliness and
    // accuracy
    if (isMoreAccurate) {
        return location;
    } else if (isNewer && !isLessAccurate) {
        return location;
    } else if (isNewer && !isSignificantlyLessAccurate
            && isFromSameProvider) {
        return location;
    }
    return bestLocation;
}

/** Checks whether two providers are the same */
private boolean isSameProvider(String provider1, String provider2) {
    if (provider1 == null) {
        return provider2 == null;
    }
    return provider1.equals(provider2);
}

7
本当に後半に鳴るが、最近IO 2013のルックス、それはあなたのニーズの多くを解決するように発表された「融合場所プロバイダー」 - developer.android.com/google/play-services/location.html
マット・

getBestLocation()の最後の行は次のようにしないでください。return currentBestLocation; bestLocationを返す代わりに;?
Gavriel、2015年

回答:


164

同じアプリケーションをコーディングしているようです;-)これ
が現在の実装です。GPSアップローダーアプリのベータテスト段階であるため、多くの改善点が考えられます。しかし、これまでのところかなりうまく機能しているようです。

/**
 * try to get the 'best' location selected from all providers
 */
private Location getBestLocation() {
    Location gpslocation = getLocationByProvider(LocationManager.GPS_PROVIDER);
    Location networkLocation =
            getLocationByProvider(LocationManager.NETWORK_PROVIDER);
    // if we have only one location available, the choice is easy
    if (gpslocation == null) {
        Log.d(TAG, "No GPS Location available.");
        return networkLocation;
    }
    if (networkLocation == null) {
        Log.d(TAG, "No Network Location available");
        return gpslocation;
    }
    // a locationupdate is considered 'old' if its older than the configured
    // update interval. this means, we didn't get a
    // update from this provider since the last check
    long old = System.currentTimeMillis() - getGPSCheckMilliSecsFromPrefs();
    boolean gpsIsOld = (gpslocation.getTime() < old);
    boolean networkIsOld = (networkLocation.getTime() < old);
    // gps is current and available, gps is better than network
    if (!gpsIsOld) {
        Log.d(TAG, "Returning current GPS Location");
        return gpslocation;
    }
    // gps is old, we can't trust it. use network location
    if (!networkIsOld) {
        Log.d(TAG, "GPS is old, Network is current, returning network");
        return networkLocation;
    }
    // both are old return the newer of those two
    if (gpslocation.getTime() > networkLocation.getTime()) {
        Log.d(TAG, "Both are old, returning gps(newer)");
        return gpslocation;
    } else {
        Log.d(TAG, "Both are old, returning network(newer)");
        return networkLocation;
    }
}

/**
 * get the last known location from a specific provider (network/gps)
 */
private Location getLocationByProvider(String provider) {
    Location location = null;
    if (!isProviderSupported(provider)) {
        return null;
    }
    LocationManager locationManager = (LocationManager) getApplicationContext()
            .getSystemService(Context.LOCATION_SERVICE);
    try {
        if (locationManager.isProviderEnabled(provider)) {
            location = locationManager.getLastKnownLocation(provider);
        }
    } catch (IllegalArgumentException e) {
        Log.d(TAG, "Cannot acces Provider " + provider);
    }
    return location;
}

編集:これは、位置情報プロバイダーに定期的な更新を要求する部分です:

public void startRecording() {
    gpsTimer.cancel();
    gpsTimer = new Timer();
    long checkInterval = getGPSCheckMilliSecsFromPrefs();
    long minDistance = getMinDistanceFromPrefs();
    // receive updates
    LocationManager locationManager = (LocationManager) getApplicationContext()
            .getSystemService(Context.LOCATION_SERVICE);
    for (String s : locationManager.getAllProviders()) {
        locationManager.requestLocationUpdates(s, checkInterval,
                minDistance, new LocationListener() {

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

                    @Override
                    public void onProviderEnabled(String provider) {}

                    @Override
                    public void onProviderDisabled(String provider) {}

                    @Override
                    public void onLocationChanged(Location location) {
                        // if this is a gps location, we can use it
                        if (location.getProvider().equals(
                                LocationManager.GPS_PROVIDER)) {
                            doLocationUpdate(location, true);
                        }
                    }
                });
        // //Toast.makeText(this, "GPS Service STARTED",
        // Toast.LENGTH_LONG).show();
        gps_recorder_running = true;
    }
    // start the gps receiver thread
    gpsTimer.scheduleAtFixedRate(new TimerTask() {

        @Override
        public void run() {
            Location location = getBestLocation();
            doLocationUpdate(location, false);
        }
    }, 0, checkInterval);
}

public void doLocationUpdate(Location l, boolean force) {
    long minDistance = getMinDistanceFromPrefs();
    Log.d(TAG, "update received:" + l);
    if (l == null) {
        Log.d(TAG, "Empty location");
        if (force)
            Toast.makeText(this, "Current location not available",
                    Toast.LENGTH_SHORT).show();
        return;
    }
    if (lastLocation != null) {
        float distance = l.distanceTo(lastLocation);
        Log.d(TAG, "Distance to last: " + distance);
        if (l.distanceTo(lastLocation) < minDistance && !force) {
            Log.d(TAG, "Position didn't change");
            return;
        }
        if (l.getAccuracy() >= lastLocation.getAccuracy()
                && l.distanceTo(lastLocation) < l.getAccuracy() && !force) {
            Log.d(TAG,
                    "Accuracy got worse and we are still "
                      + "within the accuracy range.. Not updating");
            return;
        }
        if (l.getTime() <= lastprovidertimestamp && !force) {
            Log.d(TAG, "Timestamp not never than last");
            return;
        }
    }
    // upload/store your location here
}

考慮すべき事柄:

  • GPSの更新をあまり頻繁に要求しないでください。バッテリーの電力を消耗します。現在、アプリケーションのデフォルトとして30分を使用しています。

  • 「最後の既知の場所までの最小距離」チェックを追加します。これがないと、GPSが利用できず、位置が携帯電話の塔から三角測量されているときに、ポイントが「ジャンプ」します。または、新しい場所が最後の既知の場所からの精度値の外にあるかどうかを確認できます。


2
実際に新しい場所を取得することはありません。以前の更新でたまたまある場所のみを使用します。このコードは、GPSを時々オンにすることで位置を更新するリスナーを実際に追加することで、大きなメリットがあると思います。
Nicklas A.

2
申し訳ありませんが、利用可能なすべての場所から最良のものを選択する部分にのみ興味があると思いました。これらもリクエストする上記のコードを追加しました。新しいgps位置が受信されると、すぐに保存/アップロードされます。ネットワークの場所の更新を受信した場合は、参照用に保存し、次の場所のチェックが行われるまでgpsの更新も受信することを希望します。
Gryphius

2
タイマーをキャンセルするstopRecording()メソッドもありました。最終的にはタイマーからScheduledThreadPoolExecutorに切り替えたため、stopRecordingは基本的にexecutor.shutdown()を呼び出し、すべての位置更新リスナーの登録を解除します
Gryphius

1
私のscmによると、stopRecordingはgpsTimer.cancel()を呼び出し、gps_recorder_running = falseを設定しただけなので、あなたの場合のように、当時のリスナーのクリーンアップはありません。現在のコードはベクター内のすべてのアクティブなリスナーを追跡しますが、1.5年前にこの回答を書いたときには、これがありませんでした。
Gryphius 2013

1
それはすでにgithubにありますが、これが今日でもまだGPSを行うための最良の方法であるかどうかはわかりません。私がこのコードを書いて以来、彼らはロケーションAPIに多くの改良を加えてきました。
Gryphius 14年

33

アプリに適した位置プロバイダーを選択するには、Criteriaオブジェクトを使用できます。

Criteria myCriteria = new Criteria();
myCriteria.setAccuracy(Criteria.ACCURACY_HIGH);
myCriteria.setPowerRequirement(Criteria.POWER_LOW);
// let Android select the right location provider for you
String myProvider = locationManager.getBestProvider(myCriteria, true); 

// finally require updates at -at least- the desired rate
long minTimeMillis = 600000; // 600,000 milliseconds make 10 minutes
locationManager.requestLocationUpdates(myProvider,minTimeMillis,0,locationListener); 

引数が考慮される方法の詳細については、requestLocationUpdatesのドキュメントを参照してください。

通知の頻度は、minTimeおよびminDistanceパラメータを使用して制御できます。minTimeが0より大きい場合、LocationManagerは、電力を節約するために、位置情報の更新の間にminTimeミリ秒待機する可能性があります。minDistanceが0より大きい場合、位置がブロードキャストされるのは、デバイスがminDistanceメーターだけ移動した場合のみです。できるだけ頻繁に通知を取得するには、両方のパラメーターを0に設定します。

より多くの考え

  • Locationオブジェクトの精度は、位置の推定精度をメートル単位で返すLocation.getAccuracy()で監視できます。
  • Criteria.ACCURACY_HIGH基準は、あなたのGPSを可能として良いようではありませんが、あなたのニーズにマッチする100メートル、以下のエラーを与える必要があります。
  • また、位置情報プロバイダーのステータスを監視し、ユーザーが使用できない場合や無効にした場合は別のプロバイダーに切り替える必要があります。
  • 受動的なプロバイダはまた、この種のアプリケーションのために良い試合になることがあります。アイデアは、彼らが他のアプリとの放送システム全体で要求されるたびに位置情報の更新を使用することです。

私は調べましたCriteriaが、最新のネットワークの場所が素晴らしく(wifiで知ることができる)、それを取得するのに時間もバッテリーも必要ない場合(getLastKnown)、基準はおそらくそれを無視し、代わりにGPSを返します。グーグルが開発者にとってこれを困難にしたとは信じられない。
Nicklas A.

基準を使用することに加えて、選択したプロバイダーによって送信された各位置更新で、GPSプロバイダーのlastKnowLocationを確認し、それ(現在の位置と精度)を比較できます。しかし、これはあなたの仕様からの要件というよりも、私にとっては良いように思えます。精度が向上する場合がありますが、ユーザーにとって本当に便利でしょうか。
ステファン・

それが私が今やっていることです。問題は、最後の知識が十分であるかどうかを理解するのが難しいことです。また、プロバイダーを1つに制限する必要がない場合は、使用すればするほど速くロックが取得される可能性があることを追加できます。
Nicklas A.

PASSIVE_PROVIDERにはAPIレベル8以上が必要であることを覚えておいてください。
Eduardo

@Stéphaneは編集のため申し訳ありません。気にしないでください。あなたの投稿は正しいです。エラーで編集しました。ごめんなさい。よろしく。
ガウチョ

10

最初の2つのポイントに答える

  • GPS が有効になっていて、周囲に厚い壁がない場合、GPSは常により正確な位置を提供します。

  • 場所が変更されなかった場合は、getLastKnownLocation(String)を呼び出して、場所をすぐに取得できます。

代替アプローチを使用する

使用中のセルIDまたはすべての隣接セルを取得してみることができます

TelephonyManager mTelephonyManager = (TelephonyManager) getSystemService(Context.TELEPHONY_SERVICE);
GsmCellLocation loc = (GsmCellLocation) mTelephonyManager.getCellLocation(); 
Log.d ("CID", Integer.toString(loc.getCid()));
Log.d ("LAC", Integer.toString(loc.getLac()));
// or 
List<NeighboringCellInfo> list = mTelephonyManager.getNeighboringCellInfo ();
for (NeighboringCellInfo cell : list) {
    Log.d ("CID", Integer.toString(cell.getCid()));
    Log.d ("LAC", Integer.toString(cell.getLac()));
}

その後、いくつかの開いているデータベース(例:http://www.location-api.com/またはhttp://opencellid.org/)を通じてセルの場所を参照できます。


戦略は、場所を読み取るときにタワーIDのリストを読み取ることです。次に、次のクエリ(アプリでは10分)でもう一度読みます。少なくとも一部のタワーが同じである場合は、使用しても安全getLastKnownLocation(String)です。そうでない場合は、を待ちonLocationChanged()ます。これにより、その場所にサードパーティのデータベースが必要なくなります。このアプローチを試すこともできます。


ええ、でも、lastKnownLocationが本当に悪い場合に問題が発生します。2つの場所のベストを決める良い方法が必要です。
Nicklas A.11年

タワー情報を保存し、それらのタワーが変更されたかどうかを確認できます。変更した場合は、新しい場所を待機し、変更しない場合(または一部のみが変更された場合)は再利用します。そうすれば、タワーの場所をデータベースと比較する必要がなくなります。
Aleadam 2011年

塔を使用することは、私には大きなやり過ぎのように思えますが、良い考えです。
Nicklas A.11年

@Nicklasコードはそれ以上複雑になりません。ただし、android.Manifest.permission#ACCESS_COARSE_UPDATESが必要です。
Aleadam 2011年

ええ、でも私はまだサードパーティのサービスを使用する必要があります。また、位置情報を介してタワー情報をいつ使用するかを決定する方法も必要です。これにより、複雑さがさらに増します。
Nicklas A.

9

これはかなりうまくいく私の解決策です:

private Location bestLocation = null;
private Looper looper;
private boolean networkEnabled = false, gpsEnabled = false;

private synchronized void setLooper(Looper looper) {
    this.looper = looper;
}

private synchronized void stopLooper() {
    if (looper == null) return;
    looper.quit();
}

@Override
protected void runTask() {
    final LocationManager locationManager = (LocationManager) service
            .getSystemService(Context.LOCATION_SERVICE);
    final SharedPreferences prefs = getPreferences();
    final int maxPollingTime = Integer.parseInt(prefs.getString(
            POLLING_KEY, "0"));
    final int desiredAccuracy = Integer.parseInt(prefs.getString(
            DESIRED_KEY, "0"));
    final int acceptedAccuracy = Integer.parseInt(prefs.getString(
            ACCEPTED_KEY, "0"));
    final int maxAge = Integer.parseInt(prefs.getString(AGE_KEY, "0"));
    final String whichProvider = prefs.getString(PROVIDER_KEY, "any");
    final boolean canUseGps = whichProvider.equals("gps")
            || whichProvider.equals("any");
    final boolean canUseNetwork = whichProvider.equals("network")
            || whichProvider.equals("any");
    if (canUseNetwork)
        networkEnabled = locationManager
                .isProviderEnabled(LocationManager.NETWORK_PROVIDER);
    if (canUseGps)
        gpsEnabled = locationManager
                .isProviderEnabled(LocationManager.GPS_PROVIDER);
    // If any provider is enabled now and we displayed a notification clear it.
    if (gpsEnabled || networkEnabled) removeErrorNotification();
    if (gpsEnabled)
        updateBestLocation(locationManager
                .getLastKnownLocation(LocationManager.GPS_PROVIDER));
    if (networkEnabled)
        updateBestLocation(locationManager
                .getLastKnownLocation(LocationManager.NETWORK_PROVIDER));
    if (desiredAccuracy == 0
            || getLocationQuality(desiredAccuracy, acceptedAccuracy,
                    maxAge, bestLocation) != LocationQuality.GOOD) {
        // Define a listener that responds to location updates
        LocationListener locationListener = new LocationListener() {

            public void onLocationChanged(Location location) {
                updateBestLocation(location);
                if (desiredAccuracy != 0
                        && getLocationQuality(desiredAccuracy,
                                acceptedAccuracy, maxAge, bestLocation)
                                == LocationQuality.GOOD)
                    stopLooper();
            }

            public void onProviderEnabled(String provider) {
                if (isSameProvider(provider,
                        LocationManager.NETWORK_PROVIDER))networkEnabled =true;
                else if (isSameProvider(provider,
                        LocationManager.GPS_PROVIDER)) gpsEnabled = true;
                // The user has enabled a location, remove any error
                // notification
                if (canUseGps && gpsEnabled || canUseNetwork
                        && networkEnabled) removeErrorNotification();
            }

            public void onProviderDisabled(String provider) {
                if (isSameProvider(provider,
                        LocationManager.NETWORK_PROVIDER))networkEnabled=false;
                else if (isSameProvider(provider,
                        LocationManager.GPS_PROVIDER)) gpsEnabled = false;
                if (!gpsEnabled && !networkEnabled) {
                    showErrorNotification();
                    stopLooper();
                }
            }

            public void onStatusChanged(String provider, int status,
                    Bundle extras) {
                Log.i(LOG_TAG, "Provider " + provider + " statusChanged");
                if (isSameProvider(provider,
                        LocationManager.NETWORK_PROVIDER)) networkEnabled = 
                        status == LocationProvider.AVAILABLE
                        || status == LocationProvider.TEMPORARILY_UNAVAILABLE;
                else if (isSameProvider(provider,
                        LocationManager.GPS_PROVIDER))
                    gpsEnabled = status == LocationProvider.AVAILABLE
                      || status == LocationProvider.TEMPORARILY_UNAVAILABLE;
                // None of them are available, stop listening
                if (!networkEnabled && !gpsEnabled) {
                    showErrorNotification();
                    stopLooper();
                }
                // The user has enabled a location, remove any error
                // notification
                else if (canUseGps && gpsEnabled || canUseNetwork
                        && networkEnabled) removeErrorNotification();
            }
        };
        if (networkEnabled || gpsEnabled) {
            Looper.prepare();
            setLooper(Looper.myLooper());
            // Register the listener with the Location Manager to receive
            // location updates
            if (canUseGps)
                locationManager.requestLocationUpdates(
                        LocationManager.GPS_PROVIDER, 1000, 1,
                        locationListener, Looper.myLooper());
            if (canUseNetwork)
                locationManager.requestLocationUpdates(
                        LocationManager.NETWORK_PROVIDER, 1000, 1,
                        locationListener, Looper.myLooper());
            Timer t = new Timer();
            t.schedule(new TimerTask() {

                @Override
                public void run() {
                    stopLooper();
                }
            }, maxPollingTime * 1000);
            Looper.loop();
            t.cancel();
            setLooper(null);
            locationManager.removeUpdates(locationListener);
        } else // No provider is enabled, show a notification
        showErrorNotification();
    }
    if (getLocationQuality(desiredAccuracy, acceptedAccuracy, maxAge,
            bestLocation) != LocationQuality.BAD) {
        sendUpdate(new Event(EVENT_TYPE, locationToString(desiredAccuracy,
                acceptedAccuracy, maxAge, bestLocation)));
    } else Log.w(LOG_TAG, "LocationCollector failed to get a location");
}

private synchronized void showErrorNotification() {
    if (notifId != 0) return;
    ServiceHandler handler = service.getHandler();
    NotificationInfo ni = NotificationInfo.createSingleNotification(
            R.string.locationcollector_notif_ticker,
            R.string.locationcollector_notif_title,
            R.string.locationcollector_notif_text,
            android.R.drawable.stat_notify_error);
    Intent intent = new Intent(
            android.provider.Settings.ACTION_LOCATION_SOURCE_SETTINGS);
    ni.pendingIntent = PendingIntent.getActivity(service, 0, intent,
            PendingIntent.FLAG_UPDATE_CURRENT);
    Message msg = handler.obtainMessage(ServiceHandler.SHOW_NOTIFICATION);
    msg.obj = ni;
    handler.sendMessage(msg);
    notifId = ni.id;
}

private void removeErrorNotification() {
    if (notifId == 0) return;
    ServiceHandler handler = service.getHandler();
    if (handler != null) {
        Message msg = handler.obtainMessage(
                ServiceHandler.CLEAR_NOTIFICATION, notifId, 0);
        handler.sendMessage(msg);
        notifId = 0;
    }
}

@Override
public void interrupt() {
    stopLooper();
    super.interrupt();
}

private String locationToString(int desiredAccuracy, int acceptedAccuracy,
        int maxAge, Location location) {
    StringBuilder sb = new StringBuilder();
    sb.append(String.format(
            "qual=%s time=%d prov=%s acc=%.1f lat=%f long=%f",
            getLocationQuality(desiredAccuracy, acceptedAccuracy, maxAge,
                    location), location.getTime() / 1000, // Millis to
                                                            // seconds
            location.getProvider(), location.getAccuracy(), location
                    .getLatitude(), location.getLongitude()));
    if (location.hasAltitude())
        sb.append(String.format(" alt=%.1f", location.getAltitude()));
    if (location.hasBearing())
        sb.append(String.format(" bearing=%.2f", location.getBearing()));
    return sb.toString();
}

private enum LocationQuality {
    BAD, ACCEPTED, GOOD;

    public String toString() {
        if (this == GOOD) return "Good";
        else if (this == ACCEPTED) return "Accepted";
        else return "Bad";
    }
}

private LocationQuality getLocationQuality(int desiredAccuracy,
        int acceptedAccuracy, int maxAge, Location location) {
    if (location == null) return LocationQuality.BAD;
    if (!location.hasAccuracy()) return LocationQuality.BAD;
    long currentTime = System.currentTimeMillis();
    if (currentTime - location.getTime() < maxAge * 1000
            && location.getAccuracy() <= desiredAccuracy)
        return LocationQuality.GOOD;
    if (acceptedAccuracy == -1
            || location.getAccuracy() <= acceptedAccuracy)
        return LocationQuality.ACCEPTED;
    return LocationQuality.BAD;
}

private synchronized void updateBestLocation(Location location) {
    bestLocation = getBestLocation(location, bestLocation);
}

protected Location getBestLocation(Location location,
        Location currentBestLocation) {
    if (currentBestLocation == null) {
        // A new location is always better than no location
        return location;
    }
    if (location == null) return currentBestLocation;
    // Check whether the new location fix is newer or older
    long timeDelta = location.getTime() - currentBestLocation.getTime();
    boolean isSignificantlyNewer = timeDelta > TWO_MINUTES;
    boolean isSignificantlyOlder = timeDelta < -TWO_MINUTES;
    boolean isNewer = timeDelta > 0;
    // If it's been more than two minutes since the current location, use
    // the new location
    // because the user has likely moved
    if (isSignificantlyNewer) {
        return location;
        // If the new location is more than two minutes older, it must be
        // worse
    } else if (isSignificantlyOlder) {
        return currentBestLocation;
    }
    // Check whether the new location fix is more or less accurate
    int accuracyDelta = (int) (location.getAccuracy() - currentBestLocation
            .getAccuracy());
    boolean isLessAccurate = accuracyDelta > 0;
    boolean isMoreAccurate = accuracyDelta < 0;
    boolean isSignificantlyLessAccurate = accuracyDelta > 200;
    // Check if the old and new location are from the same provider
    boolean isFromSameProvider = isSameProvider(location.getProvider(),
            currentBestLocation.getProvider());
    // Determine location quality using a combination of timeliness and
    // accuracy
    if (isMoreAccurate) {
        return location;
    } else if (isNewer && !isLessAccurate) {
        return location;
    } else if (isNewer && !isSignificantlyLessAccurate
            && isFromSameProvider) {
        return location;
    }
    return bestLocation;
}

/** Checks whether two providers are the same */
private boolean isSameProvider(String provider1, String provider2) {
    if (provider1 == null) return provider2 == null;
    return provider1.equals(provider2);
}

こんにちはニクラス私は同じequirementを持っているので、私は、任意の手段によってあなたに通信することができる..あなたができれば、私はあなたに完全な感謝されるだろう...私たちを助け
スクールボーイ

コード全体を投稿してもらえますか?ありがとう、本当にありがたい
ロディ

それがコードのすべてです。プロジェクトにアクセスできなくなりました。
Nicklas A.

1
このプロジェクトのコード「android-protips-location」を取得したようですが、まだ生きています。人々はそれがここにどのように動作するかを見ることができますcode.google.com/p/android-protips-location/source/browse/trunk/...
Gödel77

7

位置情報の精度は、主に使用される位置情報プロバイダーによって異なります。

  1. GPS-数メートルの精度が得られます(GPS受信がある場合)
  2. Wifi-数百メートルの精度が得られます
  3. セルネットワーク-非常に不正確な結果が得られます(最大4kmの偏差が見られます...)

求める精度であれば、GPSが唯一の選択肢です。

私はそれについてここで非常に有益な記事を読みまし

GPSタイムアウトに関しては-60秒で十分であり、ほとんどの場合それでも多すぎます。30秒は大丈夫だと思います。時には5秒未満にもなります...

1つの場所のみが必要な場合は、onLocationChangedメソッドで更新を受信したらリスナーの登録を解除し、GPSの不要な使用を回避することをお勧めします。


私は自分の現在地をどこから取得
NicklasA。

デバイスで利用可能なすべての位置プロバイダーを登録できます(LocationManager.getProviders()からすべてのプロバイダーのリストを取得できます)が、正確な修正を探している場合、ほとんどの場合、ネットワークプロバイダーは役に立ちません。
ムジカント

ええ、しかし、これはプロバイダー間の選択についての問題ではありません。これは、一般的に(複数のプロバイダーが関与している場合でも)最高の場所を取得することに関する問題です
Nicklas A.

4

これは私のアプリケーションの位置を取得し、距離を計算するために信頼できるので、現在私は使用しています...私はこれを私のタクシーアプリケーションに使用しています。

Googleの開発者が開発したフュージョンAPIを使用して、GPSセンサー、磁力計、加速度計をWifiまたはセルの位置を使用して融合し、位置を計算または推定します。また、建物内でも正確な位置情報を更新することができます。詳細については、https://developers.google.com/android/reference/com/google/android/gms/location/FusedLocationProviderApiにリンクして ください

import android.app.Activity;
import android.location.Location;
import android.os.Bundle;
import android.support.v7.app.ActionBarActivity;
import android.support.v7.app.AppCompatActivity;
import android.util.Log;
import android.widget.TextView;
import android.widget.Toast;

import com.google.android.gms.common.ConnectionResult;
import com.google.android.gms.common.GooglePlayServicesUtil;
import com.google.android.gms.common.api.GoogleApiClient;
import com.google.android.gms.common.api.GoogleApiClient.ConnectionCallbacks;
import com.google.android.gms.common.api.GoogleApiClient.OnConnectionFailedListener;
import com.google.android.gms.location.LocationListener;
import com.google.android.gms.location.LocationRequest;
import com.google.android.gms.location.LocationServices;

import java.util.concurrent.Executors;
import java.util.concurrent.TimeUnit;


public class MainActivity extends Activity implements LocationListener,
        GoogleApiClient.ConnectionCallbacks,
        GoogleApiClient.OnConnectionFailedListener {

    private static final long ONE_MIN = 500;
    private static final long TWO_MIN = 500;
    private static final long FIVE_MIN = 500;
    private static final long POLLING_FREQ = 1000 * 20;
    private static final long FASTEST_UPDATE_FREQ = 1000 * 5;
    private static final float MIN_ACCURACY = 1.0f;
    private static final float MIN_LAST_READ_ACCURACY = 1;

    private LocationRequest mLocationRequest;
    private Location mBestReading;
TextView tv;
    private GoogleApiClient mGoogleApiClient;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);

        if (!servicesAvailable()) {
            finish();
        }

        setContentView(R.layout.activity_main);
tv= (TextView) findViewById(R.id.tv1);
        mLocationRequest = LocationRequest.create();
        mLocationRequest.setPriority(LocationRequest.PRIORITY_HIGH_ACCURACY);
        mLocationRequest.setInterval(POLLING_FREQ);
        mLocationRequest.setFastestInterval(FASTEST_UPDATE_FREQ);

        mGoogleApiClient = new GoogleApiClient.Builder(this)
                .addApi(LocationServices.API)
                .addConnectionCallbacks(this)
                .addOnConnectionFailedListener(this)
                .build();


        if (mGoogleApiClient != null) {
            mGoogleApiClient.connect();
        }
    }

    @Override
    protected void onResume() {
        super.onResume();

        if (mGoogleApiClient != null) {
            mGoogleApiClient.connect();
        }
    }

    @Override
    protected void onPause() {d
        super.onPause();

        if (mGoogleApiClient != null && mGoogleApiClient.isConnected()) {
            mGoogleApiClient.disconnect();
        }
    }


        tv.setText(location + "");
        // Determine whether new location is better than current best
        // estimate
        if (null == mBestReading || location.getAccuracy() < mBestReading.getAccuracy()) {
            mBestReading = location;


            if (mBestReading.getAccuracy() < MIN_ACCURACY) {
                LocationServices.FusedLocationApi.removeLocationUpdates(mGoogleApiClient, this);
            }
        }
    }

    @Override
    public void onConnected(Bundle dataBundle) {
        // Get first reading. Get additional location updates if necessary
        if (servicesAvailable()) {

            // Get best last location measurement meeting criteria
            mBestReading = bestLastKnownLocation(MIN_LAST_READ_ACCURACY, FIVE_MIN);

            if (null == mBestReading
                    || mBestReading.getAccuracy() > MIN_LAST_READ_ACCURACY
                    || mBestReading.getTime() < System.currentTimeMillis() - TWO_MIN) {

                LocationServices.FusedLocationApi.requestLocationUpdates(mGoogleApiClient, mLocationRequest, this);

               //Schedule a runnable to unregister location listeners

                    @Override
                    public void run() {
                        LocationServices.FusedLocationApi.removeLocationUpdates(mGoogleApiClient, MainActivity.this);

                    }

                }, ONE_MIN, TimeUnit.MILLISECONDS);

            }

        }
    }

    @Override
    public void onConnectionSuspended(int i) {

    }


    private Location bestLastKnownLocation(float minAccuracy, long minTime) {
        Location bestResult = null;
        float bestAccuracy = Float.MAX_VALUE;
        long bestTime = Long.MIN_VALUE;

        // Get the best most recent location currently available
        Location mCurrentLocation = LocationServices.FusedLocationApi.getLastLocation(mGoogleApiClient);
        //tv.setText(mCurrentLocation+"");
        if (mCurrentLocation != null) {
            float accuracy = mCurrentLocation.getAccuracy();
            long time = mCurrentLocation.getTime();

            if (accuracy < bestAccuracy) {
                bestResult = mCurrentLocation;
                bestAccuracy = accuracy;
                bestTime = time;
            }
        }

        // Return best reading or null
        if (bestAccuracy > minAccuracy || bestTime < minTime) {
            return null;
        }
        else {
            return bestResult;
        }
    }

    @Override
    public void onConnectionFailed(ConnectionResult connectionResult) {

    }

    private boolean servicesAvailable() {
        int resultCode = GooglePlayServicesUtil.isGooglePlayServicesAvailable(this);

        if (ConnectionResult.SUCCESS == resultCode) {
            return true;
        }
        else {
            GooglePlayServicesUtil.getErrorDialog(resultCode, this, 0).show();
            return false;
        }
    }
}

2

私は(FusedLocationProviderClientを使用するために)グーグルによって提案された最新のロケーションプル方法を使用して、更新された(昨年)回答をインターネットで調べました。私はついにこれに着陸しました:

https://github.com/googlesamples/android-play-location/tree/master/LocationUpdates

新しいプロジェクトを作成し、このコードのほとんどをコピーしました。ブーム。できます。そして、私は非難された行がないと思います。

また、シミュレーターはGPS位置を取得していないようです。ログでこれを報告するまでは、「すべての場所の設定は満たされています。」

そして最後に、知りたい場合(私はそうしました)、必要なのがGPSの位置だけである場合、Google開発者コンソールからのGoogle Maps APIキーは必要ありません。

彼らのチュートリアルも役に立ちます。しかし、私は完全な1ページのチュートリアル/コードの例を求めていました。彼らのチュートリアルはスタックしますが、これに慣れていないと混乱します。以前のページで必要な部分がわからないためです。

https://developer.android.com/training/location/index.html

そして最後に、このようなことを覚えておいてください:

mainActivity.Javaを変更する必要があるだけではありません。Strings.xml、androidmanifest.xml、および正しいbuild.gradleも変更する必要がありました。そして、あなたのactivity_Main.xml(しかし、その部分は私にとっては簡単でした)。

このような依存関係を追加する必要がありました:実装 'com.google.android.gms:play-services-location:11.8.0'と、Android Studio SDKの設定を更新して、Google Playサービスを含めます。(ファイル設定の外観システム設定Android SDK SDKツールは、Google Playサービスをチェックします)。

更新:Androidシミュレーターが場所と場所の変更イベントを取得したようです(シミュレーションの設定で値を変更したとき)。しかし、私の最善かつ最初の結果は、実際のデバイスでのものでした。したがって、実際のデバイスでテストするのがおそらく最も簡単です。


1

最近、コードの場所を取得するためにリファクタリングし、いくつかの優れたアイデアを学び、ついに比較的完璧なライブラリとデモを実現しました。

@グリフィウスの答えはいい

    //request all valid provider(network/gps)
private boolean requestAllProviderUpdates() {
    checkRuntimeEnvironment();
    checkPermission();

    if (isRequesting) {
        EasyLog.d("Request location update is busy");
        return false;
    }


    long minTime = getCheckTimeInterval();
    float minDistance = getCheckMinDistance();

    if (mMapLocationListeners == null) {
        mMapLocationListeners = new HashMap<>();
    }

    mValidProviders = getValidProviders();
    if (mValidProviders == null || mValidProviders.isEmpty()) {
        throw new IllegalArgumentException("Not available provider.");
    }

    for (String provider : mValidProviders) {
        LocationListener locationListener = new LocationListener() {
            @Override
            public void onLocationChanged(Location location) {
                if (location == null) {
                    EasyLog.e("LocationListener callback location is null.");
                    return;
                }
                printf(location);
                mLastProviderTimestamp = location.getTime();

                if (location.getProvider().equals(LocationManager.GPS_PROVIDER)) {
                    finishResult(location);
                } else {
                    doLocationResult(location);
                }

                removeProvider(location.getProvider());
                if (isEmptyValidProviders()) {
                    requestTimeoutMsgInit();
                    removeUpdates();
                }
            }

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

            @Override
            public void onProviderEnabled(String provider) {
            }

            @Override
            public void onProviderDisabled(String provider) {
            }
        };
        getLocationManager().requestLocationUpdates(provider, minTime, minDistance, locationListener);
        mMapLocationListeners.put(provider, locationListener);
        EasyLog.d("Location request %s provider update.", provider);
    }
    isRequesting = true;
    return true;
}

//remove request update
public void removeUpdates() {
    checkRuntimeEnvironment();

    LocationManager locationManager = getLocationManager();
    if (mMapLocationListeners != null) {
        Set<String> keys = mMapLocationListeners.keySet();
        for (String key : keys) {
            LocationListener locationListener = mMapLocationListeners.get(key);
            if (locationListener != null) {
                locationManager.removeUpdates(locationListener);
                EasyLog.d("Remove location update, provider is " + key);
            }
        }
        mMapLocationListeners.clear();
        isRequesting = false;
    }
}

//Compared with the last successful position, to determine whether you need to filter
private boolean isNeedFilter(Location location) {
    checkLocation(location);

    if (mLastLocation != null) {
        float distance = location.distanceTo(mLastLocation);
        if (distance < getCheckMinDistance()) {
            return true;
        }
        if (location.getAccuracy() >= mLastLocation.getAccuracy()
                && distance < location.getAccuracy()) {
            return true;
        }
        if (location.getTime() <= mLastProviderTimestamp) {
            return true;
        }
    }
    return false;
}

private void doLocationResult(Location location) {
    checkLocation(location);

    if (isNeedFilter(location)) {
        EasyLog.d("location need to filtered out, timestamp is " + location.getTime());
        finishResult(mLastLocation);
    } else {
        finishResult(location);
    }
}

//Return to the finished position
private void finishResult(Location location) {
    checkLocation(location);

    double latitude = location.getLatitude();
    double longitude = location.getLongitude();
    float accuracy = location.getAccuracy();
    long time = location.getTime();
    String provider = location.getProvider();

    if (mLocationResultListeners != null && !mLocationResultListeners.isEmpty()) {
        String format = "Location result:<%f, %f> Accuracy:%f Time:%d Provider:%s";
        EasyLog.i(String.format(format, latitude, longitude, accuracy, time, provider));

        mLastLocation = location;
        synchronized (this) {
            Iterator<LocationResultListener> iterator =  mLocationResultListeners.iterator();
            while (iterator.hasNext()) {
                LocationResultListener listener = iterator.next();
                if (listener != null) {
                    listener.onResult(location);
                }
                iterator.remove();
            }
        }
    }
}

完全な実装:https : //github.com/bingerz/FastLocation/blob/master/fastlocationlib/src/main/java/cn/bingerz/fastlocation/FastLocation.java

1. @Gryphiusソリューションのアイデアに感謝します。完全なコードも共有します。

2.場所を完了するための各リクエスト、更新を削除することが最善です


0

私の経験では、GPSフィックスが入手できない場合を除いて、それを使用するのが最善であると思いました。他の位置情報提供者についてはあまり知りませんが、GPSの場合、ゲットー精度の測定を行うために使用できるいくつかのトリックがあることを知っています。標高はしばしば標識なので、とんでもない値をチェックすることができます。Androidの位置の修正に関する精度の測定があります。また、使用されている衛星の数を確認できる場合は、これも精度を示している可能性があります。

精度をよりよく理解するための興味深い方法は、一連の修正を非常に迅速に要求することです。たとえば、10秒間〜1 /秒、1〜2秒間スリープします。私が行った1つの話は、一部のAndroidデバイスがとにかくこれを行うと信じることにつながっています。次に、外れ値を取り除き(ここでカルマンフィルターについて言及していると聞きました)、ある種のセンタリング戦略を使用して単一の修正を取得します。

明らかに、ここに到達する深さは、要件がどれだけ難しいかに依存します。最高の位置を取得するために特に厳しい要件がある場合は、GPSとネットワークの位置がリンゴやオレンジと同じようにあることがわかります。また、GPSはデバイスごとに大きく異なる場合があります。


まあ、それが最高であることは重要ではありません。ただ、地図にプロットするのに十分であり、これはバックグラウンドタスクであるため、バッテリーを消耗させないことです。
Nicklas A.

-3

Skyhook(http://www.skyhookwireless.com/)には、Googleが提供する標準よりもはるかに高速な位置情報プロバイダーがあります。それはあなたが探しているものかもしれません。私は彼らと提携していません。


興味深いことに、WiFiのみを使用しているように見えますが、これは非常に便利ですが、周囲にwifiまたは3G / 2G接続がない場合でも動作させる必要があるため、抽象化のレイヤーが追加されます。いいキャッチ。
Nicklas A.

1
Skyhookは、WiFi、GPS、およびセルタワーの組み合わせを使用しているようです。技術的な詳細については、skyhookwireless.com / howitworksを参照してください。最近、Mapquest、Twydroid、ShopSavvy、Sony NGPなど、いくつかのデザインウィンを獲得しています。SDKのダウンロードと試用は無料のようですが、アプリで配布するためのライセンスについてはSDKに連絡する必要があります。残念ながら、彼らは彼らのウェブサイトに価格を記載していません。
Ed Burnette、2011年

ああなるほど。まあ、商用利用が無料でないと使えないと思います。
Nicklas A.
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.