- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
很久以前,我编写了一个 Android 应用程序,它需要知道设备的位置。为了抽象对设备位置的访问,我编写了一个类来管理所有与位置相关的事物,存储当前设备的位置,并在 GPS 或互联网状态发生变化时调用主要 Activity 以通知用户。
此应用程序一直在所有设备上运行,直到我购买了附带 Lollipop 的 Samsung Galaxy A5 2016。它适用于我在旧版 Android 版本上测试过的所有 Jellybean 设备,但在 A5 2016 上,用户会收到 GPS 状态更改的通知,但 onLocationChanged() 方法一定不能工作,因为存储在此类中的位置始终为空。为什么这个用于获取位置的类一直在所有设备上工作,但现在在 Lollipop 上停止工作?真是令人沮丧。 Android 应用程序应该是向前兼容的。以下是管理位置的类的代码,该类已停止在 Lollipop 上工作。在 Lollipop 之前,位置通常存储在 Location
类型的类的实例属性上,但从 Lollipop 开始,位置不再存储。
package bembibre.personlocator.logic.locationservices;
import android.content.Context;
import android.location.GpsStatus;
import android.location.Location;
import android.location.LocationListener;
import android.location.LocationManager;
import android.location.LocationProvider;
import android.os.Bundle;
import android.os.SystemClock;
import bembibre.personlocator.activities.MainActivity;
import bembibre.personlocator.logic.Action;
import bembibre.personlocator.logic.internet.InternetManager;
/**
* Clase singleton que permite averiguar la localización del usuario en cada
* momento.
*
* @author misines
*
*/
public class MyLocationManager {
/**
* Única instancia que puede existir de este objeto (es un singleton).
*/
private static MyLocationManager instance = new MyLocationManager();
private static int GPS_INTERVAL = 3000;
/**
* Actividad que llama a este objeto y que necesita conocer la localización
* del usuario.
*/
private MainActivity activity;
/**
* Objeto de Android que permite acceder a la localización del usuario.
*/
private LocationManager locationManager;
/**
* Objeto que se encarga de escuchar cambios de localización basada en red.
*/
private LocationListener networkLocationListener;
/**
* Objeto que se encarga de escuchar cambios de localización basada en GPS.
*/
private LocationListener gpsLocationListener;
private int networkStatus = LocationProvider.OUT_OF_SERVICE;
private int gpsStatus = LocationProvider.OUT_OF_SERVICE;
private EnumGpsStatuses status = EnumGpsStatuses.BAD;
/**
* Este atributo contiene la última localización del usuario determinada
* por red (no muy exacta) o <code>null</code> si no se ha podido
* determinar (por ejemplo porque no hay Internet).
*/
private Location networkLocation;
/**
* Este atributo contiene la última localización del usuario determinada
* por GPS (es más exacta que por red) o <code>null</code> si no se ha
* podido determinar (por ejemplo porque no está activado el GPS).
*/
private Location gpsLocation;
private Long gpsLastLocationMillis;
private boolean networkProviderEnabled = false;
public static MyLocationManager getInstance() {
return MyLocationManager.instance;
}
private void setNetworkLocation(Location location) {
this.networkLocation = location;
}
private void setGpsLocation(Location location) {
this.gpsLocation = location;
}
/**
* Método que es llamado cuando el estado de alguno de los proveedores de
* localización de los que depende esta clase ha cambiado de estado.
*/
private void onStatusChanged() {
switch(this.gpsStatus) {
case LocationProvider.AVAILABLE:
this.status = EnumGpsStatuses.GOOD;
break;
case LocationProvider.OUT_OF_SERVICE:
case LocationProvider.TEMPORARILY_UNAVAILABLE:
default:
switch(this.networkStatus) {
case LocationProvider.AVAILABLE:
this.status = EnumGpsStatuses.SO_SO;
break;
case LocationProvider.OUT_OF_SERVICE:
case LocationProvider.TEMPORARILY_UNAVAILABLE:
default:
this.status = EnumGpsStatuses.BAD;
}
}
if (this.activity != null) {
this.activity.onGpsStatusChanged(this.status);
}
}
private void setNetworkStatus(int status) {
this.networkStatus = status;
this.onStatusChanged();
}
private void setGpsStatus(int status) {
this.gpsStatus = status;
this.onStatusChanged();
}
private class MyGPSListener implements GpsStatus.Listener {
public void onGpsStatusChanged(int event) {
boolean isGPSFix;
switch (event) {
case GpsStatus.GPS_EVENT_SATELLITE_STATUS:
if (MyLocationManager.this.gpsLastLocationMillis != null) {
isGPSFix = (SystemClock.elapsedRealtime() - MyLocationManager.this.gpsLastLocationMillis) < 3 * MyLocationManager.GPS_INTERVAL;
} else {
isGPSFix = false;
}
if (isGPSFix) { // A fix has been acquired.
MyLocationManager.this.setGpsStatus(LocationProvider.AVAILABLE);
} else { // The fix has been lost.
MyLocationManager.this.setGpsStatus(LocationProvider.OUT_OF_SERVICE);
}
break;
case GpsStatus.GPS_EVENT_FIRST_FIX:
// Do something.
MyLocationManager.this.setGpsStatus(LocationProvider.AVAILABLE);
break;
}
}
}
/**
* Inicializa este objeto para que empiece a funcionar y trate de
* determinar la localización del dispositivo. Además inicializa al
* <code>InternetManager</code>, de modo que una vez que se haya llamado a
* este método, InternetManager estará disponible en todo momento para ver
* si la conexión a Internet funciona o hacer pruebas a dicha conexión.
*
* @param activity
*/
public void start(final MainActivity activity) {
this.activity = activity;
// Acquire a reference to the system Location Manager
this.locationManager = (LocationManager) this.activity.getSystemService(Context.LOCATION_SERVICE);
// Define a listener that responds to location updates
this.networkLocationListener = new LocationListener() {
public void onLocationChanged(Location location) {
// Called when a new location is found by the network location
// provider.
MyLocationManager.this.setNetworkLocation(location);
MyLocationManager.this.networkProviderEnabled = true;
InternetManager.getInstance().makeInternetTest(activity);
}
public void onStatusChanged(String provider, int status, Bundle extras) {
MyLocationManager.this.setNetworkStatus(status);
}
public void onProviderEnabled(String provider) {
MyLocationManager.this.networkProviderEnabled = true;
InternetManager.getInstance().makeInternetTest(activity);
}
public void onProviderDisabled(String provider) {
MyLocationManager.this.networkProviderEnabled = false;
MyLocationManager.this.setNetworkStatus(LocationProvider.OUT_OF_SERVICE);
}
};
this.gpsLocationListener = new LocationListener() {
public void onLocationChanged(Location location) {
// Called when a new location is found by the network location
// provider.
MyLocationManager.this.setGpsLocation(location);
MyLocationManager.this.gpsLastLocationMillis = SystemClock.elapsedRealtime();
//MyLocationManager.this.setGpsStatus(LocationProvider.AVAILABLE);
}
public void onStatusChanged(String provider, int status, Bundle extras) {
MyLocationManager.this.setGpsStatus(status);
}
public void onProviderEnabled(String provider) {
}
public void onProviderDisabled(String provider) {
MyLocationManager.this.setGpsStatus(LocationProvider.OUT_OF_SERVICE);
}
};
// Register the listener with the Location Manager to receive location
// updates
try {
this.locationManager.requestLocationUpdates(
LocationManager.NETWORK_PROVIDER, 3000, 0, this.networkLocationListener
);
this.locationManager.requestLocationUpdates(
LocationManager.GPS_PROVIDER, GPS_INTERVAL, 0, this.gpsLocationListener
);
} catch (Exception e) {
e.printStackTrace();
}
this.locationManager.addGpsStatusListener(new MyGPSListener());
/*
* Hay que inicializar al InternetManager y decirle que avise a este
* objeto cada vez que el Internet vuelva o se pierda. Para ello usamos
* dos objetos Action.
*/
Action action1 = new Action() {
@Override
public void execute(String string) {
MyLocationManager.getInstance().internetHasBeenRecovered();
}
};
Action action2 = new Action() {
@Override
public void execute(String string) {
MyLocationManager.getInstance().internetHasBeenLost();
}
};
InternetManager.getInstance().initialize(activity, action1, action2);
}
public void stop() {
if (this.locationManager != null) {
if (this.networkLocationListener != null) {
this.locationManager.removeUpdates(this.networkLocationListener);
}
if (this.gpsLocationListener != null) {
this.locationManager.removeUpdates(this.gpsLocationListener);
}
}
this.activity = null;
}
/**
* Devuelve la última localización conocida basada en red o
* <code>null</code> si no hay.
*
* @return la última localización conocida basada en red o
* <code>null</code> si no hay.
*/
public Location getNetworkLocation() {
Location result;
if (this.networkLocation == null) {
result = this.gpsLocation;
} else {
result = this.networkLocation;
}
return result;
}
/**
* Si el gps está disponible y tenemos una posición guaradada basada en GPS
* entonces la devuelve. En caso contrario intenta devolver la última
* localización basada en red, y si tampoco está disponible, devuelve
* <code>null</code>.
*
* @return la localización más precisa que esté disponible en este momento.
*/
public Location getFinestLocationAvailable() {
Location result;
switch(this.gpsStatus) {
case LocationProvider.AVAILABLE:
if (this.gpsLocation == null) {
result = this.networkLocation;
} else {
result = this.gpsLocation;
}
case LocationProvider.TEMPORARILY_UNAVAILABLE:
case LocationProvider.OUT_OF_SERVICE:
default:
result = this.networkLocation;
}
return result;
}
/**
* Devuelve el estado actual del GPS.
*
* @return el estado actual del GPS.
*/
public EnumGpsStatuses getStatus() {
return this.status;
}
/**
* Método al que tenemos que llamar siempre que nos enteremos de que
* tenemos Internet, para que se sepa que la localización por red funciona.
*/
public void internetHasBeenRecovered() {
if (this.networkProviderEnabled) {
this.setNetworkStatus(LocationProvider.AVAILABLE);
} else {
this.setNetworkStatus(LocationProvider.OUT_OF_SERVICE);
}
this.onStatusChanged();
}
/**
* Método al que tenemos que llamar siempre que nos enteremos de que la
* conexión a Internet se ha perdido, para que este objeto se dé cuenta de
* que el servicio de localización por red ya no funciona.
*/
public void internetHasBeenLost() {
this.setNetworkStatus(LocationProvider.OUT_OF_SERVICE);
this.onStatusChanged();
}
}
最佳答案
尝试使用以下代码:
public class MyLocationService extends Service{
Location mLastLocation;
android.location.LocationListener mLocationListener;
LocationManager locationManager;
@Override
public int onStartCommand(Intent intent, int flags, int startId) {
super.onStartCommand(intent, flags, startId);
// Acquire a reference to the system Location Manager
locationManager = (LocationManager) getSystemService(Context.LOCATION_SERVICE);
// Define a listener that responds to location updates
mLocationListener = new android.location.LocationListener() {
@Override
public void onLocationChanged(Location location) {
// Called when a new location is found by the gps location provider.
mLastLocation = location; // this is the object you need to play with Location changes
// do stuffs here you want after location changes
}
@Override
public void onStatusChanged(String provider, int status, Bundle extras) {}
@Override
public void onProviderEnabled(String provider) {}
@Override
public void onProviderDisabled(String provider) {}
};
String locationProvider = LocationManager.GPS_PROVIDER; // here, you can also set Network provider as per your need
// Register the listener with the Location Manager to receive location updates
try{
locationManager.requestLocationUpdates(locationProvider, 5000, 0, mLocationListener);
mLastLocation = locationManager.getLastKnownLocation(locationProvider);
} catch (SecurityException e){
e.printStackTrace();
}
return START_STICKY;
}
}
Manifest 权限要求您已经知道:
<uses-permission android:name="android.permission.ACCESS_FINE_LOCATION" />
最后,您的服务应在 list 中声明,如下所示:
<service android:name=".service.MyLocationService" />
您必须从 Activity 或 Application 类启动服务。
关于java - GPS 可在除 Lollipop 之外的所有设备上使用,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/36736268/
我正在努力解决一个问题 Rahul 正在玩一个非常有趣的游戏。他有 N 个圆盘(每个圆盘的半径相等)。每个磁盘都有一个不同的数字,从 1 到 N 与之相关联。磁盘一个接一个地放在一堆中。 Rahul
我正在尝试使用此代码发出请求: public JsonObject account() throws BinanceApiException { return (new Request
我使用的是 Mac OS 和 emacs -nw (终端模式)。 我不知道如何在 emacs 之外粘贴东西(已由 M-w 在 emacs -nw 中实现)。 我知道emacs -ns可以做到。 搜索互
我试图让导航栏菜单出现在“标题容器”菜单中,但由于某种原因,导航栏链接流到外面(在修改浏览器窗口之前)。我不明白为什么,但我怀疑它与这一行有关: div class="collapse navbar-
我们的项目是在 WAS 6.1/hibernate/struts 上使用 RAD 7.0 开发的中型 Web 应用程序,该应用程序已投入生产。目前我们在属性文件中硬编码了生产系统的 IP 地址,在 h
我的要求是在传单中创建 N 类型的标记。该列表很大,无法容纳在 map 区域中。 我想要类似的东西: http://blog.georepublic.info/2012/leaflet-example
如 docs 中所述,基于 spring-boot 的 Web 服务正在使用 Sentry .它工作正常,但不应将某些异常发送到 Sentry ,例如为了在某些请求上返回 HTTP 状态 410
我已经阅读了 Apple Core Animation 文档。它说核心动画没有提供在窗口中实际显示图层的方法,它们必须由 View 托管。当与 View 配对时, View 必须为底层图层提供事件处理
我试图在滚动时检查元素是否在我的视口(viewport)内。如果它在我的视口(viewport)之外,我会添加一个类来将元素固定到顶部。 我用来确定元素是否在视口(viewport)之外的函数是: i
我正在查询中创建一个弹出窗口。悬停时弹出窗口一切正常。当用户的鼠标离开 div 以关闭它时,我让它看到计时器启动。如果他在计时器完成之前再次进入 div,则计时器将被清除。 这很好,但是如果用户点击
我使用名为 zonemap 的字典创建了一个 4x6 区域 map 。我在该字典中嵌套了多个字典;每个区域代表玩家可以访问并与之互动的区域。我希望能够将玩家的移动限制在该 4x6 区域,并重新显示他们
我正在构建一个页面,该页面将使用 ajax 来更新主要内容区域。用户将单击左侧菜单栏中的项目来更新右侧的 div 并包含搜索结果。 我想检测用户是否向下滚动到目前为止导致右侧结果 div 移出视口(v
好的,我在 div 中有一个带有拖放类的表格,其溢出设置为“自动”,这允许我隐藏部分时间表,只在底部放置一个滚动条。但是,我只是在可滚动 div 之外创建了一些可放置元素,并且我的可拖动元素无法离开可
我有大量项目绑定(bind)到 ListBox,VirtualizingStackPanel 设置为它的 ItemsPanel。随着用户滚动和项目容器的创建,我做了一些工作来用数据填充项目(使用数据库
我想知道是否有一种方法可以将类成员的访问范围专门限定为在 C# 中获取/设置实现,以减少我意外直接访问它们的可能性。类似 private 的东西,但只允许 get/set 访问它,我想我可以将每个变量
我正在尝试编写一个小游戏,以应用我自己在本类(class)中学到的概念。当游戏打开时,我想要一个自定义模态视图来告诉用户如何玩。同样,当他们输了时,我想呈现一个结果页面,该页面将位于 if 语句内。我
我有一个非常具体的 HTML/CSS 和/或 JS 问题。我在 this fiddle here 创建了一个示例显示问题。 我有一个可滚动的 div,它是一个表的父级: ...我的表格行之一包
我的 jar 文件中打包了一个 exe,我试图将它复制到一个临时位置,以便我可以使用 Desktop.browse() 运行它,为此我设置了一个使用 class.getResourceAsStream
您好,我对这段代码有疑问。我的问题是第一个 console.log(smile_per_sec) 给了我需要的值,但是第二个给了我声明变量时给它的值。 $.getJSON( twitter
我必须更改标记弹出窗口的默认大小以容纳我想放入其中的数据。我更改了一些 map 设置,因此当用户将其拖出 View 时,它总是会弹回最大范围。我遇到的问题是,对于靠近边缘的标记,当它的弹出窗口打开时,
我是一名优秀的程序员,十分优秀!