Here's a handy little snippet if you're working on an app which requires headphones. It allows you to detect when users connect/remove a headset but also determine if there is a microphone or not, as not all hands free kits are created equal.
On your activity, add this little snippet to your onCreate().
01.
public
HeadsetPlugReceiver headsetPlugReceiver;
02.
03.
protected
void
onCreate(Bundle savedInstanceState) {
04.
super
.onCreate(savedInstanceState);
05.
06.
headsetPlugReceiver =
new
HeadsetPlugReceiver();
07.
IntentFilter intentFilter =
new
IntentFilter();
08.
intentFilter.addAction(
"android.intent.action.HEADSET_PLUG"
);
09.
registerReceiver(headsetPlugReceiver, intentFilter);
10.
}
By registering the listener/filter we bypass the need to specify it in the manifest file.
And then onDestroy(), remember to unregister it.
01.
@Override
02.
protected
void
onDestroy() {
03.
if
(headsetPlugReceiver !=
null
) {
04.
unregisterReceiver(headsetPlugReceiver);
05.
headsetPlugReceiver =
null
;
06.
}
07.
08.
super
.onDestroy();
09.
}
That should be enough to manage the handler during the activity lifecycle.
Lastly, implement the receiver logic.
01.
public
class
HeadsetPlugReceiver
extends
BroadcastReceiver {
02.
@Override
03.
public
void
onReceive(Context context, Intent intent) {
04.
if
(!intent.getAction().equals(Intent.ACTION_HEADSET_PLUG)) {
05.
return
;
06.
}
07.
08.
boolean
connectedHeadphones = (intent.getIntExtra(
"state"
,
0
) ==
1
);
09.
boolean
connectedMicrophone = (intent.getIntExtra(
"microphone"
,
0
) ==
1
) && connectedHeadphones;
10.
String headsetName = intent.getStringExtra(
"name"
);
11.
12.
// ...
13.
}
14.
}
Now that we've got headphone and microphone detection working ...
SINGSTAR BATTAL BITCHES!