This is a tad tricky as it involves code to be called at specific times. To the user there isn't any difference, but the convenience of a good user experience is often overlooked.
01.
private
void
dialogDeviceName() {
02.
// Generate the dialog content
03.
final
LinearLayout layout =
new
LinearLayout(
this
);
04.
LayoutInflater.from(
this
).inflate(R.layout.dialog_device_name, layout);
05.
06.
// Prefill the dialog content
07.
EditText txt = (EditText) layout.findViewById(R.id.txtDeviceName);
08.
txt.setText(G.SETTINGS.deviceName);
09.
10.
// Create the dialog (without showing)
11.
final
AlertDialog d =
new
AlertDialog.Builder(
this
)
12.
// Shows the button, but assigns no event handler. This still closes by default
13.
.setPositiveButton(
"Save"
,
null
)
14.
.setNegativeButton(
"Cancel"
,
null
)
15.
// Your other options here ...
16.
.setView(layout)
17.
.create();
18.
19.
// This is handy for re-adjusting the size of the dialog when a keyboard is shown
20.
d.getWindow().setSoftInputMode(WindowManager.LayoutParams.SOFT_INPUT_ADJUST_RESIZE);
21.
22.
// MUST call show before using AlertDialog.getButton(), otherwise you'll get null returned
23.
d.show();
24.
25.
// Override the button's on-click so it doesn't close by default
26.
d.getButton(AlertDialog.BUTTON_POSITIVE).setOnClickListener(
new
View.OnClickListener() {
27.
@Override
28.
public
void
onClick(View v) {
29.
EditText txt = (EditText) layout.findViewById(R.id.txtDeviceName);
30.
String newName = txt.getEditableText().toString().trim();
31.
32.
// This prevents the dialog from closing
33.
if
(newName.length() ==
0
) {
34.
showToast(
"Please enter in a name for your broadcast."
);
35.
return
;
36.
}
37.
38.
// On success, the dialog must be closed manually
39.
((TextView) findViewById(R.id.txtDeviceName)).setText(newName);
40.
G.SETTINGS.deviceName = newName;
41.
d.dismiss();
42.
}
43.
});
44.
}
Now there are other solutions which only work on API level 8+, but this will compile and work on API level 3+ fine.
Stop diadogs from getting away, dead in their tracks (PS. It's sleeping)
Now the order for these key points are:
- Create the dialog and specify that you want a positive button: setPositiveButton("Save", null)
- Show the dialog so the buttons are created
- Get the button and override it's onClick() handler with your own
- Remember to dismiss the dialog on success
One of the tricky parts is AlertDialog.Builder.show() must be called prior to calling AlertDialog.getButton(). From the docs:
Returns: The button from the dialog, or null if a button does not exist.
Doesn't say anything about showing the dialog first. I guess it's just one of those undocumented quirks.
The rest of the sample code is specific to my Air Waves app, but you can read the code comments if there is any confusion.