SlideShare ist ein Scribd-Unternehmen logo
1 von 8
Android Application Development Training Tutorial




                      For more info visit

                   http://www.zybotech.in




        A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
Android Basics – Dialogs and Floating Activities
As we know android provide Activity class for developing application screens. But many a time application
needs to show Dialog boxes or floating screen to do simple tasks likes taking input from user or ask for
confirmation etc.

In android Dialogs can be created in following 2 ways:

1. Creating a dialog with the help of android Dialog class or its subclass like AlertDialog.
2. Using dialog theme for the activity.

Using android Dialog class:
Let see how we can create a dialog with the help of Dialog class. To define a dialog the dialog class has to
extend the android Dialog class.

class MyDialog extends Dialog {
/**
* @param context
*/
public MyDialog(Context context) {
super(context);
}
}

Define a layout for our dialog. Here is the xml file for of the layout that asks for user’s name.

<?xml version=”1.0″ encoding=”utf-8″?>


<LinearLayout
android:id="@+id/widget28"
android:layout_width="fill_parent"
android:layout_height="fill_parent"
android:orientation="vertical"
xmlns:android="http://schemas.android.com/apk/res/android"
>
<TextView
android:id="@+id/nameMessage"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:text="Enter Name:"
>
</TextView>
<EditText
android:id="@+id/nameEditText"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:textSize="18sp"
>
</EditText>
<LinearLayout


                            A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
android:id="@+id/buttonLayout"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:layout_gravity="center_horizontal"
>
<Button
android:id="@+id/okButton"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="OK"
>
</Button>
<Button
android:id="@+id/cancelButton"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="Cancel"
>
</Button>
</LinearLayout>
</LinearLayout>

Use the above layout for our dialog

class MyDialog extends Dialog {
....

/**

* @see android.app.Dialog#onCreate(android.os.Bundle)

*/

@Override

protected void onCreate(Bundle savedInstanceState) {

super.onCreate(savedInstanceState);

Log.d("TestApp", "Dialog created");

setContentView(R.layout.mydialog);

}

}

Now the dialog can be shown by calling the show method like this

…

MyDialog dialog = new MyDialog(context);
dialog.show();

…


                           A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
Event handling for the Dialog controls are same as in case of the activity. Modify the dialog code to handle the
onclick event on the ok and cancel button.

class MyDialog extends Dialog implements OnClickListener {

private Button                 okButton;

private Button                 cancelButton;

private EditText               nameEditText;

protected void onCreate(Bundle savedInstanceState) {

okButton = (Button) findViewById(R.id.okButton);

cancelButton = (Button) findViewById(R.id.cancelButton);

nameEditText = (EditText) findViewById(R.id.nameEditText);

okButton.setOnClickListener(this);

cancelButton.setOnClickListener(this);

}




public void onClick(View view) {

switch (view.getId()) {

case R.id.okButton:

dismiss();

break;

case R.id.cancelButton:

cancel();

break;

}

}

}

To close the dialog the dismiss() method can be called. The dialog can call the dismiss method itself or some
other code can also close the dialog by calling dismiss().




                            A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
The dialog also supports cancel. Canceling means the dialog action is canceled and does not need to perform
any operation. Dialog can be canceled by calling cancel() method. Canceling the dialog also dismisses the
dialog.

When user clicks the phones BACK button the dialog gets canceled. If you do not want to cancel the dialog on
BACK button you can set cancelable to false as

setCancelable(false);

Note that the cancel() method call till be able to cancel the dialog (which is the desirable functionality in most
cases). The dialog’s cancel and dismiss events can be listened with the help of OnCancelListener and
OnDismissListener.

Returning information from dialog:
Now our dialog can take the name from the user. We need to pass that name to the calling activity. Dialog class
does not provide any direct method for returning values. But our own Listener can be created as follows:

public interface MyDialogListener {

public void onOkClick(String name); // User name is provided here.

public void onCancelClick();

}

