我使用的是蓝牙低能耗的示例代码,为了编写特征值,我对其进行了一些小的修改。下面是我用来编写特征值的代码,它成功地写入了1字节(0xFF)值。
public void writeCharacteristicValue(BluetoothGattCharacteristic characteristic)
{
byte[] value= {(byte) 0xFF};
characteristic.setValue(bytesToHex(value));
boolean status = mBluetoothGatt.writeCharacteristic(characteristic);
}
final protected static char[] hexArray = "0123456789ABCDEF".toCharArray();
public static String bytesToHex(byte[] bytes)
{
char[] hexChars = new char[bytes.length * 2];
int v;
for ( int j = 0; j < bytes.length; j++ )
{
v = bytes[j] & 0xFF;
hexChars[j * 2] = hexArray[v >>> 4];
hexChars[j * 2 + 1] = hexArray[v & 0x0F];
}
return new String(hexChars);
}
上面的代码可以正确地写入1字节(0xFF)值,但我需要写入2字节的特征值。
当我在
writeCharacteristicValue()
方法(如byte[] value= {(byte) 0xFF,(byte) 0xFF};
方法)中将值更改为2字节时,onCharacteristicWrite()
回调方法将显示exception"A write operation exceeds the maximum length"
。在这里您可以看到onCharacteristicWrite()
回调方法代码public void onCharacteristicWrite(BluetoothGatt gatt, BluetoothGattCharacteristic characteristic, int status)
{
if (status == BluetoothGatt.GATT_SUCCESS)
{
broadcastUpdate(ACTION_DATA_WRITE, characteristic);
Log.e("WRITE SUCCESS", "onCharacteristicWrite() - status: " + status + " - UUID: " + characteristic.getUuid());
}
...
...
...
else if (status == BluetoothGatt.GATT_INVALID_ATTRIBUTE_LENGTH)
{
Log.e("WRITE PROB", "A write operation exceeds the maximum length of the attribute");
}
}
现在的问题是,我想将
"AFCF"
写为特征值。请在这方面指导我,让我知道在代码中编写"AFCF"
值需要哪些具体更改。我已经花了很多时间来解决这个问题,但到目前为止,我的努力没有取得成果。请帮帮我,我将非常感谢你的善举。
最佳答案
错误可能是因为将值作为“单个值”放入字节数组。
因为,字节数组保存每个1字节的索引值。所以,当你写一个字节的时候它工作得很好,但是当你试图写两个字节的时候,不要用上面的方法把十六进制的值转换成字节数组,使用另一个。
用途:
public static byte[] hexStringToByteArray(String s) {
int len = s.length();
byte[] data = new byte[len / 2];
for (int i = 0; i < len; i += 2) {
data[i / 2] = (byte) ((Character.digit(s.charAt(i), 16) << 4) + Character
.digit(s.charAt(i + 1), 16));
}
return data;
}
关于android - 如何在Android BLE中将“AFCF”写为特征值?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/21381519/