在HarmonyOS的蓝牙BLE服务中,当你使用addServer()
方法添加服务时,你确实需要创建BluetoothGattService
和相应的BluetoothGattCharacteristic
对象,并正确设置它们的UUID和属性。characteristicsArray
和descriptorsArray
(尽管在直接API调用中不常直接作为参数名出现,但它们的概念是存在的)通常与BluetoothGattCharacteristic
对象紧密相关。
characteristicsArray与descriptorsArray的对应关系
- characteristicsArray:这是一个包含
BluetoothGattCharacteristic
对象的数组。每个BluetoothGattCharacteristic
代表一个特征值,它可以被读取、写入、订阅等。 - descriptorsArray:这通常不是直接作为API参数传递的,而是与
BluetoothGattCharacteristic
对象相关联的。每个BluetoothGattCharacteristic
可以有一个或多个BluetoothGattDescriptor
对象,这些对象描述了特征的额外信息或元数据。
在HarmonyOS中,你不需要直接操作characteristicsArray
和descriptorsArray
作为参数传递给addServer()
,而是需要在创建BluetoothGattService
时,将BluetoothGattCharacteristic
添加到服务中,然后在每个BluetoothGattCharacteristic
上根据需要添加BluetoothGattDescriptor
。
addServer()的传参方式
对于addServer()
方法,你实际上是在配置并添加一个蓝牙GATT服务。以下是如何在HarmonyOS中操作的一个简化示例:
// 假设这些UUID是已经定义好的
UUID uuid_service = ...;
UUID uuid_read = ...;
UUID uuid_write = ...;
// 创建读和写的特征值
BluetoothGattCharacteristic readCharacteristic = new BluetoothGattCharacteristic(
uuid_read,
BluetoothGattCharacteristic.PROPERTY_READ,
BluetoothGattCharacteristic.PERMISSION_READ
);
BluetoothGattCharacteristic writeCharacteristic = new BluetoothGattCharacteristic(
uuid_write,
BluetoothGattCharacteristic.PROPERTY_WRITE,
BluetoothGattCharacteristic.PERMISSION_WRITE
);
// 如果需要,可以在特征值上添加描述符
// BluetoothGattDescriptor descriptor = new BluetoothGattDescriptor(...);
// readCharacteristic.addDescriptor(descriptor);
// 创建服务,并将特征值添加到服务中
BluetoothGattService service = new BluetoothGattService(uuid_service, BluetoothGattService.SERVICE_TYPE_PRIMARY);
service.addCharacteristic(readCharacteristic);
service.addCharacteristic(writeCharacteristic);
// 最后,将服务添加到GATT服务器
bluetoothGattServer.addService(service);
注意:
- 在上面的代码中,
bluetoothGattServer
是一个已经初始化和配置好的BluetoothGattServer
对象。 PROPERTY_READ
、PROPERTY_WRITE
、PERMISSION_READ
、PERMISSION_WRITE
等是BluetoothGattCharacteristic
类中定义的常量,用于指定特征值的属性和权限。BluetoothGattDescriptor
的添加是可选的,取决于你的应用需求。
这样,你就成功地将服务和特征值(包括它们的UUID、属性和权限)添加到了蓝牙GATT服务器中。
在HarmonyOS Next中,要将一个蓝牙服务及其特征添加到GATT服务器
创建读特征:
创建写特征:
创建服务并添加特征:
将服务添加到GATT服务器:
在这里,
uuid_read
、uuid_write
和uuid_service
是你的特征和蓝牙服务的UUID。你需要将它们替换为实际的值。BluetoothGattService.SERVICE_TYPE_PRIMARY
表示这是一个主要服务。addService
方法将服务添加到GATT服务器中,使其可以被其他蓝牙设备发现和交互。