Tutorial: Programming in Java
for Android Development
Adam C. Champion and Dong Xuan
CSE 4471: Information Security
Autumn 2013
Based on material from C. Horstmann [1], J. Bloch [2], C. Collins et al. [4],
M.L. Sichitiu (NCSU), V. Janjic (Imperial College London), CSE 2221 (OSU), and other sources
Outline
Getting Started
Java: The Basics
Java: ObjectOriented Programming
Android Programming
Getting Started (1)
Need to install Java Development Kit (JDK) to write
Java (and Android) programs
Do not install Java Runtime Environment (JRE);
JDK and JRE are different!
Can download the JDK for your OS at http://java.oracle.com
Alternatively, for OS X, Linux:
OS X:
Open /Applications/Utilities/Terminal.app
Type javac at command line
Install Java when prompt appears
Linux:
Type sudo
aptget
install
defaultjdk at command line
(Debian, Ubuntu)
Other distributions: consult distributions documentation
Install!
Getting Started (2)
After installing JDK, download Android SDK
from http://developer.android.com
Simplest: download and install Android
Developer Tools (ADT) bundle (including
Android SDK) for your OS
Alternatives:
Download/install Android Studio (beta) from this site
(based on IntelliJ IDEA)
Install Android SDK tools by themselves, then install
ADT for Eclipse separately (from this site)
Well use ADT with SDK (easiest)
Install!
Getting Started (3)
Unzip ADT package to directory <adtbundleos>, then run
<adtbundleos>/eclipse/Eclipse app. You should see this:
Getting Started (4)
Go to Eclipse preferences
(WindowPreferences or
ADTPreferences), select
Android tab
Make sure the Android SDK
path is correct (<adt
bundleos>/sdk)
Strongly recommend testing
with real Android device
Android emulator: very slow
Install USB drivers for your
Android device
Getting Started (5)
Bring up the Android SDK Manager
Recommended: Install Android 2.2, 2.3.3 APIs and 4.x API
Do not worry about Intel x86 Atom, MIPS system images
In Eclipse, click WindowShow ViewOther and
select views AndroidDevices, AndroidLogCat
Now youre ready for Android development!
Outline
Getting Started
Java: The Basics
Java: ObjectOriented Programming
Android Programming
Java Programming Language
Java: generalpurpose
language designed so
developers write code
once, it runs anywhere
The key: Java Virtual
Machine (JVM)
Program code compiled to
JVM bytecode
JVM bytecode interpreted
on JVM
Well focus on Java 5
(Android uses this). See
chapters 17 in [1].
Our First Java Program (1)
public
class
HelloWorld
{
public
static
void
main(String[]
args)
{
System.out.println(Hello
world!);
}
}
Dont forget to match curly braces {,} or semicolon at the end!
In Eclipse: FileNewJava Project, name project
HelloWorld (no quotes), click Finish. Open HelloWorld in
Package Explorer. Rightclick src directory, select NewClass,
and create a class HelloWorld with a main() method. To run the
program, rightclick HelloWorld project, click Run As
Our First Java Program (2)
Rightclick,
NewClass
Explaining the Program
Every .java source file contains one class
We create a class HelloWorld that greets user
The class HelloWorld must have the same name as the source file
HelloWorld.java
Our class has public scope, so other classes can see it
Well talk more about classes and objects later
Every Java program has a method main() that executes the program
Method signature must be exactly
public
static
void
main(String[]
args)
{
...
}
This means: (1) main() is visible to other methods; (2) there is only
one main() method in the class; and (3) main() has one argument
(args, an array of String variables)
Java thinks main(), Main(), miAN() are different methods
Every Java method has curly braces {,} surrounding its code
Every statement in Java ends with a semicolon, e.g.,
System.out.println(Hello
world!);
Program prints Hello
world! to the console, then quits
Basic Data Types (1)
Java variables are instances of mathematical types
Variables can store (almost) any value their type can have
Example: the value of a boolean variable can be either true or false
because any (mathematical) boolean value is true or false
Caveats for integer, floatingpoint variables: their values are subsets of
values of mathematical integers, real numbers. Cannot assign
mathematical 2500 to integer variable (limited range) or mathematical 2
to a floatingpoint variable (limited precision; irrational number).
Variable names must start with lowercase letter, contain only letters,
numbers, _
Variable declaration: boolean
b
=
true;
Later in the program, we might assign false to b: b
=
false;
Java strongly suggests that variables be initialized at the time of
declaration, e.g., boolean
b; gives a compiler warning (null pointer)
Constants defined using final keyword, e.g.,
final
boolean
falseBool
=
FALSE;
Basic Data Types (2)
Javas primitive data types: [5]
Primitive type
Size
Minimum
Maximum
Wrapper type
boolean
1bit
N/A
N/A
Boolean
char
16bit
Unicode 0
Unicode 216 1
Character
byte
8bit
128
+127
Byte
short
16bit
215
+215 1
Short
int
32bit
231
+231 1
Integer
long
64bit
263
+263 1
Long
float
32bit
IEEE 754
IEEE 754
Float
double
64bit
IEEE 754
IEEE 754
Double
Note: All these types are signed, except char.
Basic Data Types (3)
Sometimes variables need to be cast to another type, e.g.,
if finding average of integers:
int
intOne
=
1,
intTwo
=
2,
intThree
=
3,
numInts
=
2;
double
doubOne
=
(double)intOne,
doubTwo
=
(double)myIntTwo,
doubThree
=
(double)intThree;
double
avg
=
(doubOne
+
doubTwo
+
doubThree)/(double)numInts;
library has math operations like sqrt(), pow(), etc.
String: immutable type for sequence of characters
Math
Every Java variable can be converted to String via toString()
The + operation concatenates Strings with other variables
Let str be a String. We can find strs length (str.length()),
substrings of str (str.substring()), and so on [6]
Basic Data Types (4)
A literal is a fixed value of a variable type
TRUE, FALSE are boolean literals
A, \t, \, and \u03c0 are char literals (escaped
tab, quote characters, Unicode value for \pi)
1, 0, 035, 0x1a are int literals (last two are octal and
hexadecimal)
0.5, 1.0, 1E6, 6.023E23 are double literals
At
OSU, Hello
world! are String literals
Comments:
Single-line: //
some
comment
to
end
of
line
Multi-line: /*
comments
span
multiple
lines
*/
Common Operators in Java
String
+
boolean
char
int
double
++
--
||
+
-
+
-
&&
*
/
%
*
/
<
>
<=
>=
==
!=
<
>
<
>
<=
>=
==
!=
Notes:
Compare String objects using the equals() method, not == or !=
&& and || use short-circuit evaluation. To see this, say boolean
canPigsFly
=
FALSE
and we evaluate (canPigsFly
&&
<some
Boolean
expression>). Since canPigsFly is
FALSE, the second part of the expression wont be evaluated.
The second operand of % (integer modulus) must be positive.
Dont compare doubles for equality. Instead, define a constant like so:
final
double
EPSILON
=
1E-6;
//
or
some
other
threshold
//
check
if
Math.abs(double1
double2)
<
EPSILON
Control Structures: Decision (1)
Programs dont always follow straight line execution; they
branch based on certain conditions
Java decision idioms: if-then-else, switch
if-then-else idiom:
if
(<some
Boolean
expression>)
{
//
take
some
action
}
else
if
(<some
other
Boolean
expression)
{
//
take
some
other
action
}
else
{
//
do
something
else
}
Control Structures: Decision (2)
Example:
final
double
OLD_DROID
=
2.0,
final
double
NEW_DROID
=
4.0;
double
myDroid
=
4.1;
if
(myDroid
<
OLD_DROID)
{
System.out.println(Antique!);
}
else
if
(myDroid
>
NEW_DROID)
{
System.out.println(Very
modern!);
}
else
{
System.out.println(Your
device:
barely
supported.);
}
Code prints Very
modern! to the screen.
What if myDroid
==
1.1? myDroid
==
2.3?
Control Structures: Decision (3)
Example two:
final
double
JELLY_BEAN
=
4.1,
final
double
ICE_CREAM
=
4.0;
final
double
EPSILON
=
1E-6;
double
myDroid
=
4.1;
if
(myDroid
>
ICE_CREAM)
{
if
(Math.abs(myDroid
ICE_CREAM)
<
EPSILON)
{
System.out.println(Ice
Cream
Sandwich);
}
else
{
System.out.println(Jelly
Bean);
}
}
else
{
System.out.println(Old
version);
}
Code prints Jelly
Bean to screen. Note nested if-then-else, EPSILON usage.
Control Structures: Decision (4)
Other idiom: switch
Only works when comparing an int or boolean
variable against a fixed set of alternatives
Example:
int
api
=
10;
switch
(api)
{
case
3:
System.out.println(Cupcake);
break;
case
4:
System.out.println(Donut);
break;
case
7:
System.out.println(clair);
break;
case
8:
System.out.println(Froyo);
break;
case
10:
System.out.println(Gingerbread);
break;
case
11:
System.out.println(Honeycomb);
break;
case
15:
System.out.println(Ice
Cream
Sandwich);
break;
case
16:
System.out.println(Jelly
Bean);
break;
default:
System.out.println(Other);
break;
}
Control Structures: Iteration (1)
Often, blocks of code should loop while a condition holds (or fixed # of times)
Java iteration idioms: while, do-while, for
While loop: execute loop as long as condition is true (checked each iteration)
Example:
String
str
=
aaaaa;
int
minLength
=
10;
while
(str.length()
<
minLength)
{
str
=
str
+
a;
}
System.out.println(str);
Loop executes 5 times; code terminates when str
=
aaaaaaaaaa
Notice: if the length of str was minLength, the while loop would not
execute
Control Structures: Iteration (2)
While Loop
Do-While Loop
String
str
=
aaaaaaaaaa;
int
minLength
=
10;
while
(str.length()
<
minLength)
{
str
=
str
+
a;
}
System.out.println(str);
String
str
=
aaaaaaaaaa;
int
minLength
=
10;
do
{
str
=
str
+
a;
}
while
(str.length()
<
minLength)
System.out.println(str);
Unlike the while loop, the do-while loop executes at least once so long as condition is true.
The while loop prints aaaaaaaaaa whereas the do-while loop prints aaaaaaaaaaa (11 as)
Control Structures: Iteration (3)
The for loop has the following structure:
for
(<expression1>;
<expression2>;
<expression3>)
{
.
.
.
}
Semantics:
<expression1>
is
<expression2>
is
<expression3>
is
loop initialization (run once)
loop execution condition (checked every iteration)
loop update (run every iteration)
Example:
int
i;
for
(i
=
0;
i
<
10;
i++)
{
System.out.println(i
=
+
i);
}
System.out.println(i
=
+
i);
What do you think this code does?
Methods and Design-by-Contract (1)
Design your own methods to perform specific, well-defined tasks
Each method has a signature:
public
static
ReturnType
method(paramType1
param1,
paramTypeN
paramN)
{
//
perform
certain
task
}
Example: a method to compute area of rectangle:
public
static
double
findRectArea(double
length,
double
width)
{
return
length
*
width;
}
Each method has a precondition and a postcondition
Precondition: constraints methods caller must satisfy to call method
Postcondition: guarantees method provides if preconditions are met
For our example:
Precondition: length
>
0.0, width
>
0.0
Postcondition: returns length
width (area of rectangle)
Methods and Design-by-Contract (2)
In practice, methods are annotated via JavaDoc,
e.g.,
/**
Compute
area
of
rectangle.
@param
length
Length
of
rectangle
@param
width
Width
of
rectangle
@return
Area
of
rectangle
*/
Methods called from main() (which is static)
need to be defined static too
Some methods may not return anything (void)
Array Data Structure
Array: fixed-length sequence of variable types; cannot
change length at run-time
Examples:
final
int
NUMSTUDENTS
=
10;
String[]
students;
//
Declaration
String[]
students
=
new
String[NUMSTUDENTS];
//
Declaration
and
initialization
String[]
moreStudents
=
{
Alice,
Bob,
Rohit,
Wei};
//
Declaration
and
explicit
initialization
System.out.println(moreStudents.length)
//
Prints
4
Enhanced for loop: executed for each element in array
Example:
for
(String
student:
moreStudents)
{
System.out.println(student
+
,
);
}
Prints Alice,
Bob,
Rohit,
Wei, to screen
Array indices are numbered 0, , N1; watch for off-by-one
errors! moreStudents[0] is Alice; moreStudents[3] is Wei
Two-Dimensional Arrays
We can have two-dimensional arrays.
Example:
final
int
ROWS
=
3;
final
int
COLUMNS
=
3;
char[][]
ticTacToe
=
new
char[ROWS][COLUMNS];
//
declare
for
(int
i
=
0;
i
<
ROWS;
i++)
{
for
(int
j
=
0;
j
<
COLUMNS;
j++)
{
ticTacToe[i][j]
=
_;
//
Initialize
to
blank
}
}
//
Tic-tac-toe
logic
goes
here
(with
Xs,
Os)
ticTacToe.length returns number of rows;
ticTacToe[0].length returns number of columns
Higher-dimensional arrays are possible too
Parameterized Data Structures
We can define data structures in terms of an arbitrary variable type
(call it Item).
ArrayList<Item>, a variable-length array that can be modified at
run-time. Examples:
ArrayList<String>
arrStrings
=
new
ArrayList<String>();
ArrayList<Double>
arrDoubles
=
new
ArrayList<Double>();
arrStrings.add(Alice);
arrStrings.add(Bob);
arrStrings.add(Rohit);
arrStrings.add(Wei);
String
str
=
arrStrings.get(1);
//
str
becomes
Bob
arrStrings.set(2,
Raj);
//
Raj
replaces
Rohit
System.out.println(arrStrings.size());
//
prints
4
Notice:
Need to call import
java.util.ArrayList; at beginning of program
Off-by-one indexing: cannot call arrStrings.get(4);
Auto-boxing: we cannot create an ArrayList of doubles. We need to
replace double with wrapper class Double. (Recall the primitive data
types table)
Other parameterized data types include Lists, Sets, Maps, Stacks,
Queues, Trees (see chapters 1416 in [1])
Exception Handling (1)
If we had called arrStrings.get(4), we
would have an error condition
The JVM throws an IndexOutOfBounds exception,
halts execution
Exception Handling (2)
We handle exceptions using the try-catch-finally structure:
try
{
//
Code
that
could
trigger
an
exception
}
catch
(IndexOutOfBoundsException
e)
//
Or
another
Exception
{
//
Code
that
responds
to
exception,
e.g.,
e.printStackTrace();
}
finally
{
//
Code
that
executes
regardless
of
whether
exception
occurs
}
There can be many catch blocks for different Exceptions, but there is only
one try block and one (optional) finally block. (See Section 7.4 in [1] for
the full hierarchy of Exceptions)
Exceptions always need to be caught and reported, especially in Android
Outline
Getting Started
Java: The Basics
Java: ObjectOriented Programming
Android Programming
Objects and Classes (1)
Classes serve as blueprints that describe the states and behaviors of objects,
which are actual instances of classes
For example, a Vehicle class describes a motor vehicles blueprint:
States: on/off, driver in seat, fuel in tank, speed, etc.
Behaviors: startup, shutdown, drive forward, shift transmission, etc.
There are many possible Vehicles, e.g., Honda Accord, Mack truck, etc. These
are instances of the Vehicle blueprint
Many Vehicle states are specific to each Vehicle object, e.g., on/off, driver in
seat, fuel remaining. Other states are specific to the class of Vehicles, not any
particular Vehicle (e.g., keeping track of the last Vehicle ID # assigned).
These correspond to instance fields and static fields in a class.
Notice: we can operate a vehicle without knowing its implementation under
the hood. Similarly, a class makes public instance methods by which objects
of this class can be manipulated. Other methods apply to the set of all Vehicles
(e.g., set min. fuel economy). These correspond to static methods in a class
Objects and Classes (2)
public
class
Vehicle
{
//
Instance
fields
(some
omitted
for
brevity)
private
boolean
isOn
=
false;
private
boolean
isDriverInSeat
=
false;
private
double
fuelInTank
=
10.0;
private
double
speed
=
0.0;
//
Static
fields
private
static
String
lastVin
=
4A4AP3AU*DE999998;
//
Instance
methods
(some
omitted
for
brevity)
public
Vehicle()
{
}
//
Constructor
public
void
startUp()
{
}
public
void
shutOff()
{
}
public
void
getIsDriverInSeat()
{
}
//
getter,
setter
methods
public
void
setIsDriverInSeat()
{
}
private
void
manageMotor()
{
}
//
More
private
methods
//
Static
methods
public
static
void
setVin(String
newVin)
{
}
}
Objects and Classes (3)
How to use the Vehicle class:
First, create a new object via constructor Vehicle(), e.g., Vehicle
myCar
=
new
Vehicle();
Change Vehicle states, e.g., startUp() or shutOff() the Vehicle
You can imagine other use cases
Mark a new Vehicles ID number (VIN) as taken by calling
Vehicle.setVin()
Caveat: VINs more complex than this (simple) implementation [7]
Notes:
Aliasing: If we set Vehicle myTruck
=
myCar, both myCar and myTruck
point to the same variable. Better to perform deep copy of
myCar and store the copy in myTruck
null reference: refers to no object, cannot invoke methods on null
Implicit parameter and the this reference
Access control: public, protected, private
Inheritance (1)
Types of Vehicles: Motorcycle, Car, Truck, etc. Types of Cars:
Sedan, Coupe, SUV. Types of Trucks: Pickup, Flatbed.
Induces inheritance hierarchy
Subclasses inherit fields/methods from superclasses.
Subclasses can add new fields/methods, override those of
parent classes
For example, Motorcycles driveForward() method differs
from Trucks driveForward() method
Inheritance (2)
Inheritance denoted via extends keyword
public
class
Vehicle
{
public
void
driveForward
(double
speed)
{
//
Base
class
method
}
}
public
class
Motorcycle
extends
Vehicle
{
public
void
driveForward
(double
speed)
{
//
Apply
power
}
}
Inheritance (3)
public
class
Truck
extends
Vehicle
{
private
boolean
useAwd
=
true;
public
Truck(boolean
useAwd)
{
this.useAwd
=
useAwd;
}
public
void
driveForward(double
speed)
{
if
(useAwd)
{
//
Apply
power
to
all
wheels
}
else
{
//
Apply
power
to
only
front/back
wheels
}
}
}
Polymorphism
Suppose we create Vehicles and invoke the driveForward() method:
Vehicle
vehicle
=
new
Vehicle();
Vehicle
motorcycle
=
new
Motorcycle();
Truck
truck1
=
new
Truck(true);
Vehicle
truck2
=
new
Truck(false);
//
Code
here
to
start
vehicles
vehicle.driveForward(5.0);
motorcycle.driveForward(10.0);
truck1.driveForward(15.0);
truck2.driveForward(10.0);
For vehicle, Vehicles driveForward() method is invoked
For motorcycle, Motorcycles driveForward() method is invoked
With truck1 and truck2, Trucks driveForward() function is invoked
(with all-wheel drive for truck1, not for truck2).
Dynamic method lookup: Java looks at objects actual types in determining
which method to invoke
Polymorphism: feature where objects of different subclasses can be treated
the same way. All Vehicles driveForward() regardless of (sub)class.
The Object Class
Every class in Java is a subclass of Object
Important methods in Object:
toString(): Converts the Object into a String
representation
equals(): Compares contents of Objects to see if
theyre the same
hashCode(): Hashes the Object to a fixed-length
String, useful for data structures like HashMap,
HashSet
If you create your own class, you should override
toString() and hashCode()
Interfaces
Java interfaces abstractly specify methods to be implemented
Intuition: decouple method definitions from implementations (clean design)
Interfaces, implementations denoted by interface, implements keywords
Example:
public
interface
Driveable
{
public
void
driveForward(double
speed);
}
public
class
Vehicle
implements
Driveable
{
public
void
driveForward(double
speed)
{
//
implementation
}
}
public
class
Motorcycle
extends
Vehicle
implements
Driveable
{
public
void
driveForward(double
speed)
{
//
implementation
}
}
The Comparable Interface
Comparing Objects is important, e.g., sorting in data
structures
The Comparable interface compares two Objects, e.g.,
a and b:
public
interface
Comparable
{
int
compareTo(Object
otherObject);
}
a.compareTo(b) returns negative integer if a comes
before b, 0 if a is the same as b, and a positive integer
otherwise
In your classes, you should implement Comparable to
facilitate Object comparison
Object-Oriented Design Principles
Each class should represent a single concept
Dont try to fit all functionality into a single class
Consider a class per noun in problem description
Factor functionality into classes, interfaces, etc. that express the
functionality with minimal coupling
For software projects, start from use cases (how customers will use
software: high level)
Then identify classes of interest
In each class, identify fields and methods
Class relationships should be identified: is-a (inheritance), has-a
(aggregation), implements interface, etc.
Packages provide class organization mechanism
Examples: java.lang.*, java.util.*, etc.
Critical for organizing large numbers of classes!
All classes in a package can see each other (scope)
Outline
Getting Started
Java: The Basics
Java: ObjectOriented Programming
Android Programming
Introduction to Android
Popular mobile device
OS: 52% of U.S.
smartphone market [8]
Developed by Open
Handset Alliance, led by
Google
Google claims 900,000
Android device
activations [9]
Source: [8]
Android Highlights (1)
Android apps execute on
Dalvik VM, a clean-room
implementation of JVM
Dalvik optimized for efficient
execution
Dalvik: register-based VM,
unlike Oracles stack-based
JVM
Java .class bytecode translated
to Dalvik EXecutable (DEX)
bytecode, which Dalvik
interprets
Android Highlights (2)
Android apps written in Java 5
Actually, a Java dialect (Apache Harmony)
Everything weve learned still holds
Apps use four main components:
Activity: A single screen thats visible to user
Service: Long-running background part of app
(not
separate process or thread)
ContentProvider: Manages app data (usually stored in
database) and data access for queries
BroadcastReceiver: Component that listens for particular
Android system events, e.g., found wireless device,
and responds accordingly
App Manifest
Every Android app must include an
AndroidManifest.xml file describing functionality
The manifest specifies:
Apps Activities, Services, etc.
Permissions requested by app
Minimum API required
Hardware features required, e.g., camera with
autofocus
External libraries to which app is linked, e.g., Google
Maps library
Activity Lifecycle
Activity: key
building
block of Android apps
Extend Activity class,
override onCreate(),
onPause(), onResume()
methods
Dalvik VM can stop any
Activity without warning,
so saving state is important!
Activities need to be
responsive, otherwise
Android shows user App
Not Responsive warning:
Place lengthy operations in
Threads, AsyncTasks
Source: [12]
App Creation Checklist
If you own an Android device:
Ensure drivers are installed
Enable developer options on device under Settings,
specifically USB Debugging
Android 4.2, 4.3: Go to SettingsAbout phone, press Build number
7 times to enable developer options
For Eclipse:
Make sure youve enabled LogCat, Devices views. Click a
connected device in Devices to see its log
Programs should log states via android.util.Logs
Log.d(APP_TAG_STR,
debug), where APP_TAG_STR is a
final String tag denoting your app
Other commands: Log.e() (error); Log.i() (info); Log.w()
(warning); Log.v() (verbose) same parameters
Creating Android App (1)
Creating Android app
project in Eclipse:
Go to
FileNewOther,
select Android Application
Project (Android folder),
click Next
Enter app, project name
Choose package name
using reverse URL
notation, e.g.,
edu.osu.myapp
Select APIs for app, then
click Next
Creating Android App (2)
Click Next for the next
two windows
Youll see the Create
Activity window.
Select Blank Activity
and click Next.
Enter Activitys name
and click Finish
This automatically
creates Hello World
app
Deploying the App
Two choices for deployment:
Real Android device
Android virtual device
Plug in your real device;
otherwise, create an Android
virtual device
Emulator is slow. Try Intel
accelerated version, or perhaps
http://www.genymotion.com/
Run the app: right click project
name, select Run AsAndroid
Application
Underlying Source Code
src//MainActivity.java
package
edu.osu.helloandroid;
import
android.os.Bundle;
import
android.app.Activity;
import
android.view.Menu;
public
class
MainActivity
extends
Activity
{
@Override
protected
void
onCreate(Bundle
savedInstanceState)
{
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
}
@Override
public
boolean
onCreateOptionsMenu(Menu
menu)
{
//
Inflate
the
menu;
this
adds
items
to
the
action
bar
if
it
is
present.
getMenuInflater().inflate(R.menu.main,
menu);
return
true;
}
}
Underlying GUI Code
res/layout/activity_main.xml
<RelativeLayout
xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:paddingBottom="@dimen/activity_vertical_margin"
android:paddingLeft="@dimen/activity_horizontal_margin"
android:paddingRight="@dimen/activity_horizontal_margin"
android:paddingTop="@dimen/activity_vertical_margin"
tools:context=".MainActivity"
>
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="@string/hello_world"
/>
</RelativeLayout>
RelativeLayouts are quite complicated. See [13] for details
The App Manifest
AndroidManifest.xml
<?xml
version="1.0"
encoding="utf-8"?>
<manifest
xmlns:android="http://schemas.android.com/apk/res/android"
package="edu.osu.helloandroid"
android:versionCode="1"
android:versionName="1.0"
>
<uses-sdk
android:minSdkVersion="8"
android:targetSdkVersion="17"
/>
<application
android:allowBackup="true"
android:icon="@drawable/ic_launcher"
android:label="@string/app_name"
android:theme="@style/AppTheme"
>
<activity
android:name="edu.osu.helloandroid.MainActivity"
android:label="@string/app_name"
>
<intent-filter>
<action
android:name="android.intent.action.MAIN"
/>
<category
android:name="android.intent.category.LAUNCHER"
/>
</intent-filter>
</activity>
</application>
</manifest>
A More Interesting App
Well now examine an
app with more features:
WiFi Tester (code on
class website)
Press a button, scan for
WiFi access points
(APs), display them
Underlying Source Code (1)
@Override
public
void
onCreate(Bundle
savedInstanceState)
{
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_wi_fi);
//
Set
up
WifiManager.
mWifiManager
=
(WifiManager)
getSystemService(Context.WIFI_SERVICE);
//
Create
listener
object
for
Button.
When
Button
is
pressed,
scan
for
//
APs
nearby.
Button
button
=
(Button)
findViewById(R.id.button);
button.setOnClickListener(new
View.OnClickListener()
{
public
void
onClick(View
v)
{
boolean
scanStarted
=
mWifiManager.startScan();
}
});
//
Set
up
IntentFilter
for
"WiFi
scan
results
available"
Intent.
mIntentFilter
=
new
IntentFilter();
mIntentFilter.addAction(WifiManager.SCAN_RESULTS_AVAILABLE_ACTION);
//
If
the
scan
failed,
log
it.
if
(!scanStarted)
Log.e(TAG,
"WiFi
scan
failed...");
Underlying Source Code (2)
Code much more complex
First get system WifiManager
Create listener Object for button that
performs scans
We register Broadcast Receiver,
mReceiver, to listen for
WifiManagers finished scan system
event (expressed as Intent
WifiManager.SCAN_RESULTS_
AVAILABLE_ACTION)
Unregister Broadcast Receiver when
leaving Activity
@Override
protected
void
onResume()
{
super.onResume();
registerReceiver(mReceiver,
mIntentFilter);
}
@Override
protected
void
onPause()
{
super.onPause();
unregisterReceiver(mReceiver);
}
The Broadcast Receiver
private
final
BroadcastReceiver
mReceiver
=
new
BroadcastReceiver()
{
@Override
public
void
onReceive(Context
context,
Intent
intent)
{
String
action
=
intent.getAction();
if
(WifiManager.SCAN_RESULTS_AVAILABLE_ACTION.equals(action))
{
Log.e(TAG,
"Scan
results
available");
List<ScanResult>
scanResults
=
mWifiManager.getScanResults();
mApStr
=
"";
for
(ScanResult
result
:
scanResults)
{
mApStr
=
mApStr
+
result.SSID
+
";
";
mApStr
=
mApStr
+
result.BSSID
+
";
";
mApStr
=
mApStr
+
result.capabilities
+
";
";
mApStr
=
mApStr
+
result.frequency
+
"
MHz;";
mApStr
=
mApStr
+
result.level
+
"
dBm\n\n";
}
//
Update
UI
to
show
all
this
information.
setTextView(mApStr);
}
}
};
User Interface
Updating UI in code
private
void
setTextView(String
str)
{
TextView
tv
=
(TextView)
findViewById(R.id.textview);
tv.setMovementMethod(new
ScrollingMovementMethod());
tv.setText(str);
}
This code simply has the UI display
all collected WiFi APs, makes the
text information scrollable
UI Layout (XML)
<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">
<Button
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:id="@+id/button"
android:text="@string/button_text"/>
<TextView
android:id="@+id/header"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:text="@string/ap_list"
tools:context=".WiFiActivity"
android:textStyle="bold"
android:gravity="center">
</TextView>
<TextView
android:layout_width="fill_parent"
android:layout_height="fill_parent"
tools:context=".WiFiActivity"
android:id="@+id/textview"
android:scrollbars="vertical">
</TextView>
</LinearLayout>
Android Programming Notes
Android apps have multiple points of entry: no main() method
Cannot sleep in Android
During each entrance, certain Objects may be null
Defensive programming is very useful to avoid crashes, e.g.,
if
(!(myObj
==
null))
{
//
do
something
}
Java concurrency techniques are required
Dont block the main thread in Activities
Implement long-running tasks such as network connections
asynchronously, e.g., as AsyncTasks
Recommendation: read [4]; chapter 20 [10]; [11]
Logging state via android.util.Log throughout app is essential
when debugging (finding root causes)
Better to have too many permissions than too few
Otherwise, app crashes due to security exceptions!
Remove unnecessary permissions before releasing app to public
Event handling in Android GUIs entails many listener Objects
Concurrency: Threads (1)
Thread: program unit (within process) executing independently
Basic idea: create class that implements Runnable interface
Runnable has one method, run(), that contains code to be executed
Example:
public
class
OurRunnable
implements
Runnable
{
public
void
run()
{
//
run
code
}
}
Create a Thread object from Runnable and start() Thread, e.g.,
Runnable
r
=
new
OurRunnable();
Thread
t
=
new
Thread(r);
t.start();
Problem: this is cumbersome unless Thread code is reused
Concurrency: Threads (2)
Easier approach: anonymous inner classes, e.g.,
Thread
t
=
new
Thread(new
Runnable(
{
public
void
run()
{
//
code
to
run
}
});
t.start();
Idiom essential for one-time network connections in
Activities
However, Threads can be difficult to synchronize,
especially with UI thread in Activity. AsyncTasks are
better suited for this
Concurrency: AsyncTasks
AsyncTask encapsulates asynchronous task that interacts with UI thread
in Activity:
public
class
AsyncTask<Params,
Progress,
Result>
{
protected
Result
doInBackground(ParamType
param)
{
//
code
to
run
in
background
publishProgress(ProgressType
progress);
//
UI
return
Result;
}
protected
void
onProgressUpdate(ProgressType
progress)
{
//
invoke
method
in
Activity
to
update
UI
}
}
Extend AsyncTask with your own class
Documentation at http://developer.android.com
Thank You
Any questions?
References (1)
1.
2.
3.
4.
5.
6.
7.
8.
9.
C. Horstmann, Big Java Late Objects, Wiley, 2012. Online: http://proquest.safaribooksonline.
com.proxy.lib.ohiostate.edu/book//9781118087886
J. Bloch, Effective Java, 2nd ed., AddisonWesley, 2008. Online: http://proquest.
safaribooksonline.com.proxy.lib.ohiostate.edu/book/programming/java/9780137150021
S.B. Zakhour, S. Kannan, and R. Gallardo, The Java Tutorial: A Short Course on the Basics,
5th ed., AddisonWesley, 2013. Online: http://proquest.safaribooksonline.com.proxy.lib.
ohiostate.edu/book/programming/java/9780132761987
C. Collins, M. Galpin, and M. Kaeppler, Android in Practice, Manning, 2011. Online:
http://proquest.safaribooksonline.com.proxy.lib.ohiostate.edu/book/programming/android/
9781935182924
M.L. Sichitiu, 2011, http://www.ece.ncsu.edu/wireless/MadeInWALAN/AndroidTutorial/PPTs/
javaReview.ppt
Oracle, http://docs.oracle.com/javase/1.5.0/docs/api/index.html
Wikipedia, https://en.wikipedia.org/wiki/Vehicle_Identification_Number
Nielsen Co., Whos Winning the U.S. Smartphone Market?, 6 Aug. 2013,
http://www.nielsen.com/us/en/newswire/2013/whos-winning-the-u-s-smartphone-market-.html
Android Open Source Project, http://www.android.com
References (2)
10.
11.
12.
13.
http://bcs.wiley.com/he-bcs/Books?action=index&itemId=1118087887&bcsId=7006
B. Goetz, T. Peierls, J. Bloch, J. Bowbeer, D. Holmes, and D. Lea, Java Concurrency in
Practice, Addison-Wesley, 2006, online at
http://proquest.safaribooksonline.com/book/programming/java/0321349601
https://developer.android.com/guide/components/activities.html
https://developer.android.com/guide/topics/ui/declaring-layout.html#CommonLayouts