The dialog’s constructor has to be modified to take the object of the listener:

public MyDialog(Context context, MyDialogListener listener) {
super(context);
this.listener = listener;
}

Now the calling activity needs to provide the object of the class that implements the MyDialogListener which
will gets called on ok or cancel button clicks.

Now we need update the onclick method to return the user name.

public void onClick(View view) {
switch (view.getId()) {
case R.id.okButton:
listener.onOkClick(nameEditText.getText().toString()); // returning the user's name.
dismiss();
break;
case R.id.cancelButton:
cancel();
break;
}
}

Using AlertDialog:

AlertDialog is the subclass of the Dialog. It by default provide 3 buttons and text message. The buttons can be
made visible as required. Following code creates an AlertDialog that ask user a question and provide Yes, No
option.
                            A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
AlertDialog dialog = new AlertDialog.Builder(context).create();

dialog.setMessage("Do you play cricket?");

dialog.setButton("Yes", myOnClickListener);

dialog.setButton2("No", myOnClickListener);

dialog.show();

The onClick method code for the button listener myOnClickListener will be like this:

public void onClick(DialogInterface dialog, int i) {
switch (i) {
case AlertDialog.BUTTON1:
/* Button1 is clicked. Do something */
break;
case AlertDialog.BUTTON2:
/* Button2 is clicked. Do something */
break;
}
}

AlertDialog.Builder:
AlertDialog has a nested class called ‘Builder’. Builder class provides facility to add multichoice or single
choice lists. The class also provides methods to set the appropriate Adaptors for the lists, set event handlers for
the list events etc. The Builder button calls the Button1, Button2, Button3 as PositiveButton, NeutralButton,
NegativeButton.

Here is an example of dialog box with Multichoice list

new AlertDialog.Builder(context)
.setIcon(R.drawable.icon)
.setTitle(R.string.alert_dialog_multi_choice)
.setMultiChoiceItems(R.array.select_dialog_items,
new boolean[]{false, true, false, true, false},
new DialogInterface.OnMultiChoiceClickListener() {
public void onClick(DialogInterface dialog, int whichButton, boolean isChecked) {
/* Something on click of the check box */
}
})
.setPositiveButton(R.string.alert_dialog_ok, new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int whichButton) {

/* User clicked Yes so do some stuff */

}

})

.setNegativeButton(R.string.alert_dialog_cancel, new DialogInterface.OnClickListener() {

public void onClick(DialogInterface dialog, int whichButton) {

/* User clicked No so do some stuff */



                            A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
}

})

.create();

Activity Managed Dialog:

Android also provide facility to create dialogs. Activity created dialog can be managed by Activity methods
like showDialog(), onCreateDialog(), onPrepareDialog(), dismissDialog(), removeDialog().
The onCreateDialog create the dialog that needs to be shown, for example

/**
* @see android.app.Activity#onCreateDialog(int)
*/
@Override
protected Dialog onCreateDialog(int id) {
return new AlertDialog.Builder(this).setMessage("How are you?").setPositiveButton("Fine",
new DialogInterface.OnClickListener() {

public void onClick(DialogInterface dialog, int which) {

/* Do something here */

}

}).setNegativeButton("Not so good", new DialogInterface.OnClickListener() {

public void onClick(DialogInterface dialog, int which) {

/* Do something here */

}

}).create();

}

You can create multiple dialog boxes and differentiate them with the id parameter. The dialog can be shown
with the help of showDialog(id) method. The onCreateDialog method gets called for the first time when
showDialog method is called. For subsequent calls to the showDialog() the dialog is not created but shown
directly.
If you need to update the dialog before it is getting shown then you can do that in onPrepareDialog() method.
The methods get called just before the dialog is shown to the user.
To close the dialog you can call dismissDialog() method. Generally you will dismiss the dialogs in the click
handles of the dialog buttons.
The removeDialog() method will remove the dialog from the activity management and if showDialog is again
called for that dialog, the dialog needs to be created.

