在我的应用程序中,我需要配对蓝牙设备并立即连接它。
我有以下功能来配对设备:
public boolean createBond(BluetoothDevice btDevice)
{
try {
Log.d("pairDevice()", "Start Pairing...");
Method m = btDevice.getClass().getMethod("createBond", (Class[]) null);
Boolean returnValue = (Boolean) m.invoke(btDevice, (Object[]) null);
Log.d("pairDevice()", "Pairing finished.");
return returnValue;
} catch (Exception e) {
Log.e("pairDevice()", e.getMessage());
}
return false;
}
我按以下方式使用它:
Boolean isBonded = false;
try {
isBonded = createBond(bdDevice);
if(isBonded)
{
//Connect with device
}
}
它显示了配对设备并输入图钉的对话框。
问题是createBond函数总是返回true,它会等到我输入引脚并与设备配对,所以我没有正确使用:
isBonded = createBond(bdDevice);
if(isBonded) {...}
所以问题是我如何与设备配对以及何时配对连接?
P.D我的代码基于以下主题的第一个答案:Android + Pair devices via bluetooth programmatically
答案 0 :(得分:4)
我找到了解决方案。
首先,我需要一个BroadcastReceiver
喜欢:
private BroadcastReceiver myReceiver = new BroadcastReceiver() {
@Override
public void onReceive(Context context, Intent intent) {
String action = intent.getAction();
if (BluetoothDevice.ACTION_BOND_STATE_CHANGED.equals(action)) {
BluetoothDevice device = intent.getParcelableExtra(BluetoothDevice.EXTRA_DEVICE);
if (device.getBondState() == BluetoothDevice.BOND_BONDED) {
// CONNECT
}
} else if (BluetoothDevice.ACTION_FOUND.equals(action)) {
BluetoothDevice device = intent.getParcelableExtra(BluetoothDevice.EXTRA_DEVICE);
// Discover new device
}
}
};
然后我需要注册接收器如下:
IntentFilter intentFilter = new IntentFilter(BluetoothDevice.ACTION_FOUND);
intentFilter.addAction(BluetoothDevice.ACTION_BOND_STATE_CHANGED);
context.registerReceiver(myReceiver, intentFilter);
通过这种方式,接收方正在监听ACTION_FOUND
(发现新设备)和ACTION_BOND_STATE_CHANGED
(设备更改其绑定状态),然后检查新状态是否为BOND_BOUNDED
以及是否我是用设备连接的。
现在,当我拨打createBond
方法(在问题中描述)并输入图钉时,ACTION_BOND_STATE_CHANGED
将会触发,device.getBondState() == BluetoothDevice.BOND_BONDED
将True
,它将会连接。< / p>