android 4.0蓝牙研发之主设备
3.0及以下称之为传统蓝牙或经典蓝牙,4.0后蓝牙通信信道和方式皆不同。
权限:6.0设备申明权限后检查是否打开该权限
<uses-permission android:name="android.permission.BLUETOOTH" />
<uses-permission android:name="android.permission.BLUETOOTH_ADMIN" />
<uses-permission android:name="android.permission.ACCESS_COARSE_LOCATION"/>
- 1,获取适配器
- 2,扫描蓝牙
- 3,解析蓝牙
- 4,蓝牙连接
- 5,蓝牙发送数据
- 6,蓝牙接收数据
1,获取适配器
mBluetoothAdapter = BluetoothAdapter.getDefaultAdapter();
mBluetoothAdapter.enable();//强制打开蓝牙,需要权限
2,扫描蓝牙
扫描蓝牙有两种方式
方式1:只能找到传统蓝牙设备
mBluetoothAdapter.startDiscovery();
mBluetoothAdapter.cancelDiscovery();
方式2:能找到低功耗和传统蓝牙设备
mBluetoothAdapter.startLeScan(callBack);//开始扫描
mBluetoothAdapter.stopLeScan(callBack);//停止扫描
3,解析蓝牙
低功耗蓝牙使用回调方式扫描,当扫描到新的设备时触发回调,在onLeScan()方法中device可以获取到设备名称,但是使用device.getAddress()获取到的地址不是真实mac地址,rssi是信号强度,接近0信号越强。scanRecord是广播内容,长度为62,包含数个广播单元。广播单元组成:长度+类型+数据。
BluetoothAdapter.LeScanCallback callBack = new BluetoothAdapter.LeScanCallback() {
@Override
public void onLeScan(BluetoothDevice device, int rssi, byte[] scanRecord) {
Log.i(TAG,"name = "+device.getName()+" mac = "+device.getAddress());
}
};
4,蓝牙连接
蓝牙连接过程是耗时任务,最后在后台线程完成,连接时需要BluetoothGattCallback,根据需求实现BluetoothGattCallback的抽象方法。
mBluetoothGatt = device.connectGatt(context, false, mGattCallback); //进行连接
BluetoothGattCallback有以下抽象方法:
onConnectionStateChange(BluetoothGatt gatt, int status, int newState),连接状态改变,会回调该函数。
newState == BluetoothProfile.STATE_CONNECTED为连接成功,如果蓝牙资源被占用没有及时释放时进行连接会出现133状态。
onCharacteristicChanged(BluetoothGatt gatt, BluetoothGattCharacteristic characteristic) ,设备发出通知时会调用到该函数。characteristic.getValue()获取值,注意16进制还是字符串之间转换。
onServicesDiscovered,当设备是否找到服务时,会回调该函数,当设备连接成功后mBluetoothGatt.discoverServices();去发现该设备持有的服务,以便进行数据通讯,比如如果需要接收通知,需要找到通知的服务,把该服务添加进监听才会触发onCharacteristicChanged。
5,蓝牙发送数据
蓝牙连接时,找到该设备的所需要特征值,如:读,写,通知。需要写时使用写的特征值设置好数据,使用
BluetoothGatt.writeCharacteristic(rwChar)进行写。
byte[] bytes = str.getBytes();
rwChar.setValue(bytes);
rwChar.setWriteType(BluetoothGattCharacteristic.WRITE_TYPE_DEFAULT);
mBluetoothGatt.writeCharacteristic(rwChar);
6,蓝牙接收数据
与读的方式相同,使用BluetoothGatt.readCharacteristic(rChar)进行读取。
mBluetoothGatt.readCharacteristic()
除了读的特征值,接收通知也算是接收数据,当然接收通知需要设置通知特征值进行监听,设置监听在蓝牙连接成功后,找到通知服务特征,进行设置。
public void setCharacteristicNotification(BluetoothGattCharacteristic characteristic) {
if (mBluetoothAdapter == null || mBluetoothGatt == null) {
Log.i(TAG, "BluetoothAdapter not initialized");
return;
}
mBluetoothGatt.setCharacteristicNotification(characteristic, enabled);
List<BluetoothGattDescriptor> descriptors = characteristic.getDescriptors();
for (BluetoothGattDescriptor dp : descriptors) {
dp.setValue(BluetoothGattDescriptor.ENABLE_NOTIFICATION_VALUE);
mBluetoothGatt.writeDescriptor(dp);
}
}