Using android Dialog theme for activity:
Another simple way to show the dialog is to make the Activity to work as a Dialog (floating activity). This can
be done by applying dialog Theme while defining the activity entry in the AndroidManifest.xml


                           A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
<activity android:name=”.DialogActivity” android:label=”@string/activity_dialog”
android:theme=”@android:style/Theme.Dialog”>
…
</activity>

The activity will be shown as a dialog as the activity is using ‘Theme.Dialog’ as theme.




                           A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi

Weitere ähnliche Inhalte

Was ist angesagt?

Was ist angesagt? (7)

Swingpre 150616004959-lva1-app6892
Swingpre 150616004959-lva1-app6892Swingpre 150616004959-lva1-app6892
Swingpre 150616004959-lva1-app6892
 
JAVA GUI PART I
JAVA GUI PART IJAVA GUI PART I
JAVA GUI PART I
 
Java GUI PART II
Java GUI PART IIJava GUI PART II
Java GUI PART II
 
25 awt
25 awt25 awt
25 awt
 
GUI programming
GUI programmingGUI programming
GUI programming
 
swingbasics
swingbasicsswingbasics
swingbasics
 
UITableView Pain Points
UITableView Pain PointsUITableView Pain Points
UITableView Pain Points
 

Andere mochten auch (9)

Интересно о крокодилах
Интересно о крокодилахИнтересно о крокодилах
Интересно о крокодилах
 
SA’EY
SA’EYSA’EY
SA’EY
 
Music Video Analysis
Music Video AnalysisMusic Video Analysis
Music Video Analysis
 
Personalisation for ecommerce
Personalisation for ecommerce Personalisation for ecommerce
Personalisation for ecommerce
 
Nc trabajo
Nc trabajoNc trabajo
Nc trabajo
 
Ah manifest destiny ch 12
Ah manifest destiny ch 12Ah manifest destiny ch 12
Ah manifest destiny ch 12
 
Impact auto comp
Impact auto compImpact auto comp
Impact auto comp
 
Creating a logo
Creating a logoCreating a logo
Creating a logo
 
AMERICAN HISTORY Ch.2 Part 1
AMERICAN HISTORY Ch.2 Part 1AMERICAN HISTORY Ch.2 Part 1
AMERICAN HISTORY Ch.2 Part 1
 

Ähnlich wie Android basics – dialogs and floating activities

Android ui dialog
Android ui dialogAndroid ui dialog
Android ui dialog
Krazy Koder
 

Ähnlich wie Android basics – dialogs and floating activities (20)

Advance JFACE
Advance JFACEAdvance JFACE
Advance JFACE
 
Android session 3
Android session 3Android session 3
Android session 3
 
Android Lab Test : Creating a dialog Yes/No (english)
Android Lab Test : Creating a dialog Yes/No (english)Android Lab Test : Creating a dialog Yes/No (english)
Android Lab Test : Creating a dialog Yes/No (english)
 
Android ui dialog
Android ui dialogAndroid ui dialog
Android ui dialog
 
06 win forms
06 win forms06 win forms
06 win forms
 
Dojo1.0_Tutorials
Dojo1.0_TutorialsDojo1.0_Tutorials
Dojo1.0_Tutorials
 
Dojo1.0_Tutorials
Dojo1.0_TutorialsDojo1.0_Tutorials
Dojo1.0_Tutorials
 
Events and Listeners in Android
Events and Listeners in AndroidEvents and Listeners in Android
Events and Listeners in Android
 
4.7.14&amp;17.7.14&amp;23.6.15&amp;10.9.15
4.7.14&amp;17.7.14&amp;23.6.15&amp;10.9.154.7.14&amp;17.7.14&amp;23.6.15&amp;10.9.15
4.7.14&amp;17.7.14&amp;23.6.15&amp;10.9.15
 
