最近公司要接蓝牙电子秤,就研究了下蓝牙相关的东西。直接进入正题。
连接蓝牙外设,一般是把手机作为中心管理者,当然手机也可以作为外设进行设置,现在先记录一下作为中心管理者的用法。
_centralManager = [[CBCentralManager alloc] initWithDelegate:self queue:nil];
创建中心管理者。
简单介绍下流程:
1.开启蓝牙
2.搜索蓝牙
3.发现蓝牙
4.连接蓝牙
5.发现蓝牙服务
6.发现蓝牙服务内特征
7.获取特征值
/**
* 蓝牙开始更新
*/
- (void)centralManagerDidUpdateState:(CBCentralManager *)central
{
switch (central.state) {
case CBCentralManagerStatePoweredOn:
NSLog(@"CBCentralManagerStatePoweredOn");
break;
case CBCentralManagerStatePoweredOff:
NSLog(@"CBCentralManagerStatePoweredOff");
break;
default:
break;
}
}
蓝牙状态更新会调用此方法,在此方法中可以判断蓝牙是否可用。
接着调用
[self.centralManager scanForPeripheralsWithServices:nil options:@{CBCentralManagerScanOptionAllowDuplicatesKey : @ YES}];
搜索外设,外设找到后,会调用代理方法。
/**
* 搜寻外设
*/
- (void)centralManager:(CBCentralManager *)central
didDiscoverPeripheral:(CBPeripheral *)peripheral
advertisementData:(NSDictionary<NSString *,id> *)advertisementData
RSSI:(NSNumber *)RSSI{
//将peripheral传出,等待连接。
}
找到外设后 我们就要对进行连接。调用
[self.centralManager connectPeripheral:peripheral options:nil];
外设连接成功会调用代理方法
/**
* 外设连接成功
*/
- (void)centralManager:(CBCentralManager *)central didConnectPeripheral:(CBPeripheral *)peripheral{
//取消扫描
[self.centralManager stopScan];
//配置外设,进一步扫描外设服务
_peripheral = peripheral;
_peripheral.delegate = self;
//发现服务
[_peripheral discoverServices:nil];
}
通过调用
_peripheral.delegate = self;
[_peripheral discoverServices:nil];
就可以发现服务了
找到服务会调用代理方法
/**
* 发现蓝牙外设服务
*/
- (void)peripheral:(CBPeripheral *)peripheral didDiscoverServices:(NSError *)error{
for (CBService *server in peripheral.services) {
//发现服务的特征
[self.peripheral discoverCharacteristics:nil
forService:server];
}
}
/**
* 发现服务的特征
*/
- (void)peripheral:(CBPeripheral *)peripheral didDiscoverCharacteristicsForService:(CBService *)service error:(NSError *)error{
for (CBCharacteristic *characteristic in service.characteristics) {
//订阅广播通知
if (characteristic.properties & CBCharacteristicPropertyNotify) {
[peripheral readValueForCharacteristic:characteristic];
[peripheral setNotifyValue:YES forCharacteristic:characteristic];
}
//写操作的特征值,实现约定好的
if([characteristic.UUID isEqual:[CBUUID UUIDWithString:WRITE_UUID]]){
self.writeCharacteristic = characteristic;
}
}
}
/**
* 蓝牙数据更新
*/
- (void)peripheral:(CBPeripheral *)peripheral didUpdateValueForCharacteristic:(CBCharacteristic *)characteristic error:(NSError *)error
{
if (characteristic.value.length == 0){
return;
}
//处理数据 characteristic.value就是蓝牙设备传回来的值
[self handleBLEData:characteristic.value];
}
接下来如果要和蓝牙进行交互,就是想蓝牙发送数据。可以调用
//self.peripheral为外设
//self.writeCharacteristic 为可写的通道
//data 为要写入的数据
[self.peripheral writeValue:data forCharacteristic:self.writeCharacteristic type:CBCharacteristicWriteWithoutResponse];
以上就是简单的蓝牙开发流程。