在Android平台开发蓝牙应用程序

在Android平台开发蓝牙应用程序

在Android平台开发蓝牙应用程序

通过自己的学习和探索,讲解一下Android平台下,上层蓝牙应用的开发。

开发Android蓝牙应用的基本步骤

  1. 以下代码中的变量
BluetoothAdapter bluetoothAdapter;
  1. 设置权限

自从Android6.0以后,在一些比较危险的权限上要求必须申请动态权限。但是申请蓝牙权限还是直接申请静态权限即可。(在AndroidManifest.xml中声明使用蓝牙权限)

<uses-permission android:name=“android.permission.BLUETOOTH”/>
<uses-permission android:name=“android.permission.BLUETOOTH_ADMIN”/>
  1. 启动蓝牙

在启动蓝牙之前,还需要做一个操作,那就是需要判断本机是否支持蓝牙。(童鞋们,虚拟机是没有蓝牙的哦)

//启动蓝牙
void startBluetooth(){
    bluetoothAdapter = BluetoothAdapter.getDefaultAdapter();
    if (bluetoothAdapter == null)
        //说明不支持蓝牙
        return;
    if (!bluetoothAdapter.isEnabled()){ //检测蓝牙是否开启
        //没有开启蓝牙,则开启蓝牙
        Intent intent = new Intent(BluetoothAdapter.ACTION_REQUEST_ENABLE);
        startActivityForResult(intent,1);
    }else {
  //蓝牙正常开启
}
顺便说一下startActivityForResult(Intent intent, int requestCode)。此方法可以判断是否调用成功,还可以判断从哪个activity返回来的。
比如ActivityB和ActivityC都可以start ActivityA。因为传入的requestCode不同,所以ActivityA可以判断是哪个Activity调用的,从而进行不同的操作。
需要重写@Override onActivityResult方法
  1. 发现蓝牙
  • 使蓝牙处于可见(即处于易被搜索到的状态),便于其他设备发现本机蓝牙
//使本机蓝牙在300s内可被搜索
private void ensureDiscoverable(){
    if (bluetoothAdapter.getScanMode() != BluetoothAdapter.SCAN_MODE_CONNECTABLE_DISCOVERABLE){
        Intent discoverIntent = new Intent(BluetoothAdapter.ACTION_REQUEST_DISCOVERABLE);
        discoverIntent.putExtra(BluetoothAdapter.EXTRA_DISCOVERABLE_DURATION,300);
        startActivity(discoverIntent);
}
  • 查找已经配对过的蓝牙设备,即以前已经配对过的设备。
public Set getBluetoothDevices(){
    Set<BluetoothDevice> bluetoothDevices = bluetoothAdapter.getBondedDevices();
    if (bluetoothDevices.size() > 0){
        for (BluetoothDevice bluetoothDevice : bluetoothDevices){
            Log.d(“Bluetooth”,bluetoothDevice.getName() + “    |    “ + bluetoothDevice.getAddress());
    }else {
//没有设备
    return bluetoothDevices;
  • 接下来比较重要,蓝牙如何搜索设备。再次需要注册一个BroadcastReceiver来获取这个搜索结果。即先注册信息,然后进行处理。再次建议都用动态注册的方式,因为Android8.0已经不支持静态注册。
//蓝牙广播
private BroadcastReceiver bluetoothBroadcastReceive =  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);
            //判断搜索到的蓝牙是否已经配对
            if (device.getBondState() == BluetoothDevice.BOND_BONDED){
                //已经配对成功的
            }else{
                //尚未配对成功的
        }else if (BluetoothAdapter.ACTION_DISCOVERY_STARTED.equals(action)){
            //正在搜索
        }else if (BluetoothAdapter.ACTION_DISCOVERY_FINISHED.equals(action)){
            //搜索结束
//动态注册蓝牙广播
IntentFilter bluetoothIntent = new IntentFilter();