1. Code
  2. Coding Fundamentals

Learn Java for Android Development: Java Syntax

Scroll to top
This post is part of a series called Learn Java for Android Development.
Learn Java for Android Development: Introduction to Java
Learn Java for Android Development: Checking Object Type with Instanceof

In this tutorial series, you’ll become familiar with Java, the programming language used to develop Android applications.

Our goal is to prepare those already familiar with one programming language, such as PHP or Objective-C, to become comfortable working with the Java programming language and dive into Android app development.

In this specific tutorial, you’ll learn the basics of Java syntax, including how to create comments, define variables, craft conditional statements, and iterate using loops. If you’re new to Java or just looking to brush up on the details, then this is the tutorial series for you!

Getting Started

As far as prerequisites go, we’re not going to make many assumptions about your programming experience. We are going to assume you understand how to program (perhaps in PHP, Visual Basic, or C++), but that you are unfamiliar with the specifics of programming in the Java language.

We’re not going to go into the details of why you would want to do a for-loop versus a while-loop, but we will show you, in Java, the syntax of both types of loops. Said another way, we aren’t going to teach you to program; we’re going to provide you with clear examples of commonly used Java language constructs and principles, while pointing out some Android-specific tips and tricks.

What You’ll Need

Technically, you don’t need any tools to complete this tutorial, but you will certainly need them to develop Android applications.

To develop Android applications (or any Java applications, for that matter), you need a development environment to write and build applications. Android Studio is the official Integrated Development Environment (IDE) for Android app development.

It includes an Android Emulator (for simulating devices), an intelligent code editor, and other helpful features for Android development. It’s also freely available for Windows, Mac, and Linux operating systems.

For complete instructions on how to install Android Studio, see the Android developer website.

Now let’s look at some helpful Java syntax.

Comments

Most programming languages allow for comments, and Java is no different. You can encapsulate any number of lines of text by beginning your comment with /* and ending your comment with */. For example:

1
/*    MULTILINE

2
COMMENT  */

You can also provide comments after code on a single line using //. For example:

1
int x = 7;        // First variable called x equals seven

2
int y = 8;    // Second variable called y equals eight

3
int result = x + y;    // The result variable value should equal 15

Java also has a standard type of comments called Javadoc that can be used to not only comment code, but also easily create code documentation. This topic is rather large on its own, but here's an example of what Javadoc comments look like:

1
/** This method does something interesting

2
 *

3
 * @param someValue processed and returned

4
 * @param option changes the type of processing done to someValue

5
 * @return The result of someValue being processed

6
 */
7
public int sampleMethod(int someValue, boolean option) {
8
    //…

9
}

In the above comment, @param describes the function's parameters, and @return describes the function's return value (that is, the value that sampleMethod is going to return after processing the parameters).

Variables

A variable is simply a piece of data. Java variables generally fall into two categories:

  • primitive data types, like int, float, double, char, etc.
  • Java objects (as defined by a class definition)

Variables are used for different purposes. Sometimes, variables are used to store values that can change or be modified over time. For example, a variable called "counter" might be incremented on occasion.

Other variables, notably class variables that remain the same for all instances of a given class, should be defined using the static keyword. At other times, variables might represent constants—these variables should use the final keyword to show that they do not change over time.

A variable is only valid within its territory, or scope. Variable scope is often controlled by curly braces { }. When a variable is defined, it is valid within those braces. If you try to access a variable outside of the braces, it will be undefined. Class member variables in object-oriented languages are often called attributes. They can also be called fields or properties.

As with other common programming languages, you’ve got your assignment operator, the equals sign:

1
int i = 5;

You’ve also got your arithmetic operators like +, -, *, /. Remember to use parentheses to force the order of operations as necessary:

1
int result = (a + b) / c;

Finally, you have your typical unary operators, which allow you to modify a single variable with a simple statement:

1
iPositive++;    // increment by one; equivalent to iPositive = iPositive + 1;

2
iPositive --; // decrement by one; equivalent to iPositive = iPositive - 1;

Note that the increment (++) and decrement (--) operators can be prefix or postfix, meaning that the increment can be executed before or after any conditionals are determined, if the item is used in a loop. Generally, we like to stick to postfix statements so that the code is more readable.

Primitive Data Types

Let’s look at some of the primitive data types available in the Java programming language:

  • byte: an 8-bit signed integer between -128 and 127. Often used for arrays.
  • short: a 16-bit signed integer between -32,768 and 32,767. Again, often used for arrays.
  • int: a 32-bit signed integer between -2,147,483,648 and 2,147,483,647. This is the most commonly used “number” variable.
  • long: a 64-bit signed integer between -9,223,372,036,854,775,808 and 9,223,372,036,854,775,807. Used when the int data type isn’t big enough.
  • float: a single precision 32-bit floating point number.
  • double: a double-precision 64-bit floating point number. Use this data type for decimal values.
  • boolean: has only two possible values: true and false. Use this data type for conditional statements.
  • char: a single 16-bit Unicode character.

Primitive types variables can be defined by specifying the datatype, followed by the variable name, then an equals sign and an initial value. All Java statements end with a semicolon. For example, the following Java statement defines a variable called iVal, with an initial value of 1:

