我需要从GPS获取速度和方向。但是,我从location.getSpeed()获得的唯一数字是0或有时不可用。我的代码:

        String provider = initLocManager();
    if (provider == null)
        return false;
    LocationListener locListener = new LocationListener() {
        public void onLocationChanged(Location location) {
            updateWithNewLocation(location, interval, startId);
            Log.i(getString(R.string.logging_tag), "speed =" + location.getSpeed());
        }

        public void onProviderDisabled(String provider){
            updateWithNewLocation(null, interval, startId);
        }

        public void onProviderEnabled(String provider) {}
        public void onStatusChanged(String provider, int status, Bundle extras) {}
    };

    _locManager.requestLocationUpdates(provider, interval,  DEFAULT_GPS_MIN_DISTANCE, locListener);


    private String initLocManager() {
    String context = Context.LOCATION_SERVICE;
    _locManager = (LocationManager) getSystemService(context);

    Criteria criteria = new Criteria();
    criteria.setAccuracy(Criteria.ACCURACY_FINE);
    criteria.setAltitudeRequired(false);
    criteria.setBearingRequired(true);
    criteria.setSpeedRequired(true);
    criteria.setCostAllowed(true);
    //criteria.setPowerRequirement(Criteria.POWER_LOW);
    String provider = _locManager.getBestProvider(criteria, true);

    if (provider == null || provider.equals("")) {
        displayGPSNotEnabledWarning(this);
        return null;
    }

    return provider;
}

我尝试打标准,但没有成功。有谁知道这是什么问题吗?

最佳答案

location.getSpeed()仅返回使用location.setSpeed()设置的内容。这是您可以为位置对象设置的值。

要使用GPS计算速度,您必须做一些数学运算:

Speed = distance / time

因此,您需要执行以下操作:
(currentGPSPoint - lastGPSPoint) / (time between GPS points)

全部转换为英尺/秒,或者要显示速度。这是我制作运行应用程序时的操作方式。

更具体地说,您需要计算绝对距离:
(sqrt((currentGPSPointX - lastGPSPointX)^2) + (currentGPSPointY - lastGPSPointY)^2)) / (time between GPS points)

创建一个新的TrackPoint类或类似的东西可能会有所帮助,这样可以保留GPS的位置和时间。

07-26 09:43