Let's continue our discussion of the Android UI and its layout options.
This is the same demo you download and installed in the last lecture: - Download the demo the layouts.zip app specifically designed to go with these notes.
If you want to design a UI with a long list of items then the list view is for you. The ListView controller allows you to vertically scrawl through a list of text items for example -- this has some properties of the ScrollView layout, which we discuss later.
Try the demo: Click on ListView Layout button and check it out.
In the example below we list the Dartmouth CS faculty and allow you select one of them. When you click on a prof a message (i.e., toast) is displayed for a short period. If you look at the XML you will see that only a TextView is defined -- for one of the elements in the ListView table: the height, width, padding and text size are all set up statically in the XML. There is no ListView defined in the XML -- we do that in the code.
First note that we do not extend activity in ListViewLayoutActivity.java rather ListViewLayoutActivity extends ListActivity
. ListActivity has a number of methods that help create, manage and control ListViews; check out ListActivity. Also, if you look at the code ListViewLayoutActivity.java you can see that we have defined a string array programmatically and not in the XML as is the case with the LinearLayout example we discussed earlier. Here we are illustrating that you can do things in XML and the code -- tip: push as much static data definition such as array strings to the XML world as you can. So in summary, in this layout we do the heavy lifting of the layout design in the code and not the XML; for example, we set up the item list in the code and not in strings.xml as we did in the Linearlayout example.
We specify the layout of individual rows in the list using a TextView in the XML. A ListAdapter constructor (see below in the code) takes a parameter that specifies a layout resource for each row -- listview_layout.xml -- that specifies the row template to use, that is: TextView. Android uses Adapters to provide the data to the ListView object. The adapter also defines how each row is the ListView is displayed.
The adapter is assigned to the ListView via the setAdapter method on the ListView object.
<?xml version="1.0" encoding="utf-8"?>
<TextView xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="fill_parent"
android:layout_height="fill_parent"
android:padding="10dp"
android:textSize="20sp" >
</TextView>
Note, we bind the string array of faculty names to the listview layout (in listview_layout.xml) using the ArrayAdapter as shown in the code below. We first get the listview set up (enable) the TextFilter and then set up the setOnItemClickListener for the list view for each of the entries in the array. That means if any entry is clicked on the onItemClick() method is called and the toast displayed. You could add some code that prints out the position in the list and tailor an toast if you wish.
The method setListAdapter will fill the complete screen of the activity with the ListView based on the formatting information in the XML found in the listview_layout.xml
file. The ArrayAdapter object is used to bind the faculty names (i.e., generically an array of strings in this example) to the ListView prior to setListAdapter displaying the view to the screen.
Note, there is no need to call setContentView() to load the UI from the listview_layout.xml.
How do we handle when the user selects one of the items in the ListView? Well, as usual the programmer has to exposes event handlers when the user selects an item. We set up the listView.setOnItemClickListener and when the user clicks and item the onItemClick callback executes. onItemClick() callback method is when an item in the AdapterView has been clicked by the user; the parameters provided by the callback include:
We don't do any view or item specific processing in onItemClick() . We simply display toast.
setListAdapter() sets the activity's list view widget. The ArrayAdapter constructor has three parameters:
The code snippet of shows ...
public class ListViewLayoutActivity extends ListActivity {
static final String[] FACULTY = new String[] { "Chris Bailey-Kellogg",
"Devin Balkcom", "Andrew Campbell", "Michael Casey",
"Amit Chakrabarti", "Thomas H. Cormen ",
"Robert L. (Scot) Drysdale, III", "Hany Farid", "Lisa Fleischer",
"Gevorg Grigoryan", "Prasad Jayanti", "David Kotz", "Lorie Loeb",
"Fabio Pellacini", "Daniel Rockmore", "Sean Smith",
"Lorenzo Torresani", "Peter Winkler" };
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
// Don't have to do this anymore
// setContentView(R.layout.listview_layout);
// Define a new adapter
ArrayAdapter<String> mAdapter = new ArrayAdapter<String>(this,
R.layout.listview_layout, FACULTY);
// Assign the adapter to ListView
setListAdapter(mAdapter);
// Define the listener interface
OnItemClickListener mListener = new OnItemClickListener() {
public void onItemClick(AdapterView<?> parent, View view,
int position, long id) {
// When clicked, show a toast with the TextView text
Toast.makeText(getApplicationContext(),
((TextView) view).getText() + " is an awesome prof!",
Toast.LENGTH_SHORT).show();
}
};
// Get the ListView and wired the listener
ListView listView = getListView();
listView.setOnItemClickListener(mListener);
}
}
If you are not familiar with adapters and how they are used with views see the Android developers notes on building layouts with adapters. These notes cover ListViews and ArrayAdapters used above. We use an ArrayAdapter when our data source is an array as in the case of the "FACULTY" String array[]. We use an array of strings that is displayed in a ListView. We initialize a new ArrayAdapter using a constructor to specify the layout for each string and the string array.
ArrayAdapter<String> mAdapter = new ArrayAdapter<String>(this,
R.layout.listview_layout, FACULTY);
Again, as mentioned above, the arguments are:
Once we have done that we need to call setAdapter() on the ListView:
setListAdapter(mAdapter);
This sets the adapter that provides the data and the view.
The ListActivity hosts a ListView object that can be bound to different data sources. Adapters allow you to bind the data source to the view. It serves as an intermediary between the data and view. An AdapterView is a view whose children are determined by an Adapter e.g., ListView.
When the content for your layout is dynamic or not pre-determined, you can use a layout that subclasses AdapterView (i.e., ListView) to populate the layout with views at runtime. ListView is a subclass of the AdapterView class and uses an Adapter to bind data to its layout.
There are a number of good guidelines out there for writing Android code. Please try and follow these field naming conventions:
For example:
public class MyClass {
public static final int SOME_CONSTANT = 42;
public int publicField;
private static MyClass sSingleton;
int mPackagePrivate;
private int mPrivate;
protected int mProtected;
}
Check out Code Style Guidelines for Contributors but don't get hung up on the term strict rules
. Just consider them style pointers.
Android provides a set of standard widgets for setting the date and time -- these are called Pickers http://developer.android.com/guide/topics/ui/controls/pickers.html. The XML and code below show examples of using theDatePicker and TimePicker widgets to set the date and time, respectively. The DateAndTimeActivity.java allows the user to set date and time and then displays it in a TextView as shown the figure below.
Try the demo: Click on the data and time button and check it out.
The date_time_layout.xml is straightforward. A TextView is set up for displaying the date and time -- not the large than standard font (i.e., 30sp) is used. Two buttons are used to display the pickers, which are really wrapped dialog boxes. More on dialogs later. The onClick callbacks are set up in the XML as usual. The text displayed on each button is defined too.
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="fill_parent"
android:layout_height="fill_parent"
android:orientation="vertical" >
<TextView
android:id="@+id/dateTime"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:text="Set me!"
android:textSize="30sp" />
<Button
android:id="@+id/dateBtn"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:onClick="onDateClicked"
android:text="Set the Date" />
<Button
android:id="@+id/timeBtn"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:onClick="onTimeClicked"
android:text="Set the Time" />
</LinearLayout>
When the user clicks on set the date the following dialog is presented to the user. Note, that the picker handles the internal setting on the time and click on the done button. However, the you are responsible for reading and storing the date and time set by the user after they have clicked the Done button on the dialog using callback objects; that is, OnDateSetListener for the date picker and OnTimeSetListener for the time picker. Take a look at the code below to see the callback processing on the DatePickerDialog object for example. The date is year, month, and day.
The TimePicker widgets provides a similar call back object so you can access the time as a 24.00 hour clock (if configured) or a 12 hour clock with AM/PM. Time is hours and minutes. In this case the time callback object is TimePickerDialog. The OnTimeSetListener callback interface is used to indicate the user is done filling in the time (they clicked on the Done button)
The DatePickerDialog object is first created using the constructor and then displayed to the user using the show() method as shown below, which starts the dialog and display it on screen.
TimePickerDialog(Context context, TimePickerDialog.OnTimeSetListener callBack, int hourOfDay, int minute, boolean is24HourView).
Note that the time picker dialog is constructed with the previously selected time (or date in the case of the date picker) from the Calendar -- as indicated above and below true indicates we want a 24.00 hour view.
new TimePickerDialog(DateAndTimeActivity.this, mTimeListener,
mDateAndTime.get(Calendar.HOUR_OF_DAY),
mDateAndTime.get(Calendar.MINUTE), true).show();
We implement the TimePickerDialog.OnTimeSetListener interface to receive a callback when the user sets the time. The callback TimePickerDialog.OnTimeSetListener (t parameter above) is setup below. The TimePickerDialog.OnTimeSetListener i(http://developer.android.com/reference/android/app/TimePickerDialog.OnTimeSetListener.html) has a single public method that you implement onTimeSet(TimePicker view, int hourOfDay, int minute), as shown below. We simply store the time input from the picker in the Calendar object dateAndTime that is created in the code (see the complete solution code below). Once we have stored the time we display it by calling the helper updateDateAndTimeDisplay(). This helper displays the input time using the view displayDateTime = (TextView) findViewById(R.id.dateTime); this writes the time in the correct format to the screen -- dateTime in the XML.
TimePickerDialog.OnTimeSetListener mTimeListener = new TimePickerDialog.OnTimeSetListener() {
public void onTimeSet(TimePicker view, int hourOfDay, int minute) {
mDateAndTime.set(Calendar.HOUR_OF_DAY, hourOfDay);
mDateAndTime.set(Calendar.MINUTE, minute);
updateDateAndTimeDisplay();
}
};
Let's discuss the code solution that handles the interaction with the pickers and display of the current time in the TextView -- as shown below in DateAndTimeActivity.java. As we mentioned before the Calendar instance sets the data and time in onCreate() by calling the helper method updateDateAndTimeDisplay(); the method uses takes the current data and time from the Calendar and uses DateUtils object to format the date and time correctly for the TextView dateTime defined in the XML. DateUtils contains various date-related utilities for creating text for things like elapsed time and date ranges, strings for days of the week and months, and AM/PM text etc -- see DateUtils for more details.
public class DateAndTimeActivity extends Activity {
TextView mDisplayDateTime;
Calendar mDateAndTime = Calendar.getInstance();
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.date_time_layout);
mDisplayDateTime = (TextView) findViewById(R.id.dateTime);
updateDateAndTimeDisplay();
}
public void onTimeClicked(View v) {
TimePickerDialog.OnTimeSetListener mTimeListener = new TimePickerDialog.OnTimeSetListener() {
public void onTimeSet(TimePicker view, int hourOfDay, int minute) {
mDateAndTime.set(Calendar.HOUR_OF_DAY, hourOfDay);
mDateAndTime.set(Calendar.MINUTE, minute);
updateDateAndTimeDisplay();
}
};
new TimePickerDialog(DateAndTimeActivity.this, mTimeListener,
mDateAndTime.get(Calendar.HOUR_OF_DAY),
mDateAndTime.get(Calendar.MINUTE), true).show();
}
public void onDateClicked(View v) {
DatePickerDialog.OnDateSetListener mDateListener = new DatePickerDialog.OnDateSetListener() {
public void onDateSet(DatePicker view, int year, int monthOfYear,
int dayOfMonth) {
mDateAndTime.set(Calendar.YEAR, year);
mDateAndTime.set(Calendar.MONTH, monthOfYear);
mDateAndTime.set(Calendar.DAY_OF_MONTH, dayOfMonth);
updateDateAndTimeDisplay();
}
};
new DatePickerDialog(DateAndTimeActivity.this, mDateListener,
mDateAndTime.get(Calendar.YEAR),
mDateAndTime.get(Calendar.MONTH),
mDateAndTime.get(Calendar.DAY_OF_MONTH)).show();
}
private void updateDateAndTimeDisplay() {
mDisplayDateTime.setText(DateUtils.formatDateTime(this,
mDateAndTime.getTimeInMillis(), DateUtils.FORMAT_SHOW_DATE
| DateUtils.FORMAT_SHOW_TIME));
}
}
Note, Android developers use (most of the time anonymous) inner classes to define specialized listeners such as TimePickerDialog.OnTimeSetListener, which register a callback -- new TimePickerDialog.OnTimeSetListener() -- to implement the program to take care of events such as set time. For example, in the case of new TimePickerDialog.OnTimeSetListener() it takes no specific parameters but creates a nested object to handle the callback. What the user clicks on Done to set the time onTimeSet(TimePicker view, int hourOfDay, int minute) method is called to implement the specific behavior of the user event (i.e., the user clicks on Done). See Power of Anonymous Inner Classes.
Many time you will want to design a layout that has too many views and widgets for a simple phone screen. Maybe the views might be truncated? No, Android has a scrollable view that allows you to load up the layout. In this case the user simply swipes down and up to get to the view of interest.
Try the demo: Click on ScrollView Layout button and check it out.
The code snippet of scrollview_layout.xml
below shows viewgroups embedded around the ScrollView.
<ScrollView xmlns:android="http://schemas.android.com/apk/res/android"
android:id="@+id/mainLayout"
android:layout_width="match_parent"
android:layout_height="match_parent" >
<LinearLayout
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:orientation="vertical" >
<ToggleButton
android:id="@+id/toggleButton1"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_margin="5dp" />
<CheckBox
android:id="@+id/checkBox1"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="@string/ui_profile_demand_title" />
<LinearLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_margin="5dp" >
<Button
android:id="@+id/btnSave"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_marginLeft="40dp"
android:layout_weight="1"
android:onClick="onSaveClicked"
android:text="@string/ui_button_save_title" >
</Button>
<Button
android:id="@+id/btnCancel"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_marginRight="40dp"
android:layout_weight="1"
android:onClick="onCancelClicked"
android:text="@string/ui_button_cancel_title" >
</Button>
</LinearLayout>
</LinearLayout>
</ScrollView>
The following is also a snippet of the ScrollViewLayoutActivity. Not is has callbacks for onCancelClicked() and onSaveClicked(). However these callbacks do not save the user input. In the next example we discuss how user data is saved using SharedPreference.
public class ScrollViewLayoutActivity extends Activity {
public void onSaveClicked(View v) {
Toast.makeText(getApplicationContext(),
getString(R.string.save_message), Toast.LENGTH_SHORT).show();
Intent intent = new Intent(ScrollViewLayoutActivity.this,
MainLayoutActivity.class);
startActivity(intent);
}
public void onCancelClicked(View v) {
Toast.makeText(getApplicationContext(),
getString(R.string.cancel_message), Toast.LENGTH_SHORT).show();
Intent intent = new Intent(ScrollViewLayoutActivity.this,
MainLayoutActivity.class);
startActivity(intent);
}
}
We will use a ScrollView layout for our first programming assignment. More later.
If an activity is destroyed for any reason -- the user exists through the back key, or the system needs reclaims resources so kills activities that are currently not in the focus of the user -- then any user data entered is lost. (Note, we will discuss the various phases of an activity when we discuss activity lifecycle). So what if you wanted to save user data so when the app opens again you don't have to renter the data -- which, you'd agree would be a royal pain. Well android allows you to do this in a number of ways. You can use a simple SharedPreference object to store small amounts of user data. For more sophisticated data storage we will use databases and particular SQLite -- we will build an app that uses SQLite later in the course. But for now let's assume we want to save a small amount of user data between invocations of our layout app.
Try the demo Click on SharedPereference button and check it out. Try inputting data and then destroying and starting the app again. You should see your data.
The XML snippet of shared_preferences_layout.xml
below shows presents nothing new for you -- it's clear, right. OK, onto the code. The XML includes to onClick callbacks to Save
or Cancel
. If save is selected by the user the input data is stored in the SharedPrefence object. If cancel is clicked nothing is saved.
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="fill_parent"
android:layout_height="fill_parent"
android:orientation="vertical">
**snippet**
<LinearLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_margin="5dp" >
<Button
android:id="@+id/btnSave"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_marginLeft="40dp"
android:layout_weight="1"
android:onClick="onSaveClicked"
android:text="@string/ui_button_save_title" >
</Button>
<Button
android:id="@+id/btnCancel"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_marginRight="40dp"
android:layout_weight="1"
android:onClick="onCancelClicked"
android:text="@string/ui_button_cancel_title" >
</Button>
</LinearLayout>
</LinearLayout>
The SharedPreferencesActivity.java code is divided up for easy of discussion below. We cluster the onCreate() and onClick callbacks. Following this we discuss two helper methods used to support the saving and restoring the user data -- saveUserData()
and loadUserData()
. Frist, note that SharedPreferencesActivity extends Activity. Let's discuss how the code works. onCreate() simply set the view and calls the helper to load any stored data. Note, the first time the app runs there is no stored data so this is an edge case that needs to be taken care of in the code -- we will discuss this edge case when we discuss the helper methods.
Let's assume the user inputs some data and clicks theSave
button. The onSaveClicked() callback calls saveUserData() and then displays some toast informing the user that their data is saved -- it's important to keep the user in the loop. If the user clicked the Cancel
button then nothing happens in the callback other than displaying toast and returning to the MainLayoutActivity (main menu) using an Intent. Note, we will discuss intents in much more detail in this course but for now let's go with the flow regarding the magic on intents.
public class SharedPreferencesActivity extends Activity {
private static final String TAG = "CS65";
public static final String PREFS_MYRUNS = "MyPrefs";
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.shared_preferences_layout);
// Load user data to screen using the private helper function
// loadProfile
loadUserData();
}
public void onSaveClicked(View v) {
// Save all information from the screen into a "shared preferences"
// using private helper function
saveUserData();
Toast.makeText(getApplicationContext(),
getString(R.string.save_message), Toast.LENGTH_SHORT).show();
Intent mIntent = new Intent(SharedPreferencesActivity.this,
MainLayoutActivity.class);
startActivity(mIntent);
}
public void onCancelClicked(View v) {
Toast.makeText(getApplicationContext(),
getString(R.string.cancel_message), Toast.LENGTH_SHORT).show();
Intent mIntent = new Intent(SharedPreferencesActivity.this,
MainLayoutActivity.class);
startActivity(mIntent);
}
Let's assume that onCreate() invokes the loadUserData() helper when the app starts or resumes. To start with let's assume that no user data is stored in the activities SharedPreference object.
loadUserData() first gets the key for the preference name which is used to obtain an instance of the SharedPreferences class. This is the object what we will store data using key/data pairs to save and restore (using the other helper function). Specifically, getSharedPreferences() has two parameters:
MODE_PRIVATE
specifies that the preference file can only be accessed by the application that created it.The getSharedPreferences() method retrieve the contents of the preferences file 'name', returning a SharedPreferences (i.e., mPrefs) through which you can retrieve and modify its values. Only one instance of the SharedPreferences object is returned to any callers for the same name, meaning they will see each other's edits as soon as they are made.
To update the value of preference we first use getString() to get the key -- for example, preference_key_profile_email
-- and then get the string value for the email using the mKey in this case. Note, if there is nothing stored for that key (i.e., no email details have been saved) then we use the default of an empty string. Once we have the value we update the EditText view on the screen by getting the view and then setting the restored value.
((EditText) findViewById(R.id.editEmail)).setText(mValue);
This is repeated for all views in the shared_preferences_layout.xml
file, as shown above. The RadioButtons do not store strings but an integer value where -1
is the default used if nothing has already been saved and 0/1 for the gender buttons female/male from the order of the widgets in the RadioGroup. Finally, the helper function displays some toast with the RadioGroup value.
// ****************** private helper functions ***************************//
// load the user data from shared preferences if there is no data make sure
// that we set it to something reasonable
private void loadUserData() {
// We can also use log.d to print to the LogCat
Log.d(TAG, "loadUserData()");
// Load and update all profile views
// Get the shared preferences - create or retrieve the activity
// preference object
String mKey = getString(R.string.preference_name);
SharedPreferences mPrefs = getSharedPreferences(mKey, MODE_PRIVATE);
// Load the user email
mKey = getString(R.string.preference_key_profile_email);
String mValue = mPrefs.getString(mKey, " ");
((EditText) findViewById(R.id.editEmail)).setText(mValue);
// Please Load gender info and set radio box
mKey = getString(R.string.preference_key_profile_gender);
int mIntValue = mPrefs.getInt(mKey, -1);
// In case there isn't one saved before:
if (mIntValue >= 0) {
// Find the radio button that should be checked.
RadioButton radioBtn = (RadioButton) ((RadioGroup) findViewById(R.id.radioGender))
.getChildAt(mIntValue);
// Check the button.
radioBtn.setChecked(true);
Toast.makeText(getApplicationContext(),
"number of the radioButton is : " + mIntValue,
Toast.LENGTH_SHORT).show();
}
}
Once the loadUserData() is complete the screen is updated with any stored data. Now, assume the user has changed these values (email and gender) and clicked the Save
button. The following happens. The callback calls the saveUserData() helper function. The helper function gets the preference file key and gets the reference to the SharedPeference object. While same key/value pairs are used to store data in the object the difference here is that an editor is needed to update the values. We first create (SharedPreferences.Editor object) and clear an editor through the mPrefs.edit() method. Following this we get the key of the value we want to update and then use mEditor.putString() to change the value. To save all the changes to the preference file we use mEditor.commit(). Finally, the helper displays the toast informing the user that their email address and gender information has been successfully saved.
// load the user data from shared preferences if there is no data make sure
// that we set it to something reasonable
private void saveUserData() {
Log.d(TAG, "saveUserData()");
// Getting the shared preferences editor
String mKey = getString(R.string.preference_name);
SharedPreferences mPrefs = getSharedPreferences(mKey, MODE_PRIVATE);
SharedPreferences.Editor mEditor = mPrefs.edit();
mEditor.clear();
// Save email information
mKey = getString(R.string.preference_key_profile_email);
String mValue = (String) ((EditText) findViewById(R.id.editEmail))
.getText().toString();
mEditor.putString(mKey, mValue);
// Read which index the radio is checked.
// edit this out and use as a debug example
// interesting bug because you try and write an int to a string
mKey = getString(R.string.preference_key_profile_gender);
RadioGroup mRadioGroup = (RadioGroup) findViewById(R.id.radioGender);
int mIntValue = mRadioGroup.indexOfChild(findViewById(mRadioGroup
.getCheckedRadioButtonId()));
mEditor.putInt(mKey, mIntValue);
// Commit all the changes into the shared preference
mEditor.commit();
Toast.makeText(getApplicationContext(), "saved name: " + mValue,
Toast.LENGTH_SHORT).show();
}
As discussed above there are a number of options of storing persistent application data in Android:
The type of storage depends on what your application is trying to achieve. We will discuss storage later in the class but read the relevant bood chapter on storage and the Android developers notes on storage options
We have covered a lot of ground in this first set of UI lectures. Please make sure you go through the code provided and extend it. For example, note when you flip to landscape mode for some of the layouts the layout gets truncated -- can you fix this. The UI described so far is fairly low level and comprises important but small building blocks. Fortunately, you don't have to build your UI from low level views and widgets like we did here. App designers can use higher level pre-made UI components to build UIs. We will discuss these later -- examples of these high level components include ActionBar, Dialogs and Status Notification. We will use all of these components in the UI we build. That should be fun. But is good to understand the weeds first, forgive the poorly chosen metaphor.
We will use the following code snippet to dicuss a number of more advance UI design and processing issues:
A ConstraintLayout is a ViewGroup which allows you to position and size widgets in a flexible way. Relative positioning is one of the basic building block of creating layouts in ConstraintLayout. Those constraints allow you to position a given widget relative to another one. You can constrain a widget on the horizontal and vertical axis:
The general concept is to constrain a given side of a widget to another side of any other widget. See Android Developers for more information on ConstraintLayout.
A special sub-class of EditText designed for use as a child of TextInputLayout.Using this class allows us to display a hint even when the user in entering data. Also you can set errors on the widget to keep the user in the loop: for example:
mPasswordView.setError(getString(R.string.error_field_required));.
See TextInputEditText in Android Developers for the class definition
private void saveRegistration() {
View focusView = null;
boolean cancel = false;
EditText mPasswordView = findViewById(R.id.password);
String password = mPasswordView.getText().toString();
mPasswordView.setError(null);
if (TextUtils.isEmpty(password)) {
mPasswordView.setError(getString(R.string.error_field_required));
focusView = mPasswordView;
cancel = true;
} else if (!isPasswordValid(password)) {
mPasswordView.setError(getString(R.string.error_invalid_password));
focusView = mPasswordView;
cancel = true;
}
if (cancel) {
if (focusView instanceof EditText)
focusView.requestFocus();
} else {
mPasswordView.setText("");
if (focusView instanceof EditText)
focusView.requestFocus();
Toast.makeText(this,
"Successfully Registered",
Toast.LENGTH_LONG).show();
}
}
The snippet also includes onCreateOptionsMenu for added a menu and configurating it to ``register''. The code shows how the command is handled.
Finally the code snippet has a neat BottomNavigationView that you can use later in myruns as we build out the UI.
The widget is bottom navigation bar for application.
From developers: Bottom navigation bars make it easy for users to explore and switch between top-level views in a single tap. The bar contents can be populated by specifying a menu resource file. Each menu item title, icon and enabled state will be used for displaying bottom navigation bar items. Menu items can also be used for programmatically selecting which destination is currently active. It can be done using MenuItem#setChecked(true)