Я розумію, як отримати список спарених пристроїв, але як я можу зрозуміти, чи підключені вони?
Це має бути можливо, оскільки я бачу їх у списку в списку пристроїв Bluetooth мого телефону і в них зазначається стан їхнього з’єднання.
Я розумію, як отримати список спарених пристроїв, але як я можу зрозуміти, чи підключені вони?
Це має бути можливо, оскільки я бачу їх у списку в списку пристроїв Bluetooth мого телефону і в них зазначається стан їхнього з’єднання.
Відповіді:
Додайте дозвіл Bluetooth до свого AndroidManifest,
<uses-permission android:name="android.permission.BLUETOOTH" />
Потім з допомогою фільтрів намірів , щоб прослухати ACTION_ACL_CONNECTED
, ACTION_ACL_DISCONNECT_REQUESTED
і ACTION_ACL_DISCONNECTED
мовлення:
public void onCreate() {
...
IntentFilter filter = new IntentFilter();
filter.addAction(BluetoothDevice.ACTION_ACL_CONNECTED);
filter.addAction(BluetoothDevice.ACTION_ACL_DISCONNECT_REQUESTED);
filter.addAction(BluetoothDevice.ACTION_ACL_DISCONNECTED);
this.registerReceiver(mReceiver, filter);
}
//The BroadcastReceiver that listens for bluetooth broadcasts
private final BroadcastReceiver mReceiver = new BroadcastReceiver() {
@Override
public void onReceive(Context context, Intent intent) {
String action = intent.getAction();
BluetoothDevice device = intent.getParcelableExtra(BluetoothDevice.EXTRA_DEVICE);
if (BluetoothDevice.ACTION_FOUND.equals(action)) {
... //Device found
}
else if (BluetoothDevice.ACTION_ACL_CONNECTED.equals(action)) {
... //Device is now connected
}
else if (BluetoothAdapter.ACTION_DISCOVERY_FINISHED.equals(action)) {
... //Done searching
}
else if (BluetoothDevice.ACTION_ACL_DISCONNECT_REQUESTED.equals(action)) {
... //Device is about to disconnect
}
else if (BluetoothDevice.ACTION_ACL_DISCONNECTED.equals(action)) {
... //Device has disconnected
}
}
};
Кілька приміток:
У моєму випадку я хотів лише перевірити, чи підключена гарнітура Bluetooth для програми VoIP. У мене працювало таке рішення:
public static boolean isBluetoothHeadsetConnected() {
BluetoothAdapter mBluetoothAdapter = BluetoothAdapter.getDefaultAdapter();
return mBluetoothAdapter != null && mBluetoothAdapter.isEnabled()
&& mBluetoothAdapter.getProfileConnectionState(BluetoothHeadset.HEADSET) == BluetoothHeadset.STATE_CONNECTED;
}
Звичайно, вам знадобиться дозвіл Bluetooth:
<uses-permission android:name="android.permission.BLUETOOTH" />
Велика подяка Skylarsutton за його відповідь. Я публікую це як відповідь на його, але оскільки я публікую код, я не можу відповісти як коментар. Я вже підтримав його відповідь, тому не шукаю жодних пунктів. Просто платять його вперед.
З якихось причин BluetoothAdapter.ACTION_ACL_CONNECTED не вдалося вирішити Android Studio. Можливо, це застаріло в Android 4.2.2? Ось модифікація його коду. Реєстраційний код однаковий; код приймача дещо відрізняється. Я використовую це в службі, яка оновлює прапор Bluetooth, підключений до інших частин посилання на програму.
public void onCreate() {
//...
IntentFilter filter = new IntentFilter();
filter.addAction(BluetoothDevice.ACTION_ACL_CONNECTED);
filter.addAction(BluetoothDevice.ACTION_ACL_DISCONNECT_REQUESTED);
filter.addAction(BluetoothDevice.ACTION_ACL_DISCONNECTED);
this.registerReceiver(BTReceiver, filter);
}
//The BroadcastReceiver that listens for bluetooth broadcasts
private final BroadcastReceiver BTReceiver = new BroadcastReceiver() {
@Override
public void onReceive(Context context, Intent intent) {
String action = intent.getAction();
if (BluetoothDevice.ACTION_ACL_CONNECTED.equals(action)) {
//Do something if connected
Toast.makeText(getApplicationContext(), "BT Connected", Toast.LENGTH_SHORT).show();
}
else if (BluetoothDevice.ACTION_ACL_DISCONNECTED.equals(action)) {
//Do something if disconnected
Toast.makeText(getApplicationContext(), "BT Disconnected", Toast.LENGTH_SHORT).show();
}
//else if...
}
};
У системному API BluetoothDevice є функція isConnected на https://android.googlesource.com/platform/frameworks/base/+/master/core/java/android/bluetooth/BluetoothDevice.java
Якщо ви хочете знати, чи обмежений (спарений) пристрій наразі підключено чи ні, для мене чудово працює наступна функція:
public static boolean isConnected(BluetoothDevice device) {
try {
Method m = device.getClass().getMethod("isConnected", (Class[]) null);
boolean connected = (boolean) m.invoke(device, (Object[]) null);
return connected;
} catch (Exception e) {
throw new IllegalStateException(e);
}
}
bluetoothManager.getConnectionState(device, BluetoothProfile.GATT) == BluetoothProfile.STATE_CONNECTED
?
val m: Method = device.javaClass.getMethod("isConnected")
і val connected = m.invoke(device)
.
fun isConnected(device: BluetoothDevice): Boolean { return try { val m: Method = device.javaClass.getMethod( "isConnected" ) m.invoke(device) as Boolean } catch (e: Exception) { throw IllegalStateException(e) } }
Цей код призначений для профілів гарнітури, ймовірно, він буде працювати і для інших профілів. Спочатку потрібно надати прослуховувач профілю (код Kotlin):
private val mProfileListener = object : BluetoothProfile.ServiceListener {
override fun onServiceConnected(profile: Int, proxy: BluetoothProfile) {
if (profile == BluetoothProfile.HEADSET)
mBluetoothHeadset = proxy as BluetoothHeadset
}
override fun onServiceDisconnected(profile: Int) {
if (profile == BluetoothProfile.HEADSET) {
mBluetoothHeadset = null
}
}
}
Потім під час перевірки Bluetooth:
mBluetoothAdapter.getProfileProxy(context, mProfileListener, BluetoothProfile.HEADSET)
if (!mBluetoothAdapter.isEnabled) {
return Intent(BluetoothAdapter.ACTION_REQUEST_ENABLE)
}
Потрібно трохи часу, поки не буде викликано onSeviceConnected. Після цього ви можете отримати список підключених пристроїв гарнітури з:
mBluetoothHeadset!!.connectedDevices
BluetoothAdapter.getDefaultAdapter().isEnabled
-> повертає true, коли bluetooth відкрито
val audioManager = this.getSystemService(Context.AUDIO_SERVICE) as
AudioManager
audioManager.isBluetoothScoOn
-> повертає true, коли пристрій підключено
Я справді шукав спосіб отримати статус з'єднання пристрою, а не слухати події з'єднання. Ось, що мені вдалося:
BluetoothManager bm = (BluetoothManager) context.getSystemService(Context.BLUETOOTH_SERVICE);
List<BluetoothDevice> devices = bm.getConnectedDevices(BluetoothGatt.GATT);
int status = -1;
for (BluetoothDevice device : devices) {
status = bm.getConnectionState(device, BLuetoothGatt.GATT);
// compare status to:
// BluetoothProfile.STATE_CONNECTED
// BluetoothProfile.STATE_CONNECTING
// BluetoothProfile.STATE_DISCONNECTED
// BluetoothProfile.STATE_DISCONNECTING
}