我正在使用蓝牙低功耗的示例代码,我在其中做了一些小的改动,以便写出特征值。下面是我用于编写特征值的代码,它成功写入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()
方法中将值更改为2字节时,byte[] value= {(byte) 0xFF,(byte) 0xFF};
然后onCharacteristicWrite()
回调方法会显示异常"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"
值。
我已经耗费了大量时间来解决问题,但到目前为止,我的努力没有结果。请帮助我,我会非常感谢你的善举。
答案 0 :(得分:1)
错误可能是因为您将值作为字节数组中的“单个值”。 因为,字节数组保存每个索引值为1个字节。所以,当你写1个字节时,它工作得很完美但是当你尝试写2个字节时,不要使用上面的方法将十六进制值转换为bytes数组,使用另一个。
使用:
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;
}