Javadocx j option pane
Javadocx j option paneJavadocx j option pane
Javadocx j option pane
 
Intake 38 9
Intake 38 9Intake 38 9
Intake 38 9
 
Csphtp1 12
Csphtp1 12Csphtp1 12
Csphtp1 12
 
Visual programming is a type of programming
Visual programming is a type of programmingVisual programming is a type of programming
Visual programming is a type of programming
 
Intake 37 9
Intake 37 9Intake 37 9
Intake 37 9
 
Windows Forms For Beginners Part 5
Windows Forms For Beginners Part 5Windows Forms For Beginners Part 5
Windows Forms For Beginners Part 5
 
Gui programming a review - mixed content
Gui programming   a review - mixed contentGui programming   a review - mixed content
Gui programming a review - mixed content
 
Synapseindia dotnet development chapter 14 event-driven programming
Synapseindia dotnet development  chapter 14 event-driven programmingSynapseindia dotnet development  chapter 14 event-driven programming
Synapseindia dotnet development chapter 14 event-driven programming
 
Controls events
Controls eventsControls events
Controls events
 
Basic of Abstract Window Toolkit(AWT) in Java
Basic of Abstract Window Toolkit(AWT) in JavaBasic of Abstract Window Toolkit(AWT) in Java
Basic of Abstract Window Toolkit(AWT) in Java
 
The Ring programming language version 1.9 book - Part 82 of 210
The Ring programming language version 1.9 book - Part 82 of 210The Ring programming language version 1.9 book - Part 82 of 210
The Ring programming language version 1.9 book - Part 82 of 210
 

Mehr von info_zybotech (8)

Accessing data with android cursors
Accessing data with android cursorsAccessing data with android cursors
Accessing data with android cursors
 
Notepad tutorial
Notepad tutorialNotepad tutorial
Notepad tutorial
 
Java and xml
Java and xmlJava and xml
Java and xml
 
How to create ui using droid draw
How to create ui using droid drawHow to create ui using droid draw
How to create ui using droid draw
 
Applications
ApplicationsApplications
Applications
 
Android database tutorial
Android database tutorialAndroid database tutorial
Android database tutorial
 
Android accelerometer sensor tutorial
Android accelerometer sensor tutorialAndroid accelerometer sensor tutorial
Android accelerometer sensor tutorial
 
Accessing data with android cursors
Accessing data with android cursorsAccessing data with android cursors
Accessing data with android cursors
 

Kürzlich hochgeladen

1029-Danh muc Sach Giao Khoa khoi 6.pdf
1029-Danh muc Sach Giao Khoa khoi  6.pdf1029-Danh muc Sach Giao Khoa khoi  6.pdf
1029-Danh muc Sach Giao Khoa khoi 6.pdf
QucHHunhnh
 
The basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptxThe basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptx
heathfieldcps1
 
Gardella_Mateo_IntellectualProperty.pdf.
Gardella_Mateo_IntellectualProperty.pdf.Gardella_Mateo_IntellectualProperty.pdf.
Gardella_Mateo_IntellectualProperty.pdf.
MateoGardella
 
Gardella_PRCampaignConclusion Pitch Letter
Gardella_PRCampaignConclusion Pitch LetterGardella_PRCampaignConclusion Pitch Letter
Gardella_PRCampaignConclusion Pitch Letter
MateoGardella
 
Activity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdfActivity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdf
ciinovamais
 
Russian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in Delhi
Russian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in DelhiRussian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in Delhi
Russian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in Delhi
kauryashika82
 

Kürzlich hochgeladen (20)

1029-Danh muc Sach Giao Khoa khoi 6.pdf
1029-Danh muc Sach Giao Khoa khoi  6.pdf1029-Danh muc Sach Giao Khoa khoi  6.pdf
1029-Danh muc Sach Giao Khoa khoi 6.pdf
 
