Esta é uma maneira um pouco mais robusta de fazer isso, também manipulando os valores de retorno dos enable()\disable()
métodos:
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 adicione as seguintes permissões ao seu arquivo de manifesto:
<uses-permission android:name="android.permission.BLUETOOTH"/>
<uses-permission android:name="android.permission.BLUETOOTH_ADMIN"/>
Mas lembre-se destes pontos importantes:
Esta é uma chamada assíncrona: ela retornará imediatamente e os clientes devem ouvir ACTION_STATE_CHANGED para serem notificados sobre as alterações subsequentes do estado do adaptador. Se essa chamada retornar verdadeiro, o estado do adaptador fará a transição imediata de STATE_OFF para STATE_TURNING_ON e, algum tempo depois, a transição para STATE_OFF ou STATE_ON. Se esta chamada retornar falso, então houve um problema imediato que impedirá que o adaptador seja ligado - como o modo Avião ou o adaptador já está ligado.
ATUALIZAR:
Ok, então, como implementar o listener 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 como registrar / cancelar o registro do receptor? (Em sua 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);
}