android蓝牙搜索自动配对通信demo
时间: 2023-05-03 16:03:49 浏览: 162
Android蓝牙,配对,搜索,连接,通信,断开的Demo
Android操作系统具有本身具有蓝牙功能,并且提供蓝牙API,方便开发人员进行蓝牙开发。本文将介绍如何创建一个蓝牙搜索、自动配对和通信的Demo。
首先,在应用程序清单文件中请求蓝牙权限。在应用程序清单文件中,应该添加以下代码:
```
<uses-permission android:name="android.permission.BLUETOOTH" />
<uses-permission android:name="android.permission.BLUETOOTH_ADMIN" />
<uses-permission android:name="android.permission.ACCESS_COARSE_LOCATION" />
```
然后,在MainActivity中,创建一个BluetoothAdapter的实例并启用蓝牙。接下来,创建一个广播接收器来响应搜索、配对和连接的事件。使用设备的名称和地址作为数据存储在搜索结果中。然后,在UI上显示搜索到的设备列表。在使用设备进行通信之前,需要与其进行配对。使用createBond()方法自动配对设备。
```
bluetoothAdapter = BluetoothAdapter.getDefaultAdapter();
if (!bluetoothAdapter.isEnabled()) {
Intent enableIntent = new Intent(BluetoothAdapter.ACTION_REQUEST_ENABLE);
startActivityForResult(enableIntent, REQUEST_ENABLE_BT);
}
final BroadcastReceiver receiver = new BroadcastReceiver() {
@Override
public void onReceive(Context context, Intent intent) {
String action = intent.getAction();
if (BluetoothDevice.ACTION_FOUND.equals(action)) {
BluetoothDevice device = intent.getParcelableExtra(BluetoothDevice.EXTRA_DEVICE);
String name = device.getName();
String address = device.getAddress();
// add device to list
deviceList.add(name + "\n" + address);
listAdapter.notifyDataSetChanged();
} else if (BluetoothDevice.ACTION_BOND_STATE_CHANGED.equals(action)) {
BluetoothDevice device = intent.getParcelableExtra(BluetoothDevice.EXTRA_DEVICE);
if (device.getBondState() == BluetoothDevice.BOND_BONDED) {
// connect to device for communication
connectToDevice(device);
}
}
}
};
searchButton.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
deviceList.clear();
bluetoothAdapter.startDiscovery();
registerReceiver(receiver, new IntentFilter(BluetoothDevice.ACTION_FOUND));
registerReceiver(receiver, new IntentFilter(BluetoothDevice.ACTION_BOND_STATE_CHANGED));
}
});
private void connectToDevice(BluetoothDevice device) {
BluetoothSocket socket = null;
try {
socket = device.createRfcommSocketToServiceRecord(MY_UUID);
socket.connect();
// start communication
} catch (IOException e) {
e.printStackTrace();
}
}
```
在这个Demo中,当用户点击搜索按钮时,应用程序将开始搜索周围的设备。当找到设备时,列表将显示设备的名称和地址。然后,当用户选择列表中的设备时,设备将尝试自动配对。如果配对成功,应用程序将使用BluetoothSocket进行通信。
总之,这是一个简单但完整的Android蓝牙搜索、自动配对和通信的Demo,用于学习蓝牙开发的基本思想和方法。
阅读全文