1
int iVal = 1;

As in many other languages, you can define a zero-based array of a specific data type. For example, the following defines an array of three integer values (first four powers of 2):

1
int[] aiPowersOfTwo;
2
aiPowersOfTwo = new int[4];
3
aiPowersOfTwo [0] = 1;    //  2^0=1

4
aiPowersOfTwo [1] = 2;    //  2^1=2

5
aiPowersOfTwo [2] = 4;    //  2^2=4

6
aiPowersOfTwo [3] = 8;    //  2^3=8

Commonly Used Java Objects

The Java libraries provide a number of helpful objects for use with common data structures.

All objects are derived from the Object class. There are class counterparts for all primitive data types. For example, the Integer class encapsulates an int value and provides a number of helpful methods for manipulating integer data values. Let's see this in code.

The following Java code instantiates an integer variable called iVal, then creates an Integer object using a constructor that takes an integer, and then uses a handle method available in the Integer class to extract a float variable equivalent.

1
int iVal = 1;
2
Integer integ1= new Integer(iVal);
3
float f = integ1.floatValue();

Perhaps the most common object you’ll use in Android applications is the String. The String class is used to encapsulate human-readable text characters, which are often displayed on the screen. If you are modifying or building strings up from smaller parts, you’ll also want to check out the StringBuffer and StringBuilder classes.

1
String strHello = new String("Hello World");

For a list of common Java data types, the Android reference includes documentation for the java.lang package. You can also find the common input/output objects in the java.io package.

For more complex data structures like lists, queues, stacks, dates, and times, appropriate classes are in the java.util package.

Finally, Android applications rely on a number of helpful classes that define the commonly used application components, like Activity, Application, Dialog, and Service. These classes can be found in the android.app package.

Class Permissions and Access

You can control the visibility of a class as well as its variables and methods by specifying an item’s access level. The access levels are public, protected, default, and private.

Generally speaking, if you want something to be accessible from outside a class, use public. If a method or variable should only be accessible from the class itself, use private. Use protected when the class or any of its subclasses need access. Finally, use default if the method or variable should only be accessible from within the package and not outside of it (this is the case by default).

For example, the following SillySensor class definition defines several variables and methods with different access levels:

  • A class variable called sensorData, which is only visible within the class.
  • A public constructor that can be called outside the class. 
  • A private method called calibrate(), which can only be called from within the class itself.
  • A protected method called seedCalibration(), which can be called from within the class itself, or by a subclass (that is, a class that "extends" it).
  • A public method called getSensorData(), which can be called from anywhere, allowing for “read-only” access to the sensorData variable.
1
public class SillySensor
2
{
3
    private int sensorData;
4
5
    public SillySensor()
6
    {
7
        sensorData=0;
8
    }
9
10
    private void calibrate(int iSeed)
11
    { 
12
        // Calibrate here

13
    }
14
15
    protected void seedCalibration(int iSeed)
16
    {
17
        calibrate(iSeed);
18
    }
19
20
    public int getSensorData()
21
    {
22
        // Check sensor here

23
24
        return sensorData;
25
    }
26
27
}       
28
29
30
// Now that we're outside the class, you can't access these three fields: 

31
SillySensor obj = new SillySensor()      
32
obj.calibrate()      
33
obj.sensorData      
34
obj.seedCalibration()  
35
36
// Only the public fields can be accessed when an object is created:   

37
SillySensor obj = new SillySensor()      
38
obj.getSensorData()

Now on to default. If you fail to state any access modifier for a class, method, or variable, then the default modifier will be automatically applied to it, meaning it'll also be accessible to classes within the same package. For example:

1
package myPackage;
2
3
class PrintSomething {
4
    void message(){
5
        System.out.println("I am printing something");
6
    }
7
}

Here, the PrintSomething class uses the default access modifier. As a result, it is visible to all the classes that are part of the myPackage package. But if we attempt to use PrintSomething in a class outside of myPackage, we'll get a compilation error.

Conditionals

Java includes conditional statements, which can be used to execute snippets of code if, and only if, certain conditions are met. Typically, a conditional statement involves two sides. If the two sides are equivalent, the statement is true; otherwise, it is false.

Java has all the typical conditional operators, such as:

  • ==: equal to
  • !=: not equal to
  • >: greater than
  • >=: greater than or equal to
  • <: less than
  • <=: less than or equal to

And when you need to combine multiple conditional statements into a single larger conditional test, you can use and (&&) and or (||). For example:

  • ((a==b)&& (a==c)) is true only if A is equal to B and equal to C
  • ((a==b) || (a==c)) is true only if A is equal to B or equal to C

Java has bitwise operators (&, |, ^), shifts (>>, <<), and a complement (~) operator as well, should you need them. See the Java documentation for more details.

Now that you know how to craft a conditional statement, you can create conditional code segments. The simplest form of a conditional code statement is the if statement:

1
boolean condition = true;
2
if(condition==true)
3
{
4
    // Execute this code only if  condition variable is true

5
}

