我在启用蓝牙的应用程序中遇到问题。更新到 Android 12 后,startActivityForResult 已被弃用,应用程序崩溃并出现 SecurityException,指出需要 BLUETOOTH_CONNECT 权限。
解决方案:
对于 Android 12 及更高版本,需要将新的蓝牙权限添加到 AndroidManifest.xml 中:
<uses-permission android:name="android.permission.BLUETOOTH_CONNECT"/>
<uses-permission android:name="android.permission.BLUETOOTH_SCAN"/>
<uses-permission android:name="android.permission.BLUETOOTH_ADVERTISE"/>
在 Android 12 上,需要在运行时请求这些权限。以下是我调整 bluetoothOn() 方法的方法:
private void bluetoothOn() {
if (ContextCompat.checkSelfPermission(this, Manifest.permission.BLUETOOTH_CONNECT)
!= PackageManager.PERMISSION_GRANTED) {
ActivityCompat.requestPermissions(this,
new String[]{Manifest.permission.BLUETOOTH_CONNECT}, REQUEST_ENABLE_BT);
return;
}
if (!mBTAdapter.isEnabled()) {
Intent enableBtIntent = new Intent(BluetoothAdapter.ACTION_REQUEST_ENABLE);
bluetoothLauncher.launch(enableBtIntent);
} else {
Toast.makeText(getApplicationContext(),"Bluetooth is already on", Toast.LENGTH_SHORT).show();
}
}
权限请求结果处理如下:
@Override
public void onRequestPermissionsResult(int requestCode, @NonNull String[] permissions, @NonNull int[] grantResults) {
super.onRequestPermissionsResult(requestCode, permissions, grantResults);
if (requestCode == REQUEST_ENABLE_BT) {
if (grantResults.length > 0 && grantResults[0] == PackageManager.PERMISSION_GRANTED) {
bluetoothOn();
} else {
Toast.makeText(this, "Permission denied to access Bluetooth", Toast.LENGTH_SHORT).show();
}
}
}
由于startActivityForResult在Android 12中已被弃用,我将其替换为ActivityResultLauncher:
ActivityResultLauncher<Intent> bluetoothLauncher = registerForActivityResult(
new ActivityResultContracts.StartActivityForResult(),
result -> {
if (result.getResultCode() == RESULT_OK) {
mBluetoothStatus.setText("Enabled");
} else {
mBluetoothStatus.setText("Disabled");
}
}
);
此解决方案适用于 Android 12 及更高版本。
BLUETOOTH_CONNECT 是运行时权限。您必须明确请求用户连接的权限。出于测试目的,我建议通过
Android Settings > Apps > {Your App} > Permissions.
手动授予权限
最佳实践是在调用这些 Android API 之前始终检查权限,以避免此类崩溃。