我正在开发一个应用程序,利用android 4.3的蓝牙ble api。
我在android 4.2上使用了samsung ble堆栈,它工作正常,即使稳定性更好。
现在有了4.3,对于每个客户机连接,我们都有一个BluetoothGatt
类的实例。
也就是说,我通过拨打
BluetoothGatt gatt = device.connectGatt(this, true, callbacks);
这些对象是用来与设备进行实际交互的对象。
因为我想连接到多个设备并与这些设备交互,所以我将
BluetoothGatt
实例缓存在定义为我的服务的私有属性的BluetoothGatt
中:private HashMap<String, BluetoothGatt> devicesGatts
= new HashMap<String, BluetoothGatt>();
密钥是设备地址。
然后,每当我想连接到一个设备时,我都会将
HashMap
实例从这个BluetoothGatt
中拉出:public BluetoothGatt connectGatt(final BluetoothDevice device){
if(device == null){
return null;
}
String adr = device.getAddress();
BluetoothGatt gatt = devicesGatts.get(adr);
if(gatt == null){
gatt = device.connectGatt(this, true, mGattCallbacks);
} else {
BluetoothDevice gattDevice = gatt.getDevice();
if(gattDevice != null && adr.equals(gattDevice.getAddress())){
gatt.connect(); // PROBLEM APPEARS HERE
} else {
gatt = device.connectGatt(this, true, mGattCallbacks);
}
}
devicesGatts.put(adr, gatt);
return gatt;
}
问题是,有时,如果一个设备试图通过其缓存的
HashMap
实例通过调用BluetoothGatt
重新连接,我会得到一个名为gatt.connect()
的错误(不是致命的)。当我暂停应用程序并重新启动蓝牙芯片,然后继续应用程序时,就会发生这种情况。
我并不奇怪在发生这种情况之后我不能使用缓存的实例,但是我想知道如何在异常发生之前捕获或检测它。
下面是堆栈跟踪:
02-18 10:43:51.884: E/BluetoothGatt(23312): android.os.DeadObjectException
02-18 10:43:51.884: E/BluetoothGatt(23312): at android.os.BinderProxy.transact(Native Method)
02-18 10:43:51.884: E/BluetoothGatt(23312): at android.bluetooth.IBluetoothGatt$Stub$Proxy.clientConnect(IBluetoothGatt.java:841)
02-18 10:43:51.884: E/BluetoothGatt(23312): at android.bluetooth.BluetoothGatt.connect(BluetoothGatt.java:759)
02-18 10:43:51.884: E/BluetoothGatt(23312): at MYSERVICE.connectGatt(...)
异常是由本机方法引发的,但不是由Bluetooth堆栈类引发的。
我怎么能抓住它?
最佳答案
我找到了解决办法。
我只是在蓝牙芯片关闭时重置哈希映射。
IntentFilter filter = new IntentFilter();
filter.addAction(BluetoothAdapter.ACTION_STATE_CHANGED);
this.registerReceiver(bluetoothStatusChangeReceiver, filter);
private final BroadcastReceiver bluetoothStatusChangeReceiver
= new BroadcastReceiver() {
public void onReceive(Context context, Intent intent) {
String action = intent.getAction();
if(action.equals(BluetoothAdapter.ACTION_STATE_CHANGED)){
if(intent.getIntExtra(BluetoothAdapter.EXTRA_STATE, -1)
== BluetoothAdapter.STATE_OFF){
devicesGatts.clear();
resetBluetooth();
} else if(intent.getIntExtra(BluetoothAdapter.EXTRA_STATE, -1)
== BluetoothAdapter.STATE_ON){
initBluetooth();
}
}
}
}
initBluetooth和resetBluetooth功能允许我重置
BluetoothGattServer
和BluetoothManager
实例。