Ecco un modo un po 'più robusto per farlo, gestendo anche i valori di ritorno dei enable()\disable()
metodi:
public static boolean setBluetooth(boolean enable) {
BluetoothAdapter bluetoothAdapter = BluetoothAdapter.getDefaultAdapter();
boolean isEnabled = bluetoothAdapter.isEnabled();
if (enable && !isEnabled) {
return bluetoothAdapter.enable();
}
else if(!enable && isEnabled) {
return bluetoothAdapter.disable();
}
// No need to change bluetooth state
return true;
}
E aggiungi le seguenti autorizzazioni nel tuo file manifest:
<uses-permission android:name="android.permission.BLUETOOTH"/>
<uses-permission android:name="android.permission.BLUETOOTH_ADMIN"/>
Ma ricorda questi punti importanti:
Questa è una chiamata asincrona: verrà restituita immediatamente ei client dovrebbero ascoltare ACTION_STATE_CHANGED per ricevere una notifica delle successive modifiche dello stato dell'adattatore. Se questa chiamata restituisce true, lo stato dell'adattatore passerà immediatamente da STATE_OFF a STATE_TURNING_ON e, qualche tempo dopo, a STATE_OFF o STATE_ON. Se questa chiamata restituisce false, si è verificato un problema immediato che impedirà l'accensione dell'adattatore, ad esempio la modalità aereo o l'adattatore è già acceso.
AGGIORNARE:
Ok, quindi come implementare l'ascoltatore bluetooth ?:
private final BroadcastReceiver mReceiver = new BroadcastReceiver() {
@Override
public void onReceive(Context context, Intent intent) {
final String action = intent.getAction();
if (action.equals(BluetoothAdapter.ACTION_STATE_CHANGED)) {
final int state = intent.getIntExtra(BluetoothAdapter.EXTRA_STATE,
BluetoothAdapter.ERROR);
switch (state) {
case BluetoothAdapter.STATE_OFF:
// Bluetooth has been turned off;
break;
case BluetoothAdapter.STATE_TURNING_OFF:
// Bluetooth is turning off;
break;
case BluetoothAdapter.STATE_ON:
// Bluetooth is on
break;
case BluetoothAdapter.STATE_TURNING_ON:
// Bluetooth is turning on
break;
}
}
}
};
E come registrare / annullare la registrazione del destinatario? (Nella tua Activity
classe)
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
// ...
// Register for broadcasts on BluetoothAdapter state change
IntentFilter filter = new IntentFilter(BluetoothAdapter.ACTION_STATE_CHANGED);
registerReceiver(mReceiver, filter);
}
@Override
public void onStop() {
super.onStop();
// ...
// Unregister broadcast listeners
unregisterReceiver(mReceiver);
}