无论如何从支持配置文件(HDD、Spp 和音频)中获取连接的设备列表。要求就像我的设备将支持 HDD、SPP 和音频,所以我必须过滤支持所有这些配置文件的设备。反正有过滤设备吗?
1 回答
是的,这是可能的,但您的 Android 应用程序必须以 SDK 11 或更高版本 ( Android 3.0.X ) 为目标。
您的问题的解决方案是您必须查询您的 Android 设备已知的所有 BluetoothDevices。已知是指所有已配对的已连接或未连接的设备以及未配对的已连接设备。
我们稍后会过滤掉未连接的设备,因为您只需要当前连接的设备。
- 首先,您需要检索
BluetoothAdapter
:
最终蓝牙适配器 btAdapter = BluetoothAdapter.getDefaultAdapter();
- 其次,您需要确保蓝牙可用并已打开:
if (btAdapter != null && btAdapter.isEnabled()) // null 表示没有蓝牙!
如果蓝牙没有出现,您可以使用btAdapter.enable()
文档中不推荐的方法或要求用户这样做:Programmatically enable bluetooth on Android
- 第三,您需要定义一个状态数组(以过滤掉未连接的设备):
final int[] states = new int[] {BluetoothProfile.STATE_CONNECTED, BluetoothProfile.STATE_CONNECTING};
第四,您创建一个
BluetoothProfile.ServiceListener
包含两个在服务连接和断开连接时触发的回调:final BluetoothProfile.ServiceListener listener = new BluetoothProfile.ServiceListener() { @Override public void onServiceConnected(int profile, BluetoothProfile proxy) { } @Override public void onServiceDisconnected(int profile) { } };
现在,由于您必须对 Android SDK(A2Dp、GATT、GATT_SERVER、Handset、Health、SAP)中的所有可用蓝牙配置文件重复查询过程,因此您应该执行以下操作:
在onServiceConnected
中,放置一个检查当前配置文件的条件,以便我们将找到的设备添加到正确的集合中,并使用 :proxy.getDevicesMatchingConnectionStates(states)
过滤掉未连接的设备:
switch (profile) {
case BluetoothProfile.A2DP:
ad2dpDevices.addAll(proxy.getDevicesMatchingConnectionStates(states));
break;
case BluetoothProfile.GATT: // NOTE ! Requires SDK 18 !
gattDevices.addAll(proxy.getDevicesMatchingConnectionStates(states));
break;
case BluetoothProfile.GATT_SERVER: // NOTE ! Requires SDK 18 !
gattServerDevices.addAll(proxy.getDevicesMatchingConnectionStates(states));
break;
case BluetoothProfile.HEADSET:
headsetDevices.addAll(proxy.getDevicesMatchingConnectionStates(states));
break;
case BluetoothProfile.HEALTH: // NOTE ! Requires SDK 14 !
healthDevices.addAll(proxy.getDevicesMatchingConnectionStates(states));
break;
case BluetoothProfile.SAP: // NOTE ! Requires SDK 23 !
sapDevices.addAll(proxy.getDevicesMatchingConnectionStates(states));
break;
}
最后,要做的最后一件事是开始查询过程:
btAdapter.getProfileProxy(yourContext, listener, BluetoothProfile.A2DP);
btAdapter.getProfileProxy(yourContext, listener, BluetoothProfile.GATT); // NOTE ! Requires SDK 18 !
btAdapter.getProfileProxy(yourContext, listener, BluetoothProfile.GATT_SERVER); // NOTE ! Requires SDK 18 !
btAdapter.getProfileProxy(yourContext, listener, BluetoothProfile.HEADSET);
btAdapter.getProfileProxy(yourContext, listener, BluetoothProfile.HEALTH); // NOTE ! Requires SDK 14 !
btAdapter.getProfileProxy(yourContext, listener, BluetoothProfile.SAP); // NOTE ! Requires SDK 23 !