This PowerPoint helps students to consider the concept of infinity.
This PowerPoint helps students to consider the concept of infinity.This PowerPoint helps students to consider the concept of infinity.
This PowerPoint helps students to consider the concept of infinity.
 
Application orientated numerical on hev.ppt
Application orientated numerical on hev.pptApplication orientated numerical on hev.ppt
Application orientated numerical on hev.ppt
 
microwave assisted reaction. General introduction
microwave assisted reaction. General introductionmicrowave assisted reaction. General introduction
microwave assisted reaction. General introduction
 
The basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptxThe basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptx
 
Advance Mobile Application Development class 07
Advance Mobile Application Development class 07Advance Mobile Application Development class 07
Advance Mobile Application Development class 07
 
Gardella_Mateo_IntellectualProperty.pdf.
Gardella_Mateo_IntellectualProperty.pdf.Gardella_Mateo_IntellectualProperty.pdf.
Gardella_Mateo_IntellectualProperty.pdf.
 
ICT Role in 21st Century Education & its Challenges.pptx
ICT Role in 21st Century Education & its Challenges.pptxICT Role in 21st Century Education & its Challenges.pptx
ICT Role in 21st Century Education & its Challenges.pptx
 
Class 11th Physics NEET formula sheet pdf
Class 11th Physics NEET formula sheet pdfClass 11th Physics NEET formula sheet pdf
Class 11th Physics NEET formula sheet pdf
 
Mehran University Newsletter Vol-X, Issue-I, 2024
Mehran University Newsletter Vol-X, Issue-I, 2024Mehran University Newsletter Vol-X, Issue-I, 2024
Mehran University Newsletter Vol-X, Issue-I, 2024
 
