连接到BLE设备时,我正在尝试读取其初始状态。这是我必须尝试执行的代码:

@Override
public void onServicesDiscovered(BluetoothGatt gatt, int status)
{
    if(status == BluetoothGatt.GATT_SUCCESS)
    {
        Log.i(TAG, gatt.getDevice().toString() + "Discovered Service Status: " + gattStatusToString(status));
        for(BluetoothGattService service : gatt.getServices())
        {
            Log.i(TAG, "Discovered Service: " + service.getUuid().toString() + " with " + "characteristics:");
            for(BluetoothGattCharacteristic characteristic : service.getCharacteristics())
            {
                // Set notifiable
                if(!gatt.setCharacteristicNotification(characteristic, true))
                {
                    Log.e(TAG, "Failed to set notification for: " + characteristic.toString());
                }

                // Enable notification descriptor
                BluetoothGattDescriptor descriptor = characteristic.getDescriptor(CCC_UUID);
                if(descriptor != null)
                {
                    descriptor.setValue(BluetoothGattDescriptor.ENABLE_NOTIFICATION_VALUE);
                    gatt.writeDescriptor(descriptor);
                }

                // Read characteristic
                if(!gatt.readCharacteristic(characteristic))
                {
                    Log.e(TAG, "Failed to read characteristic: " + characteristic.toString());
                }
            }
        }
    }
    else
    {
        Log.d(TAG, "Discover Services status: " + gattStatusToString(status));
    }
}

但是每次读取都会失败!稍后,如果我基于UI交互启动读取,则读取就可以了!关于这里发生的事情有什么想法吗?

最佳答案

在Android BLE实现中,需要对gatt操作调用进行排队,以便一次仅执行一个操作(读,写等)。因此,例如,在调用gatt.readCharacteristic(characteristicX)之后,您需要等待gatt回调BluetoothGattCallback.onCharacteristicRead()指示读取已完成。如果您在上一个操作完成之前启动第二个gatt.readCharacteristic()操作,则第二个操作将失败(返回false)。这适用于所有gatt.XXX()操作。

它的工作量很小,但是我认为最好的解决方案是为所有gatt操作创建一个命令队列,并一次运行一次。您可以使用命令模式来完成此操作。

关于Android BLE readCharacteristic失败,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/30398599/

10-11 18:50