If you want to provide alternative code to run if the condition is not met, then use the else clause with the if statement:

1
boolean condition = true;
2
if(condition==true)
3
{
4
    // Execute this code only if condition variable value is true

5
} else {
6
    // Execute this code only if condition variable value is false

7
}

If you want to handle more than two cases, you can use cascading if-else-if-else statements, like this:

1
if(iVar==0) {
2
    // variable is zero

3
} else if (iVar > 0) {
4
    // variable is a positive number

5
} else {
6
    // variable is a negative number

7
}

Switch Case Statements

When you have a number of different code paths possible that branch from a single variable value, you can use a switch statement. With a switch statement, you supply the variable to check for and provide numerous options to execute for specific cases.

You can also supply a default option to execute if no other cases apply. Each case can be terminated with a break statement. If a break statement is not supplied, the code will continue executing into the next case statement.

1
        char singleChar = 'z';
2
        switch(singleChar) {
3
        case 'a':
4
        case 'e':
5
        case 'i':
6
        case 'o':
7
        case 'u':
8
            // singleChar is a vowel! Execute this code!

9
            break;
10
        default:
11
             // singleChar is a consonant! Execute this code instead!

12
             break;
13
        }

Loops

When you want to execute code repeatedly, or using recursion (heh, look that one up if you don’t know what we’re talking about), Java has support for several different kinds of loops.

To loop continuously provided that a statement is true, use a while loop:

1
int numItemsToProcess = 3;
2
while(numItemsToProcess > 0)
3
{
4
    // process an item

5
    numItemsToProcess--;
6
}

If you want to evaluate the conditional loop expression after the first iteration, you can use a do-while loop instead:

1
do
2
{
3
    // check for items to process, update numItemsToProcess as required

4
    // process item, updated numItemsToProcess

5
} while (numItemsToProcess > 0);

Finally, if you want to loop for a specific number of iterations, you can use a for loop. A for loop has three parameters: the initial value, the terminating value, and the incrementing value. For example, to execute a loop 100 times, printing the numbers 1 through 100, you could use the following for loop:

1
for(int i = 1; i <=100; i++)
2
{
3
    // print i

4
}

Note: You can also use a break statement to get out of a while(), do-while() or for() loop when necessary. You can also use a continue statement to skip the rest of a current iteration of a loop and move on to the next iteration (reevaluating the conditional expression, of course).

Passing by Value vs. by Reference

There are no pointers in Java. Ok, ok, go ahead and breathe a sigh of relief. Life is hard enough without pointers mucking things up, right?

Ok, now it’s time to pay attention again. In Java, method parameters are passed by value. However, when a method parameter is an object (that is, anything except a primitive type), only a reference to that object is passed into the method—much like pointers, sorry!

Therefore, in order to modify the object passed into a given method, you generally pass in the object reference, and then act upon it, which modifies the underlying data of the object you passed in. You cannot, however, swap out the object itself. Here’s a quick example:

Here, we have a class called Cat:

1
public class Cat {
2
    private String mCatName;
3
4
    Cat(String name) {
5
        mCatName=name;
6
    }
7
8
    public String getName() {
9
        return mCatName;
10
    };
11
12
    public void setName(String strName) {
13
        mCatName = strName;
14
    };
15
}

So in the class we have the constructor which sets the name, the method getName which gets the stored name, and the method setName which sets a new name.

Now, let’s try to use this class and pass a Cat object into some functions and see what happens:

1
    void messWithCat(Cat kitty) {
2
        kitty = new Cat("Han");
3
    }
4
5
    void changeKitty(Cat kitty) {
6
        kitty.setName("Wookie");
7
    }
8
9
    Cat haveKitten()
10
    {
11
        Cat kitten = new Cat("Luke");
12
        return kitten;
13
    }

Finally, let’s call these methods and see how they act upon Cat object instances:

1
Cat cat1 = new Cat("Jabba");
2
Cat cat2 = new Cat("Leia");
3
4
cat1.getName();    // Returns Jabba

5
cat2.getName();    // Returns Leia

6
messWithCat(cat1);
7
changeKitty(cat2);
8
Cat cat3 = haveKitten();
9
cat1.getName();    // Returns Jabba – Note that object remains unchanged!

10
cat2.getName();    // Returns Wookie

11
cat3.getName();    // Returns Luke

Wrapping Up

You've just completed a crash course in the Java programming language. While you may not be ready to write your first Java app, you should be able to work through the simplest of the Android sample application Java classes and determine what they’re up to, at least in terms of Java syntax.

The first class you’re going to want to look into for Android development is the Activity class. An Android application uses activities to define different runtime tasks, and therefore you must define an Activity to act as the entry point to your application. Now that you’ve got a handle on Java syntax, we highly recommend that you work through a beginner Android tutorial.

You’ve only scratched the surface of Java development for Android development. Feel free to browse through our Java courses to learn more about mobile app development.

Did you find this post useful?
Want a weekly email summary?
Subscribe below and we’ll send you a weekly email summary of all new Code tutorials. Never miss out on learning about the next big thing.
Looking for something to help kick start your next project?
Envato Market has a range of items for sale to help get you started.