Ecological Succession. ( ECOSYSTEM, B. Pharmacy, 1st Year, Sem-II, Environmen...
Ecological Succession. ( ECOSYSTEM, B. Pharmacy, 1st Year, Sem-II, Environmen...Ecological Succession. ( ECOSYSTEM, B. Pharmacy, 1st Year, Sem-II, Environmen...
Ecological Succession. ( ECOSYSTEM, B. Pharmacy, 1st Year, Sem-II, Environmen...
 
Gardella_PRCampaignConclusion Pitch Letter
Gardella_PRCampaignConclusion Pitch LetterGardella_PRCampaignConclusion Pitch Letter
Gardella_PRCampaignConclusion Pitch Letter
 
INDIA QUIZ 2024 RLAC DELHI UNIVERSITY.pptx
INDIA QUIZ 2024 RLAC DELHI UNIVERSITY.pptxINDIA QUIZ 2024 RLAC DELHI UNIVERSITY.pptx
INDIA QUIZ 2024 RLAC DELHI UNIVERSITY.pptx
 
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptxSOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
 
Código Creativo y Arte de Software | Unidad 1
Código Creativo y Arte de Software | Unidad 1Código Creativo y Arte de Software | Unidad 1
Código Creativo y Arte de Software | Unidad 1
 
Activity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdfActivity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdf
 
APM Welcome, APM North West Network Conference, Synergies Across Sectors
APM Welcome, APM North West Network Conference, Synergies Across SectorsAPM Welcome, APM North West Network Conference, Synergies Across Sectors
APM Welcome, APM North West Network Conference, Synergies Across Sectors
 
Grant Readiness 101 TechSoup and Remy Consulting
Grant Readiness 101 TechSoup and Remy ConsultingGrant Readiness 101 TechSoup and Remy Consulting
Grant Readiness 101 TechSoup and Remy Consulting
 
How to Give a Domain for a Field in Odoo 17
How to Give a Domain for a Field in Odoo 17How to Give a Domain for a Field in Odoo 17
How to Give a Domain for a Field in Odoo 17
 
Russian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in Delhi
Russian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in DelhiRussian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in Delhi
Russian Escort Service in Delhi 11k Hotel Foreigner Russian Call Girls in Delhi
 

Android basics – dialogs and floating activities

  • 1. Android Application Development Training Tutorial For more info visit http://www.zybotech.in A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
  • 2. Android Basics – Dialogs and Floating Activities As we know android provide Activity class for developing application screens. But many a time application needs to show Dialog boxes or floating screen to do simple tasks likes taking input from user or ask for confirmation etc. In android Dialogs can be created in following 2 ways: 1. Creating a dialog with the help of android Dialog class or its subclass like AlertDialog. 2. Using dialog theme for the activity. Using android Dialog class: Let see how we can create a dialog with the help of Dialog class. To define a dialog the dialog class has to extend the android Dialog class. class MyDialog extends Dialog { /** * @param context */ public MyDialog(Context context) { super(context); } } Define a layout for our dialog. Here is the xml file for of the layout that asks for user’s name. <?xml version=”1.0″ encoding=”utf-8″?> <LinearLayout android:id="@+id/widget28" android:layout_width="fill_parent" android:layout_height="fill_parent" android:orientation="vertical" xmlns:android="http://schemas.android.com/apk/res/android" > <TextView android:id="@+id/nameMessage" android:layout_width="fill_parent" android:layout_height="wrap_content" android:text="Enter Name:" > </TextView> <EditText android:id="@+id/nameEditText" android:layout_width="fill_parent" android:layout_height="wrap_content" android:textSize="18sp" > </EditText> <LinearLayout A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
  • 3. android:id="@+id/buttonLayout" android:layout_width="fill_parent" android:layout_height="wrap_content" android:layout_gravity="center_horizontal" > <Button android:id="@+id/okButton" android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="OK" > </Button> <Button android:id="@+id/cancelButton" android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="Cancel" > </Button> </LinearLayout> </LinearLayout> Use the above layout for our dialog class MyDialog extends Dialog { .... /** * @see android.app.Dialog#onCreate(android.os.Bundle) */ @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); Log.d("TestApp", "Dialog created"); setContentView(R.layout.mydialog); } } Now the dialog can be shown by calling the show method like this … MyDialog dialog = new MyDialog(context); dialog.show(); … A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
  • 4. Event handling for the Dialog controls are same as in case of the activity. Modify the dialog code to handle the onclick event on the ok and cancel button. class MyDialog extends Dialog implements OnClickListener { private Button okButton; private Button cancelButton; private EditText nameEditText; protected void onCreate(Bundle savedInstanceState) { okButton = (Button) findViewById(R.id.okButton); cancelButton = (Button) findViewById(R.id.cancelButton); nameEditText = (EditText) findViewById(R.id.nameEditText); okButton.setOnClickListener(this); cancelButton.setOnClickListener(this); } public void onClick(View view) { switch (view.getId()) { case R.id.okButton: dismiss(); break; case R.id.cancelButton: cancel(); break; } } } To close the dialog the dismiss() method can be called. The dialog can call the dismiss method itself or some other code can also close the dialog by calling dismiss(). A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
  • 5. The dialog also supports cancel. Canceling means the dialog action is canceled and does not need to perform any operation. Dialog can be canceled by calling cancel() method. Canceling the dialog also dismisses the dialog. When user clicks the phones BACK button the dialog gets canceled. If you do not want to cancel the dialog on BACK button you can set cancelable to false as setCancelable(false); Note that the cancel() method call till be able to cancel the dialog (which is the desirable functionality in most cases). The dialog’s cancel and dismiss events can be listened with the help of OnCancelListener and OnDismissListener. Returning information from dialog: Now our dialog can take the name from the user. We need to pass that name to the calling activity. Dialog class does not provide any direct method for returning values. But our own Listener can be created as follows: public interface MyDialogListener { public void onOkClick(String name); // User name is provided here. public void onCancelClick(); } The dialog’s constructor has to be modified to take the object of the listener: public MyDialog(Context context, MyDialogListener listener) { super(context); this.listener = listener; } Now the calling activity needs to provide the object of the class that implements the MyDialogListener which will gets called on ok or cancel button clicks. Now we need update the onclick method to return the user name. public void onClick(View view) { switch (view.getId()) { case R.id.okButton: listener.onOkClick(nameEditText.getText().toString()); // returning the user's name. dismiss(); break; case R.id.cancelButton: cancel(); break; } } Using AlertDialog: AlertDialog is the subclass of the Dialog. It by default provide 3 buttons and text message. The buttons can be made visible as required. Following code creates an AlertDialog that ask user a question and provide Yes, No option. A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
  • 6. AlertDialog dialog = new AlertDialog.Builder(context).create(); dialog.setMessage("Do you play cricket?"); dialog.setButton("Yes", myOnClickListener); dialog.setButton2("No", myOnClickListener); dialog.show(); The onClick method code for the button listener myOnClickListener will be like this: public void onClick(DialogInterface dialog, int i) { switch (i) { case AlertDialog.BUTTON1: /* Button1 is clicked. Do something */ break; case AlertDialog.BUTTON2: /* Button2 is clicked. Do something */ break; } } AlertDialog.Builder: AlertDialog has a nested class called ‘Builder’. Builder class provides facility to add multichoice or single choice lists. The class also provides methods to set the appropriate Adaptors for the lists, set event handlers for the list events etc. The Builder button calls the Button1, Button2, Button3 as PositiveButton, NeutralButton, NegativeButton. Here is an example of dialog box with Multichoice list new AlertDialog.Builder(context) .setIcon(R.drawable.icon) .setTitle(R.string.alert_dialog_multi_choice) .setMultiChoiceItems(R.array.select_dialog_items, new boolean[]{false, true, false, true, false}, new DialogInterface.OnMultiChoiceClickListener() { public void onClick(DialogInterface dialog, int whichButton, boolean isChecked) { /* Something on click of the check box */ } }) .setPositiveButton(R.string.alert_dialog_ok, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int whichButton) { /* User clicked Yes so do some stuff */ } }) .setNegativeButton(R.string.alert_dialog_cancel, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int whichButton) { /* User clicked No so do some stuff */ A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
  • 7. } }) .create(); Activity Managed Dialog: Android also provide facility to create dialogs. Activity created dialog can be managed by Activity methods like showDialog(), onCreateDialog(), onPrepareDialog(), dismissDialog(), removeDialog(). The onCreateDialog create the dialog that needs to be shown, for example /** * @see android.app.Activity#onCreateDialog(int) */ @Override protected Dialog onCreateDialog(int id) { return new AlertDialog.Builder(this).setMessage("How are you?").setPositiveButton("Fine", new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { /* Do something here */ } }).setNegativeButton("Not so good", new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { /* Do something here */ } }).create(); } You can create multiple dialog boxes and differentiate them with the id parameter. The dialog can be shown with the help of showDialog(id) method. The onCreateDialog method gets called for the first time when showDialog method is called. For subsequent calls to the showDialog() the dialog is not created but shown directly. If you need to update the dialog before it is getting shown then you can do that in onPrepareDialog() method. The methods get called just before the dialog is shown to the user. To close the dialog you can call dismissDialog() method. Generally you will dismiss the dialogs in the click handles of the dialog buttons. The removeDialog() method will remove the dialog from the activity management and if showDialog is again called for that dialog, the dialog needs to be created. Using android Dialog theme for activity: Another simple way to show the dialog is to make the Activity to work as a Dialog (floating activity). This can be done by applying dialog Theme while defining the activity entry in the AndroidManifest.xml A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi
  • 8. <activity android:name=”.DialogActivity” android:label=”@string/activity_dialog” android:theme=”@android:style/Theme.Dialog”> … </activity> The activity will be shown as a dialog as the activity is using ‘Theme.Dialog’ as theme. A7, Stephanos Tower, Eachamukku, Kakkanadu,Kochi