KEMBAR78
Java Variables Explained | PDF | Control Flow | Boolean Data Type
0% found this document useful (0 votes)
520 views165 pages

Java Variables Explained

This document discusses Java variables and how to declare and use different variable types such as int, double, and float to store numeric values. It provides examples of declaring integer (int) variables and assigning whole number values to them. It also demonstrates how to perform basic arithmetic operations like addition, subtraction, multiplication and division on variable values. The key points are: 1) Java variables are used to store and manipulate data in memory and must be declared with a type and name. 2) Whole numbers are stored in int variables while fractional numbers use double or float. 3) Values can be assigned to variables using the = operator and basic math can be done using +, -, *, / operators.
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
520 views165 pages

Java Variables Explained

This document discusses Java variables and how to declare and use different variable types such as int, double, and float to store numeric values. It provides examples of declaring integer (int) variables and assigning whole number values to them. It also demonstrates how to perform basic arithmetic operations like addition, subtraction, multiplication and division on variable values. The key points are: 1) Java variables are used to store and manipulate data in memory and must be declared with a type and name. 2) Whole numbers are stored in int variables while fractional numbers use double or float. 3) Values can be assigned to variables using the = operator and basic math can be done using +, -, *, / operators.
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 165

Java Variables

programs work by manipulating data placed in memory. The data can be numbers, text, objects,
pointers to other memory areas, and more besides. The data is given a name, so that it can be recalled whenever it is need. The name, and its value, is known as a Variable. We'll start with
number values.
To store a number in java, you have lots of options. Whole numbers such as 8, 10, 12, etc, are
stored using the int variable. (The int stands for integer.) Floating point numbers like 8.4, 10.5,
12.8, etc, are stored using the double variable. You do the storing with an equals sign ( = ). Let's
look at some examples (You can use your FirstProject code for these examples).
To set up a whole number (integer), add the following to the main method of your project from
the previous section:
public static void main(String[ ] args) {
int first_number;
System.out.println("My First Project");
}
So to tell Java that you want to store a whole number, you first type the word int, followed by a
space. You then need to come up with a name for your integer variable. You can call them almost
anything you like, but there are a few rules:

Variable names can't start with a number. So first_number is OK, but not 1st_number.
You can have numbers elsewhere in the variable name, just not at the start.

Variable names can't be the same as Java keywords. There are quite a lot of these, and
they will turn blue in NetBeans, like int above.

You can't have spaces in your variable names. The variable declaration int first number
will get you an error. We've used the underscore character, but it's common practise to
have the first word start with a lowercase letter and the second or subsequent words in
uppercase: firstNumber, myFirstNumber

Variable names are case sensitive. So firstNumber and FirstNumber are different variable
names.

To store something in the variable called first_number, you type an equals sign and then the
value you want to store:
public static void main(String[ ] args) {
int first_number;
first_number = 10;
System.out.println("My First Project");
}
So this tells java that we want to store a value of 10 in the integer variable that we've called
first_number.
If you prefer, you can do all this on one line:
public static void main(String[ ] args) {
int first_number = 10;
System.out.println("My First Project");
}
To see all this in action, change the println method slightly to this:
System.out.println( "First number = " + first_number );
What we now have between the round brackets of println is some direct text enclosed in double
quotes:
("First number = "
We also have a plus sign, followed by the name of our variable:
+ first_number );
The plus sign means "join together". So we're joining together the direct text and the name of our
variable. The joining together is known as concatenation.
Your coding window should now look like this (note how each line of code ends with a
semicolon):

Run your program and you should see the following in the Output window at the bottom:

So the number that we stored in the variable called first_number is output after the equals sign.
Let's try some simple addition. Add two more int variables to your code, one to store a second
number, and one to store an answer:
int first_number, second_number, answer;
Notice how we have three variable names on the same line. You can do this in Java, if the
variables are of the same type (the int type, for us). Each variable name is then separated by a
comma.
We can then store something in the new variables:
first_number = 10;
second_number = 20;
answer = first_number + second_number;
For the answer variable, we want to add the first number to the second number. Addition is done
with the plus ( + ) symbol. Java will then add up the values in first_number and second_number.
When it's finished it will store the total in the variable on the left of the equals sign. So instead of
assigning 10 or 20 to the variable name, it will add up and then do the assigning. In case that's
not clear, here's what happens:

The above is equivalent to this:


answer = 10 + 20;
But Java already knows what is inside of the two variables, first_number and second_number, so
you can just use the names.
Now change your println method slightly to this:
System.out.println("Addition Total = " + answer );
Again, we are combining direct text surrounded by double quotes with a variable name. Your
coding window should look like this:

When you run your program you should get the following in the output window:

So our program has done the following:

Stored one number

Stored a second number

Added these two numbers together

Stored the result of the addition in a third variable

Printed out the result

You can also use numbers directly. Change the answer line to this:
answer = first_number + second_number + 12;
Run your program again. What printed out? Was it what you expected?
You can store quite large numbers in the int variable type. The maximum value is 2147483647.
If you want a minus number the lowest value you can have is -2147483648. If you want larger or
smaller numbers you can use another number variable type: double. You'll meet them in the next
part of the course.
The Double Variable

The double variable can hold very large (or small) numbers. The maximum and minimum values
are 17 followed by 307 zeros.
The double variable is also used to hold floating point values. A floating point value is one like
8.7, 12.5, 10.1. In other words, it has a "point something" at the end. If you try to store a floating
point value in an int variable, NetBeans will underline the faulty code. If you try to run the
program, the compiler will throw up an error message.
Let's get some practise using doubles.
Change the int from your previous code to double. So change this:
int first_number, second_number, answer;
to this:
double first_number, second_number, answer;

Now change the values being stored:


first_number = 10.5;
second_number = 20.8;
Leave the rest of the program as it is. Your coding window should look like this:

Run your program again. The output window should look like this:

Try changing the values stored in first_number and second_number. Use any values you like.
Run your program and see what happens.
In the next part, you'll learn about two more Java variable types: short and float.

Short and Float Variables

Two more variable types you can use are short and float. The short variable type is used to store
smaller number, and its range is between minus 32,768 and plus 32,767. Instead of using int in
our code on the previous pages, we could have used short instead. You should only use short if
you're sure that the values that you want to hold don't go above 32, 767 or below -32,768.
The double value we used can store really big numbers of the floating point variety. Instead of
using double, float can be used. When storing a value in a float variable, you need the letter "f"
at the end. Like this:
float first_number, second_number, answer;
first_number = 10.5f;
second_number = 20.8f;
So the letter "f" goes after the number but before the semicolon at the end of the line. To see the
difference between float and double, see below.

Simple Arithmetic

With the variables you've been using, you can use the following symbols to do calculations:
+ (the plus sign)
- (the minus sign)
* (the multiplication sign is the asterisk sign)
/ (the divide sign is the forward slash)
Try this exercise:
Delete the plus symbol that is used to add first_number and second_number. Replace it with the
symbols above, first the minus sign, then the multiplication sign, and then the divide. The answer
to the final one, the divide, should give you a really big number.

The number you should get for divide is 0.5048076923076923. This is because you used the
double variable type. However, change the double to float. Then add the letter "f" to the end of
the numbers. So your code should look like this:

When you run the above code, the answer is now 0.5048077. Java has taken the first 6 numbers
after the point and then rounded up the rest. So the double variable type can hold more numbers
than float. (Double is a 64 bit number and float is only 32 bit.)
In the next lesson, you'll learn about the importance of Operator Precedence.

Operator Precedence
You can, of course, calculate using more than two numbers in Java. But you need to take care of
what exactly is being calculated. Take the following as an example:
first_number = 100;
second_number = 75;
third_number = 25;
answer = first_number - second_number + third_number;
If you did the calculation left to right it would be 100 - 75, which is 25. Then add the third
number, which is 25. The total would be 50. However, what if you didn't mean that? What if you
wanted to add the second and third numbers together, and then deduct the total from the first
number? So 75 + 25, which is 100. Then deduct that from the first number, which is 100. The
total would now be 0.
To ensure that Java is doing what you want, you can use round brackets. So the first calculation
would be:
answer = (first_number - second_number) + third_number;
Here's the coding window so that you can try it out:

The second calculation is this:


answer = first_number - (second_number + third_number);
And here's the code window:

Now let's try some multiplication and addition.


Change your math symbols (called Operators) to plus and multiply:
answer = first_number + second_number * third_number;
Delete all your round brackets, and then run your programme.
With no brackets, you'd think Java would calculate from left to right. So you'd think it would add
the first number to the second number to get 175. Then you'd think it would multiply by the third
number, which is 25. So the answer would be 4375. Run the programme, though. The answer
that you actually get is 1975! So what's going on?
The reason Java got the "wrong" answer was because of Operator Precedence. Java treats some
mathematical symbols as more important than others. It sees multiplication as having a priority
over addition, so it does this first. It then does the addition. So Java is doing this:

answer = first_number + (second_number * third_number);


With the round brackets in place, you can see that second number is being multiplied by third
number. The total is then added to the first number. So 75 multiplied by 25 is 1875. Add 100 and
you get 1975.
If you want it the other way round, don't forget to "tell" Java by using round brackets:
answer = (first_number + second_number) * third_number;
Division is similar to multiplication: Java does the dividing first, then the addition or subtraction.
Change your answer line to the following:
answer = first_number + second_number / third_number;
The answer you get is 103. Now add some round brackets:
answer = (first_number + second_number) / third_number;
The answer this time will be 7. So without the round brackets, Java does the dividing first, and
then adds 100 to the total - it doesn't work from left to right.
Here's a list on Operator Precedence

Multiply and Divide - Treated equally, but have priority over Addition and Subtraction

Add and Subtract - Treated equally but have a lower priority than multiplication and
division

So if you think Java is giving you the wrong answer, remember that Operator Precedence is
important, and add some round brackets.
In the next part, we'll take a look at how to store text values using Java.

String Variables

As well as storing number values, variables can hold text. You can store just one character, or
lots of characters. To store just one character, the char variable is used. Usually, though, you'll
want to store more than one character. To do so, you need the string variable type.
Start a new project for this by clicking File > New Project from the menu bar at the top of
NetBeans. When the New Project dialogue box appears, make sure Java and Java Application
are selected:

Click Next and type StringVars as the Project Name. Make sure there is a tick in the box for
Create Main Class. Then delete Main after stringvars, and type StringVariables instead, as in
the following image:

So the Project Name is StringVars, and the Class name is StringVariables. Click the Finish
button and your coding window will look like this (we've deleted all the default comments).
Notice how the package name is all lowercase (stringvars) but the Project name was StringVars.

To set up a string variable, you type the word String followed by a name for your variable. Note
that there's an uppercase "S" for String. Again, a semicolon ends the line:
String first_name;
Assign a value to your new string variable by typing an equals sign. After the equals sign the text
you want to store goes between two sets of double quotes:
first_name = "William";
If you prefer, you can have all that on one line:

String first_name = "William";


Set up a second string variable to hold a surname/family name:
String family_name = "Shakespeare";
To print both names, add the following println( ):
System.out.println( first_name + " " + family_name );
In between the round brackets of println, we have this:
first_name + " " + family_name
We're saying print out whatever is in the variable called first_name. We then have a plus
symbol, followed by a space. The space is enclosed in double quotes. This is so that Java will
recognise that we want to print out a space character. After the space, we have another plus
symbol, followed by the family_name variable.
Although this looks a bit messy, we're only printing out a first name, a space, then the family
name. Your code window should look like this:

Run your program and you should see this in the Output window:

If you are storing just a single character, then the variable you need is char (lowercase "c"). To
store the character, you use single quotes instead of double quotes. Here's our program again, but
this time with the char variable:

If you try to surround a char variable with double quotes, NetBeans will underline the offending
code in red, giving you "incompatible type" errors. You can, however, have a String variable with
just a single character. But you need double quotes. So this is OK:
String first_name = "W";
But this is not:
String first_name = 'W';
The second version has single quotes, while the first has double quotes.
There are lot more to strings, and you'll meet them again later. For now, let's move on and get
some input from a user.
Accepting Input from a User

One of the strengths of Java is the huge libraries of code available to you. This is code that has
been written to do specific jobs. All you need to do is to reference which library you want to use,
and then call a method into action. One really useful class that handles input from a user is called
the Scanner class. The Scanner class can be found in the java.util library. To use the Scanner
class, you need to reference it in your code. This is done with the keyword import.
import java.util.Scanner;
The import statement needs to go just above the Class statement:
import java.util.Scanner;
public class StringVariables {

}
This tells java that you want to use a particular class in a particular library - the Scanner class,
which is located in the java.util library.
The next thing you need to do is to create an object from the Scanner class. (A class is just a
bunch of code. It doesn't do anything until you create a new object from it.)
To create a new Scanner object the code is this:
Scanner user_input = new Scanner( System.in );
So instead of setting up an int variable or a String variable, we're setting up a Scanner variable.
We've called ours user_input. After an equals sign, we have the keyword new. This is used to
create new objects from a class. The object we're creating is from the Scanner class. In between
round brackets we have to tell java that this will be System Input (System.in).
To get the user input, you can call into action one of the many methods available to your new
Scanner object. One of these methods is called next. This gets the next string of text that a user
types on the keyboard:
String first_name;
first_name = user_input.next( );
So after our user_input object we type a dot. You'll then see a popup list of available methods.
Double click next and then type a semicolon to end the line. We can also print some text to
prompt the user:
String first_name;
System.out.print("Enter your first name: ");
first_name = user_input.next( );
Notice that we've used print rather than println like last time. The difference between the two is
that println will move the cursor to a new line after the output, but print stays on the same line.
We'll add a prompt for a family name, as well:
String family_name;
System.out.print("Enter your family name: ");
family_name = user_input.next( );

This is the same code, except that java will now store whatever the user types into our
family_name variable instead of our first_name variable.
To print out the input, we can add the following:
String full_name;
full_name = first_name + " " + family_name;
System.out.println("You are " + full_name);
We've set up another String variable, full_name. We're storing whatever is in the two variables
first_name and family_name. In between the two, we've added a space. The final line prints it
all out in the Output window.
So adapt your code so that it matches that in the next image:

Run your program until your Output window displays the following:

Java is now pausing until you enter something on your keyboard. It won't progress until you hit
the enter key. So left click after "Enter your first name:" and you'll see your cursor flashing away.
Type a first name, and then hit the enter key on your keyboard.
After you hit the enter key, java will take whatever was typed and store it in the variable name to
the left of the equals sign. For us, this was the variable called first_name.
The program then moves on to the next line of code:

Type a family name, and hit the enter key again:

The user input has now finished, and the rest of the program executes. This is the output of the
two names. The final result should like this:

So we used the Scanner class to get input from a user. Whatever was typed was stored in
variables. The result was then printed to the Output window.
In the next part, we'll take a brief look at Option Panes.
Java Option Panes

Another useful class for accepting user input, and displaying results, is the JOptionPane class.
This is located in the javax.swing library. The JOptionPane class allows you to have input boxes
like this one:

And message boxes like this:

Let's adapt our code from the previous section and have some option panes.
The first thing to do is to reference the library we want to use:
import javax.swing.JOptionPane;
This tells java that we want to use the JOptionPane class, located in the javax.swing library.

You can start a new project for this, if you prefer not to adapt your previous code. (You should
know how to create a new project by now. Just remember to change the name of the Class from
Main to something else. We're going to have the class name InputBoxes for ours. Our package
name will be userinput.)
Add the import line to your new project, and your code window should look like something like
this:

(The reason for the wavy underline is that we haven't used the JOptionPane class yet. It will go
away once we do.)
To get an input box that the user can type into, we can use the showInputDialog method of
JOptionPane. We'll store the input straight into a first name variable again, just like last time. So
add the following line to your main method:
String first_name;
first_name = JOptionPane.showInputDialog("First Name");
As soon as you type a full stop after JOptionPane you will see the following popup list:

Double click showInputDialog. In between the round brackets of showInputDialog type the
message that you want displayed above the input text box. We've typed "First name". Like all
strings, it needs to go between double quotes.
Add the following code so that we can get the user's family name:
String family_name;
family_name = JOptionPane.showInputDialog("Family Name");
Join the two together, and add some text:
String full_name;
full_name = "You are " + first_name + " " + family_name;
To display the result in a message box, add the following:
JOptionPane.showMessageDialog( null, full_name );
This time, we want showMessageDialog from the popup list. In between the round brackets we
first have the word null. This is a java keyword and just means that the message box is not
associated with anything else in the program. After a comma comes the text we want to display
in the message box. The whole of your code should look like this:

Notice the line at the bottom of the code:


System.exit(0);
As its name suggests, this ensures that the program exits. But it also tidies up for us, removing all
the created objects from memory.
Now run your code. (Another quick way to run your program in NetBeans is by right-clicking
anywhere inside of the coding window. From the menu that appears, select Run File.)
You'll see the First Name input box. Type something into it, then click OK:

When the Family Name input box appears, type a family name and click OK:

After you click OK, the message box will display:

Click OK to end the program.

Exercise
Input boxes and Message boxes can be formatted further. Try the following for your Input boxes:
showInputDialog("First Name", "Enter Your First Name");
showInputDialog("Family", "Enter Your Family Name");

Exercise
For your Message boxes try this (yours should be on one line):
showMessageDialog(null, full_name, "Name",
JOptionPane.INFORMATION_MESSAGE);

Exercise
Instead of JOptionPane.INFORMATION_MESSAGE try these:
ERROR_MESSAGE
PLAIN_MESSAGE
QUESTION_MESSAGE
WARNING_MESSAGE

Exercise A
Input boxes are not just used for text: they can accept numbers as well. Write a program that
prompts the user for two numbers, the breadth of a rectangle and the height of a rectangle. Use a
message box to calculate the area of the rectangle. (Remember: the area of a rectangle is its
breadth multiplied by the height.) However, you'll need some extra help for this exercise.
Answer to Exercise A

Help for the Exercise


You have to use the String variable to get your numbers from the user:
String breadth;
breadth = JOptionPane.showInputDialog("Rectangle Breadth");
However, you can't multiply two strings together. You need to convert the Strings to integers.
You can convert a string to an integer like this:
Integer.parseInt( string_to_convert )
So you type Integer then a full stop. After the stop, type parseInt( ). In between the round
brackets of parseInt, type the name of the string variable you're trying to convert.
Set up an int variable for the area. You can then multiply and assign on the same line;
int area = Integer.parseInt( string_one ) * Integer.parseInt( string_two);
For the message box, use concatenation:
"answer = " + area
You can use any of the MESSAGE symbols for your message box.

Exercise B
The program will crash if you enter floating point values for the breadth and height. How would
you solve this?
When you have solved the above exercise, do you really want Integer.parseInt? What else do you
think you can use?
Answer to Exercise B

OK, we'll move on now. Let's try some IF statements.


Conditional Logic - If Statements

The programming you're doing now is sequential programming, meaning the code is executed
from top to bottom. It's very linear, in that each and every line of code will be read, starting with
the first line of code you write and ending at the last line.
But you don't always want your programs to work like that. Often, you want code to be executed
only if certain conditions are met. For example, you might want one message to display if a user
is below the age of 18 and a different message if he or she is 18 or older. You want to control the
flow of the program for yourself. You can do this with conditional logic.
Conditional logic is mainly about the IF word: IF user is less than 18 then display this message;
IF user is 18 or older then display that message. Fortunately, it's very easy to use conditional
logic in Java. Let's start with IF Statements.

IF Statements

Executing code when one thing happens rather than something else is so common in
programming that that the IF Statement has been developed. The structure of the IF Statement in
Java is this:
if ( Statement ) {
}
You start with the word IF (in lowercase) and a pair of round brackets. You then use a pair of
curly brackets to section off a chunk of code. This chunk of code is code that you only want to
execute IF your condition is met. The condition itself goes between round brackets:
if ( user < 18 ) {
}
This condition says "IF user is less than 18". But instead of saying "is less than" we use the
shorthand notation of the left-pointing angle bracket ( < ). IF the user is less than 18 then we
want something to happen, to display a message, for example:

if ( user < 18 ) {
//DISPLAY MESSAGE
}
If the user is not less than 18 then the code between the curly brackets will be skipped, and the
program continues on its way, downwards towards the last line of code. Whatever you type
between the curly brackets will only be executed IF the condition is met, and this condition goes
between the round brackets.
Before we try this out, another shorthand notation is this symbol >. The right-pointing angle
bracket means "greater than". Our IF Statement above can be amended slightly to check for users
who are greater than 18:
if ( user > 18 ) {
//DISPLAY MESSAGE
}
The only thing new in this code is the > symbol. The condition now checks for users who are
greater than 18.
But the condition doesn't check for people who are exactly 18, just those greater than 18. If you
want to check for those who are 18 or over, you can say "greater than or equal to". The symbols
for this are the greater than sign ( > ) followed by an equals sign ( = ):
if ( user >= 18 ) {
//DISPLAY MESSAGE
}

You can also check for "less than or equal to" in a similar way:
if ( user <= 18 ) {
//DISPLAY MESSAGE
}

The above code contains a less than symbol ( < ) followed by the equals sign.
Let's try all this out in a simple program.
Start a new project by clicking File > New Project from the menu bar in NetBeans. You can call
your package and class names anything you like. Enter the following code (our package name is
conditionallogic and the Class is called IFStatements):

We've set up an integer variable, and assigned a value of 17 to it. The IF statement checks for
"less than 18". So the message between the curly brackets should be printed out.
Run your program and check it out. (NetBeans has a habit of running the program in bold text in
the Projects window and not the code you have displayed. To run the code in your coding
window, right click anywhere in the code. From the menu that appears select Run File.) You
should see this in your Output window:

Now change the value for the user variable from 17 to 18. Run your program again. You should
see this:

So the program runs OK, with no error messages. It's just that nothing gets printed out. The
reason is that the message code is between the curly brackets of the IF Statement. And the IF
Statement is checking for values less than 18. IF the condition is not met, Java ignores the curly
brackets altogether and moves on.
Exercise
Replace your "less than" symbol with the "less than or equal to" symbols. Change your message
to suit, something like "user is less than or equal to 18". Run your program again. Do you see the
message?

Exercise
Change the user value to 20. Run your program again. Do you still see the message?

You can have more than one IF Statement in your code. Try the following code:

This time, we have two IF Statements. The first tests for values less than or equal to 18. The
second tests for values greater than 18. When the code is run with a value of 18 or less for the
user variable, the Output is this:

Changing the value of the user variable to 20 gives this:

So only one of the IF Statements will Output a print line. And it all depends on what the value of
the user variable is.

In the next part, we'll continue with Conditional Logic


IF ELSE

Instead of using two IF Statements, you can use an IF ELSE Statement instead. Here's the
structure of an IF ELSE statement:
if ( condition_to_test ) {
}
else {
}
The first line starts with if, followed by the condition you want to test for. This goes between two
round brackets. Again, curly brackets are used to section off the different choices. The second
choice goes after the word else and between its own curly brackets. Here's our code again that
checks a user's age:

So there are only two choices here: either the user is 18 or younger, or the user is older than that.
Adapt your code to match that in the image above and try it out. You should find that the first
message prints out. Now change the value of the user variable to 20 and run the code again. The
message between the ELSE curly brackets should display in the Output window.

IF ELSE IF

You can test for more than two choices. For example, what if we wanted to test for more age
ranges, say 19 to 39, and 40 and over? For more than two choices, the IF ELSE IF statement
can be used. The structure of an IF ELSE IF is this:
if ( condition_one ) {
}
else if ( condition_two ) {
}
else {
}
The new part is this:
else if ( condition_two ) {
}
So the first IF tests for condition number one (18 or under, for example). Next comes else if,
followed by a pair of round brackets. The second condition goes between these new round
brackets. Anything not caught by the first two conditions will be caught be the final else. Again,

code is sectioned off using curly brackets, with each if, else if, or else having its own pair of
curly brackets. Miss one out and you'll get error messages.
Before trying out some new code, you'll need to learn some more conditional operators. The ones
you have used so far are these:
> Greater Than
< Less Than
>= Greater Than or Equal To
<= Less Than or Equal To
Here's four more you can use:
&& AND
|| OR
== HAS A VALUE OF
! NOT
The first one is two ampersand symbols, and is used to test for more than one condition at the
same time. We can use it to test for two age ranges:
else if ( user > 18 && user < 40 )
Here, we want to check if the user is older than 18 but younger than 40. Remember, we're trying
to check what is inside of the user variable. The first condition is "Greater than 18" ( user > 18 ).
The second condition is "Less than 40" ( user < 40). In between the two we have our AND
operator ( &&). So the whole line says "else if user is greater than 18 AND user is less than 40."
We'll get to the other three conditional operators in a moment. But here's some new code to try
out:

Run your program and test it out. You should be able to guess what it will print out before
running it. Because we have a value of 21 for the user variable the message between the curly
brackets of else if will display in the Output window.
Exercise
Change the value of the user variable from 21 to 45. The message for the else section of the code
should now display.

You can add as many else if parts as you want. Suppose we wanted to check if the user was
either 45 or 50. We can use two of the new conditional operators above. We can check if the user
variable "has a value of 45" OR "has a value of 50":
else if (user == 45 || user == 50)
To test if the user variable has a value of something you use two equal signs, with no space
between them. Java will test for that value and no other values. Because want to test for the user
being 50 as well, we can have another condition in the same round brackets: user == 50. This just
says "test if the user variable has a value of 50". In between the two conditions, we have the OR
operator. This is two pipe characters, which is just to the left of the letter "z" on a UK keyboard.
Again, there's no space between the two. The whole of the line above says "Else if the user has a
value of 45 OR the user has a value of 50".
Here's our code with the new else if part:

Try it out for yourself. Change the value of the user variable to 45 and run your code. Then
change it to 50 and run the code again. In both cases the new message should display.
The various conditional operators can be tricky to use. But you're just testing a variable for a
particular condition. It's simply a question of picking the right conditional operator or operators
for the job.

Nested IF Statements

You can nest IF Statements. (This also applies to IF ... ELSE and IF ... ELSE IF statements.)
Nesting an IF Statement just means putting one IF Statement inside of another. For example,
suppose you want to find out if somebody is younger than 18, but older than 16. You want to
display a different message for the over 16s. You start with the first IF Statement:
if ( user < 19 ) {
System.out.println( "18 or younger");
}
To check for over 16, you can place a second IF Statement inside of the one you already have.
The format is the same:
if ( user < 19 ) {
if ( user > 16 && user < 19 ) {
System.out.println( "You are 17 or 18");

}
}
So the first IF Statement catches the user variable if it's less than 19. The second IF Statement
narrows the user variable down even further, for ages over 16 and under 19. To print different
messages, you can have an IF ... ELSE statement instead of the IF Statement above:
if ( user < 19 ) {
if ( user > 16 && user < 19 ) {
System.out.println( "You are 17 or 18");
}
else {
System.out.println( "16 or younger");
}
}
Notice where all the curly brackets are in the code: get one wrong and your program won't run.
Nested IF Statements can be tricky, but all you're trying to do is to narrow down the choices.
In the next section, you'll about the Boolean variable type.
Boolean Values

A Boolean value is one with two choices: true or false, yes or no, 1 or 0. In Java, there is a
variable type for Boolean values:
boolean user = true;
So instead of typing int or double or string, you just type boolean (with a lower case "b"). After
the name of you variable, you can assign a value of either true or false. Notice that the
assignment operator is a single equals sign ( = ). If you want to check if a variable "has a value
of" something, you need two equal signs ( = =).
Try this simple code:
boolean user = true;
if ( user == true) {
System.out.println("it's true");

}
else {
System.out.println("it's false");
}
So the first IF Statement checks if the user variable has a value of true. The else part checks if it
is false. You don't need to say "else if ( user = = false)". After all, if something is not true then it's
false. So you can just use else: there's only two choices with boolean values.
The only other conditional operator on our lists is the NOT operator. You can use this with
boolean values. Have a look at the following code:
boolean user = true;
if ( !user ) {
System.out.println("it's flase");
}
else {
System.out.println("it's true");
}
It's almost the same as the other boolean code, except for this line:
if ( !user ) {
This time, we have our NOT operator before the user variable. The NOT operator is a single
exclamation mark ( ! ) and it goes before the variable you're tying to test. It's testing for negation,
which means that it's testing for the opposite of what the value actually is. Because the user
variable is set to true then !user will test for false values. If user was set to false then !user would
test for true values. Think of it like this: if something is NOT true then what is it? Or if it's NOT
false then what?
In the next part, we'll look at Java Switch Statements.

Switch Statements in Java

Another way to control the flow of your programs is with something called a switch statement. A
switch statement gives you the option to test for a range of values for your variables. They can be
used instead of long, complex if else if statements. The structure of the switch statement is
this:
switch ( variable_to_test ) {
case value:
code_here;
break;
case value:
code_here;
break;
default:
values_not_caught_above;
}
So you start with the word switch, followed by a pair of round brackets. The variable you want
to check goes between the round brackets of switch. You then have a pair of curly brackets. The
other parts of the switch statement all go between the two curly brackets. For every value that
you want to check, you need the word case. You then have the value you want to check for:
case value:

After case value comes a colon. You then put what you want to happen if the value matches. This
is your code that you want executed. The keyword break is needed to break out of each case of
the switch statement.
The default value at the end is optional. It can be included if there are other values that can be
held in your variable but that you haven't checked for elsewhere in the switch statement.
If all of that is confusing, here's some code to try out. You can either start a new project for this,
or just comment out the code you have. A quick way to comment out code in NetBeans is from
the toolbar at the top. First, highlight the code you want to comment out. Then click the comment
icon:

But here's the code:

The first thing the code does is to set a value to test for. Again, we've set up an integer variable
and called it user. We've set the value to 18. The switch statement will check the user variable
and see what's in it. It will then go through each of the case statements in turn. When it finds one
that matches, it will stop and execute the code for that case. It will then break out of the switch
statement.
Try the program out. Enter various values for the user variable and see what happens.
Sadly, you can't test for a range of values after case, just the one value. So you can't do this:
case (user <= 18):

But you can do this:


case 1: case 2: case 3: case 4:

So the above line tests for a range of values, from 1 to 4. But you have to "spell out" each value.
(Notice where all the case and colons are.)
To end this section on conditional logic, try these exercises.

Exercise C
Write a program that accepts user input from the console. The program should take a number and

then test for the following age ranges: 0 to 10, 11 to 20, 21 to 30, 30 and over. Display a message
in the Output window in the following format:
user_age + " is between 21 and 30"

So if the user enters 27 as the age, the Output window should be this:

If the user is 30 or over, you can just display the following message:
"You are 30 or over"

Answer to Exercise C

Help for this exercise


To get string values from the user, you did this:
String age = user_input.next( );

But the next( ) method is used for strings. The age you are getting from the user has to be an
integer, so you can't use next( ). There is, however, a similar method you can use: nextInt( ).

Exercise D
If you want to check if one String is the same as another, you can use a Method called equals.
String user_name = "Bill";

if ( user_name.equals( "Bill" ) ) {
//DO SOMETHING HERE
}

In the code above, we've set up a String variable and called it user_name. We've then assigned a
value of "Bill" to it. In between the round brackets of IF we have the variable name again,
followed by a dot. After the dot comes the word "equals". In between another pair of round
brackets you type the string you're trying to test for.
NOTE: When checking if one string is the same as another, they have to match exactly. So "Bill"
is different from "bill". The first has an uppercase letter "B" and the second has a lowercase "b".

For this exercise, write a program that asks a user to choose between four colours: black, white,
red, or blue. Use IF ELSE IF statements to display one of the following messages, depending
on which colour was chosen:
BLACK "You must be a Goth!"
WHITE "You are a very pure person"
RED "You are fun and outgoing"
BLUE "You're not a Chelsea fan, are you?"
When your program ends, the Output window should look like something like this:

Answer to Exercise D

OK, let's move on and have a look at loops. We'll be upping the pace a bit in this next section, so
hang on to your hats!

Loops in Java

As we mentioned earlier, the programming you are doing now is sequential programming. This
means that flow is downward, from top to bottom, with every line of code being executed, unless
you tell Java otherwise.
You saw in the last section that one way to "tell" Java not to execute every line is by using IF
Statement to section off areas of code.
Another way to interrupt the flow from top to bottom is by using loops. A programming loop is
one that forces the program to go back up again. If it is forced back up again you can execute
lines of code repeatedly.
As an example, suppose you wanted to add up the numbers 1 to 10. You could do it quite easily
in Java like this:
int addition = 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + 9 + 10;
But you wouldn't really want to use that method if you needed to add up the numbers 1 to a
1000. Instead, you can use a loop to go over a line of code repeatedly until you've reached 1000.
Then you can exit the loop and continue on your way.

Java For Loops

We'll start with For Loops, one of the most common types of loops. The "For" part of "For Loop"
seems to have lost its meaning. But you can think of it like this: "Loop FOR a set number of
times." The structure of the For Loop is this:
for ( start_value; end_value; increment_number ) {
//YOUR_CODE_HERE
}
So after the word "for" (in lowercase) you have a pair of round brackets. Inside of the round
brackets you need three things: the start value for the loop, the end value for the loop, and a way
to get from one number to another. This is called the increment number, and is usually 1. But it
doesn't have to be. You can go up in chunks of 10, if you want.
After the round brackets you need a pair of curly brackets. The curly brackets are used to section
off the code that you want to execute repeatedly. An example might clear things up.
Start a new project for this. Call the Project and Class anything you like. (We've called our
Project "loops", and the Class "ForLoops"). Now add the following code:

We start by setting up an integer variable, which we've called loopVal. The next line sets up
another integer variable. This variable will be used for the end value of the loop, and is set to 11.
What we're going to do is to loop round printing out the numbers from 0 to 10.
Inside the round brackets of the for loop, we have this:
loopVal =0; loopVal < end_value; loopVal++
The first part tells Java at what number you want to start looping. Here, we're assigning a value
of zero to the loopVal variable. This will be the first number in the loop. The second part uses
some conditional logic:
loopVal < end_value
This says "loopVal is less than end_value". The for loop will then keep going round and round
while the value inside the loopVal variable is less than the value in the variable called end_value.
As long as it's true that loopVal is less than end_value, Java will keep looping over the code
between the curly brackets.
The final part between the round brackets of the for loop is this:
loopVal++

What we're doing here is telling Java how to go from the starting value in loopVal to the next
number in the sequence. We want to count from 0 to 10. The next number after 0 is 1. loopVal++
is a shorthand way of saying "add 1 to the value in the variable".
Instead of saying loopVal++ we could have wrote this:
loopVal = loopVal + 1
To the right of the equals sign we have loopVal + 1. Java will then add 1 to whatever is currently
stored in the loopVal variable. Once it has added 1 to the value, it will store the result inside of
the variable to the left of the equals sign. This is the loopVal variable again. The result is that 1
keeps getting added to loopVal. This is called incrementing the variable. It is so common that the
shorthand notation variable++ was invented:
int some_number = 0;
some_number++;
The value of some_number will be 1 when the code above is executed. It is the short way of
saying this:
int some_number = 0;
some_number = some_number + 1;
To recap then, our for loop is saying this:
Loop Start value: 0
Keep Looping While: Start value is less than 11
How to advance to the end value: Keep adding 1 to the start value
Inside of the curly brackets of the for loop we have this:
System.out.println("Loop Value = " + loopVal);
Whatever is currently inside of the loopVal variable will be printed out, along with some text.
Run your program and you should see this in the Output window:

So we've trapped the program in a loop, and forced it to go round and round. Each time round the
loop, 1 gets added to the loopVal variable. The loop keeps going round and round while the
value inside of loopVal is less than the value in end_value. Whatever is inside of the loop's curly
brackets is the code that will be executed over and over. And that is the whole point of the loop:
to execute the curly bracket code over and over.
Here's some code that adds up the numbers 1 to 10. Try it out:

The answer you should get in the Output window is 55. The code itself is more or less the same
as the previous for loop. We have the same two variables set up at the top, loopVal and
end_value. We also have a third integer variable, which we've called addition. This will hold the
value of the 1 to 10 sum.

In between the round brackets of the for loop, it's almost the same as last time: we're looping
while loopVal is less than end_value; and we're adding 1 to the loopVal variable each time
round the loop (loopVal++). The only difference is that the starting value is now 1 (loopVal=1).
In between the curly brackets, we only have one line of code:
addition = addition + loopVal;
This single line of code adds up the numbers 1 to 10. If you're confused as to how it works, start
to the right of the equals sign:
addition + loopVal;
The first time round the loop, the addition variable is holding a value of 0. The variable loopVal,
meanwhile, is holding a value of 1 (its starting value). Java will add 0 to 1. Then it will store the
result to the variable on the left of the equals sign. Again, this is the addition variable. Whatever
was previously being held in the addition variable (0) will be erased, and replaced with the new
value (1).
The second time round the loop, the values in the two variables are these (the values are between
round brackets):
addition (1) + loopVal (2);
1 + 2 is obviously 3. So this is the new value that will be stored to the left of the equals sign.
The third time round the loop, the new values are these:
addition (3) + loopVal (3);
Java adds the 3 + 3 and stores 6 to the left of the equals sign. It keeps going round and round
until the loop ends. The result is 55.
(Notice that our print line is outside of the for loop, after the final curly bracket of the loop.)

Exercise
Change you code so that the loop adds up the numbers 1 to a 100. The answer you should get is
5050.

Exercise E

Write a times table program. The program should ask a user to input a number. This number is
then used as the times table. So if the user enters 10, the 10 times table should be displayed. Your
Output window should look something like this, when your program is run.

Answer to Exercise E

Help for this Exercise


Your for loop only needs two lines of code between the curly brackets, and one of those is the
print line. You only need a single line to calculate the answers for your times table.
You should already know how to get the number from the user. This can be used in your loop's
curly brackets to work out the answer to your multiplication.
Your times table only needs to go from 1 to 10, like ours does in the image above.

Exercise F
Use a for loop to print out the odd numbers from 1 to 10. (For the easy way to do this exercise,
think about the increment value of the loop, which is the third item between the round brackets.)

One of the hard ways to do the exercise above is by using an operator you haven't yet met - the
modulus operator. Modulus is when you divide by a number and keep the remainder. So 10 Mod
3 is 1, because 10 divide by 3 is 3. The remainder is 1, and that's what you keep. The Modulus
operator in Java is the percentage sign, rather confusingly. It's used like this:

int remainder;
int total = 10
remainder = total %3
So the number (or variable) you want to divide up goes first. You then type a percentage sign,
followed by your divider number. The answer is the remainder.
In the exercise above, you could use 2 as the Mod number, and then use an IF Statement in your
for loop to test what the remainder is. (Can you see why 2 should be the Mod number?)
Answer to Exercise F

In the next part, we'll take a look at Java while loops.

While Loops

Another type of loop you can use in Java is called the while loop. While loops are a lot easier to
understand than for loops. Here's what they look like:
while ( condition ) {
}
So you start with the word "while" in lowercase. The condition you want to test for goes between
round brackets. A pair of curly brackets comes next, and the code you want to execute goes
between the curly brackets. As an example, here's a while loop that prints out some text (Try the
code out for yourself):
int loopVal = 0;

while ( loopVal < 5) {


System.out.println("Printing Some Text");
loopVal++;
}

The condition to test is between the round brackets. We want to keep looping while the variable
called loopVal is less than 5. Inside of the curly brackets our code first prints out a line of text.
Then we need to increment the loopVal variable. If we don't we'll have an infinite loop, as there
is no way for loopVal to get beyond its initial value of 0.
Although we've used a counter (loopVal) to get to the end condition, while loops are best used
when you don't really need a counting value, but rather just a checking value. For example, you
can keep looping while a key on the keyboard is not pressed. This is common in games
programming. The letter "X" can pressed to exit the while loop (called the game loop), and hence
the game itself. Another example is looping round a text file while the end of the file has not
been reached.

Do ... While

Related to the while loop is the do while loop. It looks like this:
int loopVal = 0;
do {
System.out.println("Printing Some Text");
loopVal++;
}
while ( loopVal < 5 );
Again, Java will loop round and round until the end condition is met. This time, the "while" part
is at the bottom. But the condition is the same - keep looping while the value inside of the
variable called loopVal is less than 5. The difference between the two is the code between the
curly brackets of do while will get executed at least once. With the while loop, the condition
could already be met. Java will then just bail out of your loop, and not even execute your curly
bracket code. To test this out, try the while loop first. Change the value of your loopVal variable
to 5, and then run the code. You should find that the text doesn't get printed. Now try the do loop
with a value of 5 for loopVal. The text will print once and then Java will bail out of the loop.

OK, we'll leave looping there. It is a subject you need to get grips with. But don't worry if you're

not completely perfect with them - you'll learn as we go along. In the next section, we'll take a
look at something called an array.

Java Arrays

A programming concept you just have to get used to if you're to code effectively is the array. In
this section, you'll learn what arrays are, and how to use them.

What is an Array?

So far, you have been working with variables that hold only one value. The integer variables you
have set up have held only one number, and the string variables just one long string of text. An
array is a way to hold more than one value at a time. It's like a list of items. Think of an array as
the columns in a spreadsheet. You can have a spreadsheet with only one column, or lots of
columns. The data held in a single-list array might look like this:

Like a spreadsheet, arrays have a position number for each row. The positions in an array start at
0 and go up sequentially. Each position in the array can then hold a value. In the image above
array position 0 is holding a value of 10, array position 1 is holding a value of 14, position 2 has
a value of 36, and so on.
To set up an array of number like that in the image above, you have to tell Java what kind of data
is going in to your array (integers, strings, boolean values, etc). You then need to say how many
positions the array has. You set them up like this:
int[ ] aryNums;
The only difference between setting up a normal integer variable and an array is a pair of square
brackets after the data type. The square brackets are enough to tell Java that you want to set up
an array. The name of the array above is aryNums. Just like normal variables, you can call them
almost anything you like (with the same exceptions we mentioned earlier).

But this just tells Java that you want to set up an integer array. It doesn't say how many positions
the array should hold. To do that, you have to set up a new array object:
aryNums = new int[6];
You start with your array name, followed by the equals sign. After the equals sign, you need the
Java keyword new, and then your data type again. After the data type come a pair of square
brackets. In between the square brackets you need the size of the array. The size is how many
positions the array should hold.
If you prefer, you can put all that on one line:
int[ ] aryNums = new int[6];
So we are telling Java to set up an array with 6 positions in it. After this line is executed, Java
will assign default values for the array. Because we've set up an integer array, the default values
for all 6 positions will be zero ( 0 ).
To assign values to the various positions in an array, you do it in the normal way:
aryNums[0] = 10;
Here, a value of 10 is being assigned to position 0 in the array called aryNums. Again, the square
brackets are used to refer to each position. If you want to assign a value of 14 to array position 1,
the code would be this:
aryNums[1] = 14;
And to assign a value of 36 to array position 2, it's this:
aryNums[2] = 36;
Don't forget, because arrays start at 0, the third position in an array has the index number 2.
If you know what values are going to be in the array, you can set them up like this instead:
int[ ] aryNums = { 1, 2, 3, 4 };
This method of setting up an array uses curly brackets after the equals sign. In between the curly
brackets, you type out the values that the array will hold. The first value will then be position 0,
the second value position 1, and so on. Note that you still need the square brackets after int, but
not the new keyword, or the repetition of the data type and square brackets. But this is just for

data types of int values, string, and char values. Otherwise, you need the new keyword. So you
can do this:
String[ ] aryStrings = {"Autumn", "Spring", "Summer", "Winter" };
But not this:
boolean[ ] aryBools = {false, true, false, true};
To set up a boolean array you still need the new keyword:
boolean[ ] aryBools = new boolean[ ] {false, true, false, true};
To get at the values held in your array, you type the name of the array followed by an array
position in square brackets. Like this:
System.out.println( aryNums[2] );
The above code will print out whatever value is held at array position 2 in the array called
aryNums. But let's get some coding practice.
Start a new project and call it anything you like. Don't forget to change the name of the Class to
something relevant.
Type the following code into your new Main method:

When you run the program you should see this in the Output window:

Change the array position number in the print line from 2 to 5 and 18 should print out instead.
In the next part, we'll take a look at how to use arrays with loops.

Arrays and Loops

Arrays come into their own with loops. You have seen in the previous section that to assign
values to array positions, you did this:
aryNums[0] = 10;
But that's not terribly practical if you have a lot of numbers to assign to an array. As an example,
imagine a lottery program that has to assign the numbers 1 to 49 to positions in an array. Instead
of typing a long list of array positions and values you can use a loop. Here's some code that does
just that:

So we set up an array to hold 49 integer values. Then comes the loop code. Notice the end
condition of the loop:
i < lottery_numbers.length
Length is a property of array objects that you can use to get the size of the array (how many
positions it has). So this loop will keep going round and round while the value in the variable i is
less than the size of the array.
To assign values to each position in the array, we have this line:
lottery_numbers[i] = i + 1;
Instead of a hard-code value between the square brackets of the array name, we have the variable
called i. This increases by 1 each time round the loop, remember. Each array position can then be

accessed just by using the loop value. The value that is being assigned to each position is i + 1.
So again, it's just the incremented loop value, this time with 1 added to it. Because the loop value
is starting at 0, this will give you the numbers 1 to 49.
The other line in the loop just prints out whatever value is in each array position.
(If you wanted, you could then write code to jumble up the numbers in the array. Once you have
jumbled up the values, you could then take the first 6 and use them as the lottery numbers. Write
another chunk of code that compares a user's 6 numbers with the winning numbers and you have
a lottery program!)
In the next part, you'll see how to sort your arrays.

Sorting Arrays

Other inbuilt java methods allow you to sort your arrays. To use the sort method of arrays, you
first need to reference a Java library called Arrays. You do this with the import statement. Try it
with your aryNums program. Add the following import statement:
import java.util.Arrays;
You code should look like ours below:

Now that you have imported the Arrays library, you can use the sort method. It's quite easy:
Arrays.sort( aryNums );
First you type the word "Arrays", then a dot. As soon as you type a dot, NetBeans will display a
list of things you can do with arrays. Type the word "sort". In between a pair of round brackets,
you then put the name of the array you want to sort. (Notice that you don't need any square
brackets after the array name.)
And that's it - that's enough to sort the array! Here's some code to try out:

The for loop at the end will go round and round printing out the values in each array position.
When the code is run, the Output will look like this:

As you can see, the array has been sorted in ascending order.
Sorting in descending order, however, is only possible either by writing your own sorting code,
or converting your array to Integer objects then importing from the Collections library. If you
need to a descending sort, here's some code that does just that (skip this code, if you want):

All a bit messy, I'm sure you'll agree!

In the next lesson, we'll take a look at arrays and strings.

Arrays and Strings

You can place strings of text into arrays. This is done in the same way as for integers:
String[ ] aryString = new String[5] ;
aryString[0] = "This";
aryString[1] = "is";
aryString[2] = "a";
aryString[3] = "string";
aryString[4] = "array";
The code above sets up a string array with 5 positions. Text is then assigned to each position in
the array.
Here's a loop that goes round all the positions in the array, printing out whatever is at each
position:
int i;
for ( i=0; i < aryString.length; i++ ) {
System.out.println( aryString[i] );
}
The loop goes round and round while the value in the variable called i is less than the length of
the array called aryString.
When the above program is run, the Output window will look like this:

You can perform a sort on string arrays, just like you can with integers. But the sort is an
alphabetical ascending one, meaning that "aa" will come first over "ab". However, Java uses
Unicode characters to compare one letter in your string to another. This means that uppercase
letter will come before lowercase ones. Try the following code:

When the program is run, the Output window will display the following:

Although we've sorted the array, the word "This" comes first. If this were an alphabetical sort,
you'd expect the word "a" to come first." And it does if all the letters are lowercase. In your
programming code, change the capital "T" of "This" to a lowercase "t". Now run your program
again. The Output window will now display the following:

As you can see, the word "this" is now at the bottom. We'll have a closer look at strings in the
next section, so don't worry too much about them now. Instead, try these exercises.

Exercise G
Set up an array to hold the following values, and in this order: 23, 6, 47, 35, 2, 14. Write a
program to get the average of all 6 numbers. (You can use integers for this exercise, which will
round down your answer.)
Answer to Exercise G

Exercise H
Using the above values, have your program print out the highest number in the array.
Answer to Exercise H

Exercise I
Using the same array above, have your program print out only the odd numbers.
Answer to Exercise I

In the next lesson, you'll learn about multi-dimensional arrays in java.

Multi-Dimensional Arrays in Java

The arrays you have been using so far have only held one column of data. But you can set up an
array to hold more than one column. These are called multi-dimensional arrays. As an example,
think of a spreadsheet with rows and columns. If you have 6 rows and 5 columns then your
spreadsheet can hold 30 numbers. It might look like this:

A multi dimensional array is one that can hold all the values above. You set them up like this:
int[ ][ ] aryNumbers = new int[6][5];
They are set up in the same way as a normal array, except you have two sets of square brackets.
The first set of square brackets is for the rows and the second set of square brackets is for the
columns. In the above line of code, we're telling Java to set up an array with 6 rows and 5
columns. To hold values in a multi-dimensional array you have to take care to track the rows and
columns. Here's some code to fill the first rows of numbers from our spreadsheet image:
aryNumbers[0][0] = 10;
aryNumbers[0][1] = 12;
aryNumbers[0][2] = 43;
aryNumbers[0][3] = 11;
aryNumbers[0][4] = 22;

So the first row is row 0. The columns then go from 0 to 4, which is 5 items. To fill the second
row, it would be this:
aryNumbers[1][0] = 20;
aryNumbers[1][1] = 45;
aryNumbers[1][2] = 56;
aryNumbers[1][3] = 1;
aryNumbers[1][4] = 33;
The column numbers are the same, but the row numbers are now all 1.
To access all the items in a multi-dimensional array the technique is to use one loop inside of
another. Here's some code to access all our number from above. It uses a double for loop:

The first for loop is used for the rows; the second for loop is for the columns. The first time
round the first loop, the value of the variable i will be 0. The code inside of the for loop is
another loop. The whole of this second loop will be executed while the value of the variable i is
0. The second for loop use a variable called j. The i and the j variables can then be used to access
the array.
aryNumbers[ i ][ j ]
So the two loop system is used to go through all the values in a multi-dimensional array, row by
row.

Exercise J
Finish off the program above where we are writing a program to print out all the values from the
spreadsheet. Your Output window should look something like this when you're done:

Answer to Exercise J

Multi-dimensional arrays can be quite tricky, but mainly because it's hard to keep track of all
your rows and columns! In the next part, you'll learn about array lists.

Array Lists in Java

If you don't know how many items are going to be held in your array, you may be better off
using something called an ArrayList. An ArrayList is a dynamic data structure, meaning items
can be added and removed from the list. A normal array in java is a static data structure, because
you stuck with the initial size of your array.

To set up an ArrayList, you first have to import the package from the java.util library:
import java.util.ArrayList;
You can then create a new ArrayList object:
ArrayList listTest = new ArrayList( );
Notice that you don't need any square brackets this time.
Once you have a new ArrayList objects, you can add elements to it with the add method:
listTest.add( "first item" );
listTest.add( "second item" );
listTest.add( "third item" );
listTest.add( 7 );
In between the round brackets of add you put what it is you want to add to the ArrayList. You can
only add objects, however. The first three items we've added to the list above are String objects.
The fourth item is a number. But this will be a number object of type Integer, rather than the
primitive data type int.
Items in the list can be referenced by an Index number, and by using the get method:
listTest.get( 3 )
This line will get the item at Index position 3 on the list. Index numbers start counting at zero, so
this will be the fourth item.
You can also remove items from an ArrayList. You can either use the Index number:
listTest.remove(2);
Or you can use the value on the list:
listTest.remove( "second item" );
Removing an item will resize the ArrayList, so you have to be careful when trying to get an item
on the list when using its Index number. If we've removed item number 2, then our list above
will contain only 3 items. Trying to get the item with the Index number 3 would then result in an
error.

To go through each item in your ArrayList you can set up something called an Iterator. This
class can also be found in the java.util library:
import java.util.Iterator;
You can then attach your ArrayList to a new Iterator object:
Iterator it = listTest.iterator( );
This sets up a new Iterator object called it that can be used to go through the items in the
ArrayList called listTest. The reason for using an Iterator object is because it has methods called
next and hasNext. You can use these in a loop:
while ( it.hasNext( ) ) {
System.out.println( it.next( ) );
}
The method hasNext returns a Boolean value. The value will be false if there are no more items
in the ArrayList. The next method can be used to go through all the items in the list.
To test all this theory out, try the following code:

Notice the line that prints out the entire list:


System.out.println( "Whole list=" + listTest );
This gives you a quick way to see which items are on your list, if it gets a bit too long.
When the code is run, the Output window will display the following:
first item
second item
third item
7
Whole list=[first item, third item, 7]
Position 1=third item
To sum up, then, use an ArrayList when you're not sure how many elements are going to be in a
list of items.

We'll leave arrays, for now, and move on. In the next section, we'll tackle strings.
More on Java Strings

There's more to strings than meets the eye. Unlike int variables, or double variables, strings are
objects. What this means in practice is that you can do things with strings of text that you can't
do with int or double variables. (The same applies to the primitive data types boolean, byte,
single, char, float, long and short: they are not objects like strings are.)
Before we get to manipulating strings of text, here's some basic information on what strings
actually are.

How Java Stores Strings

A string is a series of Unicode characters held under a variable name. Take the following string:
String someText = "Bill";
This tells Java to set up a string object with the four characters "B", "i", "l" and another "l". In
the Unicode character set, these values are: \u0042, \u0069, \u006c, \u006c. Unicode values are
stored as hexadecimals numbers. Capital letters (A to Z) are stored using the values \u0041 to
\u005a, while lowercase letters (a to z) are stored using the hexadecimals values \u0061 to
\u007a.
In the previous section, we had an array which held strings of text. We then sorted the array:

When the program is run, the output is this:

We noted that the word "This" comes first. If the array is supposed to be sorted alphabetically,
however, you would expect the word "a" to come first. The reason it doesn't is because lowercase
"a" has a hexadecimal value of u\0061, which is the decimal number 97. But uppercase "T" has a
hexadecimal value of u\0054, which is the decimal number 84. 84 is lower than 97, so the "T"
comes first.
OK, let's do some work manipulating strings of text. The string methods we'll take a look at are:

toUpperCasse
toLowerCase
compareTo
IndexOf
endWith, startsWith
Substring
Equals
charAt
trim
valueOf
First up are the easy ones, converting to upper and lower case letters. You'll meet them in the
next part.
Converting to Upper and Lower Case in Java
Converting your Java strings of text to upper or lower case is fairly straightforward:
just use the inbuilt methods toUpperCase and toLowerCase.

Start a new project for this, and add the following code:

The first two lines of code just set up a String variable to hold the text "text to change", and then
we print it out. The third line sets of a second String variable called result. The fourth line is
where we do the converting:
result = changeCase.toUpperCase( );

To use a string method you first type the string you want to work on. For us, this was the string
in the variable called changeCase. Type a dot after the variable name and you'll see a list of
available methods that you can use on your string. Select toUpperCase. (The method needs the
empty round brackets after it.)
After Java has changed the word to uppercase letters, we're storing the new string into our result
variable.
When the program is run, the Output window displays the following:

But you don't have to store the converted word in a new variable. This would work just as well:
System.out.println( changeCase.toUpperCase( ) );
Here, Java will just get on with converting the string, without needing to assign the result to a
new variable.
If you want to convert to lowercase, just use the toLowerCase method instead. It is used in
exactly the same way as toUpperCase.
In the next part, you'll see how to compare strings in Java.
Comparing Strings
You can compare one string to another. (When comparing, Java will use the
hexadecimal values rather than the letters themselves.) For example, if you wanted
to compare the word "Ape" with the word "App" to see which should come first, you
can use an inbuilt string method called compareTo. Let's see how it works.

You don't need to start a new project for this: simply comment out (or delete) the code you
already have. Now add the following code:

We've set up two string variables to contain the words "Ape" and "App". The compareTo method
is then this line in the code above:
result = Word1.compareTo( Word2 );
The compareTo method returns a value. The value that is returned will be greater than 0, less
than 0, or have a value of zero. If Word1 comes before Word2, then the value that is returned will
be less than 0. If Word1 comes after Word2 then the value returned will be greater than 0. If the
two words are identical then a value of 0 will be returned.
So you need to assign the value that compareTo returns to a variable. We're placing the value in
an integer variable called result. The IF Statements in the code simply tests to see what is in the
result variable
However, when you compare one string of text with another, Java compares the underlying
hexadecimals values, rather than the actual letters. Because uppercase letters have a lower
hexadecimal value than lowercase ones, an uppercase letter "A" in "App" will come before a
lowercase letter "a" in "ape". Try it for yourself. Change "Ape" to "ape" in your code. The

Output will read "Word1 is more than Word2", meaning that Java will place the word "ape" after
the word "app" alphabetically.
To solve the problem, there's a related method called compareToIgnoreCase. As its name
suggest, lowercase and uppercase letter are ignored. Use this and "ape will come before "App"
alphabetically.
Next up, we'll look at another useful String method - indexOf.

The Java Method indexOf

The indexOf method is used to locate a character or string within another string. For example,
you can use it to see if there is a @ character in an email address. Let's use that example in some
code.
Again, you can either delete or comment out the code you already have. But here's the new code
to try:

We want to check if the @ sign is in the email address, so we first set up a char variable and
assign it a value of '@'. (Note the single quotes for the char variable). After setting up an email
address, we have a result variable. This is an int variable. The reason that result is an integer is
because the indexOf method will return a value. It will return the position number of the
ampersand character in the string email_address. Here's the relevant line:
result = email_address.indexOf( ampersand );

The string you're trying to search comes first. After a dot, type indexOf. In between the round
brackets of indexOf, you have several options. One of the options is to type a single character (or
the name of char variable). We've placed our ampersand variable between the round brackets of
indexOf. Java will then tell us the position of the @ character in the email address. It will store
the value in the result variable.
When you run the code, the output will be 4. You might think that the @ sign is the fifth
character in the email address. But indexOf starts counting at 0.
However, if the character is not in the word that you're searching, indexOf will return a value of
-1. To test this out, delete the @ sign from your email_address string. Then run your code again.
You'll see -1 as the output.
You can use the return value of -1 to your advantage. Here's the code again, only with an IF
statement that examines the value of the result variable:

So if the result of indexOf is -1 then we can do one thing, else allow the user to continue.
You can also use indexOf to test for more than one character. The code below checks the email
address to see if it ends with ".com":

The code is almost identical, except we're now using a String variable to hold the text we want to
check for (.com), and not a char variable.
Again, a result of -1 will be returned if the text to search for is not found in the String that comes
before the dot of indexOf. Otherwise, indexOf will return the position of the first of the matching
character. In the code above, the dot is the seventh character of the email address, when you start
counting from 0.
You can also specify a starting position for your searches. In our email address example, we can
start searching for the ".com" after the @ symbol. Here's some code that first locates the position
of the @ symbol, and then uses that as the start position to search for ".com".

The new line of code is this one:


result = email_address.indexOf( dotCom, atPos );
The only thing different is the addition of an extra variable between the brackets of indexOf. We
still have the string we want to search for (which is whatever text is in the dotcom variable), but
we now have a starting position for the search. This is the value of the variable called atPos. We
get the atPos value by using indexOf to locate the position of the @ symbol in the email address.
Java will then start the search from this position, rather than starting at 0, which is the default.

Ends With Starts With

For the program above, you can also use the inbuilt method endsWith:
Boolean ending = email_address.endsWith( dotcom );
You need to set up a Boolean variable for endsWith, because the method returns an answer of
true or false. The string you're trying to test goes between the round brackets of endsWith, and
the text you're searching goes before it. If the text is in the search string then a value of true is
returned, else it will be false. You can add an if else statement to check the value:
if (ending == false ) {
System.out.println( "Invalid Email Address" );
}
else {

System.out.println( "Email Address OK " );


}
The method startsWith is used in a similar way:
Boolean startVal = email_address.startsWith( dotcom );
Again, the return value is a Boolean true or false.

In the next lesson, you'll learn how to use a method called substring.

Substring

One really useful method available to you is called substring. This method allows you to grab
one chunk of text from another. In our email address program above, for example, we could grab
the last five characters from the address and see if it is co.uk.
To get some practice with substring, we'll write a small Name Swapper game. For this game, we
want to change the first two letters of a family name and swap them with the first two letters of a
personal name, and vice versa. So if we have this name:
"Bill Gates"
we would swap the "Ga" of "Gates" with the "Bi" of "Bill" to make "Bites". The "Bi" of "Bill"
will then be swapped with the "Ga" of "Gates" to make "Gall". The new name printed out would
be: "Gall Bites"
We'll use substring for most of this program. Substring works like this:
String FullName = "Bill Gates";
String FirstNameChars = "";
FirstNameChars = FullName.substring( 0, 2 );

You set up a string to search, in this case the string "Bill Gates". The string you're trying to
search goes after an equals sign. After a dot, type the name of the method, substring. There are
two ways to use substring, and the difference is in the numbers between the round brackets. We
have two numbers in the code above, 0 and 2. This means start grabbing characters at position 0
in the string, and stop grabbing when you have two of them. The two characters are then returned
and placed in the variable FirstNameChars. If you always want to go right to the end of the
string, you can just do this:
String test = FullName.substring( 2 );
This time, we only have 1 number between the round brackets of substring. Now, Java will start
at character two in the string FirstName, and then grab the characters from position 2 right to the
end of the string.
Start a new program to test this out. Add a print line to the end and your code should be this:

When the program runs, the Output window should look like this:

So the substring method has allowed us to grab the first two characters of the name "Bill".
To get the first characters, we had a 0 and a 2 between the round brackets of substring. You might
think that to get the "Ga" of "Gates" that we could just do this:

= FullName.substring(5, 2);
We still want two characters, after all. Only this time, the 5 would tell Java to start from the "G"
of "Gates". (The first position in a string is position 0 not position 1.) So, start at position 5 in the
string and grab 2 characters.
However, running that code would get you an error. That's because the second number between
the round brackets of substring doesn't mean how many characters you want to grab. It means the
position in the string that you want to end at. By specifying 2 we're telling Java to end at the
character in position 2 of the string. As you can't go from position 6 backwards to position 2 you
get an error instead.
(NOTE: If you start the count at 0 in the string "Bill", you might think that position 2 is the letter
"l". And you'd be right. But substring starts before the character at that position, not after it.)
To get the "Ga" of "Gates", therefore, you could do this:
FullName.substring( 5, FullName.length( ) - 3 );
The second number is now the length of the string minus 3 characters. The length of a string is
how many characters it has. "Bill Gates" has 10 characters, including the space. Take away 3 and
you have 7. So we're telling substring to start at character 5 and end at character 7.
And that would work perfectly well for people called "Bill Gates". But the program wouldn't
work if you name was, say, "Billy Gates". The code above would then grab the space character
plus the letter "G", which is not what we want at all. We want the program to work whichever
two names are entered. So we have to get a bit clever.
One thing we can do is to note the position of the space in the two names. The 2 characters we
want to grab from the second name always come right after the space character. We want some
code that grabs those first two characters after the space.
We can use indexOf to note the position of the space:
int spacePos = FullName.indexOf(" ");
To specify a space character you can type a space between two double quotes (or single quotes).
This then goes between the round brackets of indexOf. The value returned will be an integer, and
it is the position of the first occurrence of the space character in the string FullName.
Test it out by adding the line above to your code: Add a print line to check the Output:

Run the program to see the following Output:

So the space is at position 4 in the string. We can use this fact to grab the first two characters of
"Gates", or indeed any second name. We tell Java to go from the first character after the space,
and end at the next two characters:
FullName.substring( spacePos + 1, (spacePos + 1) + 2)
So the two numbers between the round brackets of substring are these:
spacePos + 1, (spacePos + 1) + 2
We want to start at the first character after the space (space + 1), and end two characters after this
position, which is (spacePos + 1) + 2.
Add the following lines to your code (The ones highlighted. Our new substring method spills
over on to two lines, but you can keep your on one, if you prefer):

When you run the program, the Output window is this:

So we now have the "Bi" from Bill and the "Ga" from Gates. What we now need to do is get the
rest of the characters from the two names, and then swap them around.
Again, we can use substring to get the remaining characters from the first name:
String OtherFirstChars = "";
OtherFirstChars = FullName.substring( 2, spacePos );
System.out.println( OtherFirstChars );
And the remaining characters from the second name:
String OtherSurNameChars = "";
OtherSurNameChars = FullName.substring((spacePos + 1) + 2,
FullName.length() );
System.out.println( OtherSurNameChars );

Not the numbers in between the round brackets of substring. To get the other first name
characters, the numbers are these:
2, spacePos
This tells Java to start at position 2, and go right up to the position of the space. To get the rest of
the second name, however, it's a little bit trickier:
(spacePos + 1) + 2, FullName.length( )
The (spacePos1 + 1) + 2 is the starting position of the third character of the second name. We
want to end at the length of the string, which will get us the rest of the characters.
Add the following to your code (highlighted):

The Output is this:

We now have all the parts of the name. To join them together, we can use concatenation:

Add the new lines to your own code. When you run your program, the Output window should
display the following:

We can get rid of the print lines, though, and invite a user to enter a first name and second name.
Here's the new program (the only addition is for the keyboard input, which you've used before):

The Output window should look something like this, when you run your program and enter a
first name and surname:

We should, of course, add some error checking. But we'll assume the user can enter a first name
and surname with a space between the two. If not, the program will crash! Let's move on,
though, and have a look at the equals method.

You can check two strings to see if they are the same. For this, use the equals method in Java.
Here's some code:

In this code, we want to check if one email address is the same as another. The first two lines set
up two string variables, one for each email address. The third line sets up a Boolean variable.
That's because the equals method returns a value of true or false. The fourth line is where we use
the method:
isMatch = email_address1.equals( email_address2 );
In between the round brackets of the equals method, you place the string you're trying to check.
The other string goes before the equals method. Java will then tell you (true or false) whether the
two are the same. The IF statement checks which one it is.
The equals method only compares objects, however. It's OK for strings, because they are objects.
But you can't use the equals method to compare int variables. For example, this code would get
you an error:
int num1 = 12;
int num2 = 13
Boolean isMatch = false;
isMatch = num1.equals(num2);
The int variable is a primitive data type, and not an object. You can turn the primitive int data
type into an object, though:
int num1 = 12;
Integer num_1 = new Integer(num1);

Here, the int variable called num1 is being turned into an Integer object. Note the use of the new
keyword. In between the round brackets of Integer, you put the primitive int data type you want
to convert to an object.
Another useful Java string method is charAt. You'll meet this in the next lesson.
The charAt method in Java

You can check to see which single character is in a particular string. The charAt method is used
for this in Java. Here's some code to try:
String email_address = "meme@me.com";
char aChar = email_address.charAt( 4 );
System.out.println( aChar );
This code checks which letter as at position 4 in the email address string. The return value is a
variable of type char:
char aChar = email_address.charAt( 4 );
When the above code is run, the output is the character @. The number between the round
brackets of charAt is the position in the string you're trying to check. Here, we want to get at the
character in position 4 of the email_address string. Again, the count starts at 0, just like substring.
One good use for charAt is for taking a letter from a string variable that is typed by a user, and
then converting it to a single char variable. For example, you could ask the user to type Y to
continue or an N to exit. Have a look at this code:

We can't use the Scanner class directly to get a single letter to store in a char variable. So we use
the next( ) method to get the next string that the user inputs. There's a next integer, next long,
next double - even a next Boolean. But there's no next char. Even if the user inputs a single
character it will still be a string and not a char. (Remember: a char variable stores a Unicode
number as an integer.)
We can use charAt to get a character from any string that the user inputs, even if the user inputs a
single letter:
char aChar = aString.charAt( 0 );
All we're saying is "Get the character at position 0 in the string called aString, then store it in the
aChar variable".
We've added an IF statement to test what is in the aChar variable. (Note the use of single quotes
around the letter Y.)
The replace Method in Java

The replace method in Java is used to replace all occurrence of a character/s in a particular string.
Take this sentence:
"Where are you books?"
We want to replace "you" with "your". Here's the code:

There are several ways to use the replace method, and they differ in what you put between the
round brackets of the method. We're replacing one sequence of characters with another. Think of
the comma separating the two as the word "with". You'd then have "Replace you with your".
You can also replace single character:
aString.replace( '', '@' )
The above code reads "Replace with @".
(You can also use something called a regular expression in your replace methods, but that is
outside the scope of this book.)

Trim

You can trim white space from your strings White space is things like space characters, tabs, and
newline characters - the characters you can't see, in other words. The trim method is easy to use:
String amend = " white space ";
amend = amend.trim( );
So the trim method goes after the string you want to amend. The blank characters before the
word "white" and after "space" in the code above will then be deleted.
If you're getting input from a user then it's always a good idea to use trim on the inputted strings.

OK, we'll leave string manipulation there and move on. Next up - formatted strings of text.
Formatted Strings

Strings of text can be formatted and output with the printf command. The printf command
understands a series of characters known as a format specification. It then takes a string of text
and formats it, based on the format specification passed over. As an example, supposed we
wanted the Output window to display text in neat columns, like this:

The first column is left-justified, and the second column is right-justified. The code for the
Exam_Name and Exam_Grade headings was this:
String heading1 = "Exam_Name";
String heading2 = "Exam_Grade";
System.out.printf( "%-15s %15s %n", heading1, heading2);

To get the left-justified column, you need a percentage symbol, a minus symbol, the number of
characters, and then the letter "s" (lowercase). So ''%-15s'' means fifteen characters left-justified.
To get a right-justified column the same sequence of characters are used, except for the minus
sign.
To get a newline %n is used. Note that the characters are surrounded with double quotes.
After a comma, you type the text that you want formatting. The first comma in the code above
separates the format specification from the text being formatted.
Here's some tables of the various options.

String Formatting

If you want to format numbers then you can either use the "d" character or, for floating point
numbers, the "f" character.
Integer Formatting

Floating Point Number Formatting

Here are some code examples of String, integer and floating point formatting. Try them out for
yourself.

Same as above but the numbers occupy 10 places, with spaces to the left as padding.

Finally, here's the table again from the start of this formatting section:

And here's the code for the above formatted output:

Have a play around with formatting, and see how you get on. If you get error messages you may
have gotten your "s" formatting confused with your "d" formatting!
In the next section, we'll move on and tackle Java Methods.

Writing you own Java Methods

You have been using methods in the previous section, and have seen how useful the inbuilt ones
can be. In this section, you'll learn to write your own methods.

The Structure of a Method

A method is just a chunk of code that does a particular job. But methods are set out in a certain
way. You have a method header, and a method body. The header is where you tell Java what
value type, if any, the method will return (an int value, a double value, a string value, etc). As
well as the return type, you need a name for your method, which also goes in the header. You can
pass values over to your methods, and these go between a pair of round brackets. The method
body is where you code goes.

The method's return type goes first, which is an int type in the code above. After the method
type, you need a space followed by the name of your method. We've called the one above total.
In between a pair of round brackets we've told Java that we will be handing the method a
variable called aNumber, and that it will be an integer.
To separate this method from any other code, you need a pair of curly brackets. Your code for the
method goes between the curly brackets. Note the word return in the method above. This is
obviously the value that you want to return from your method, after your code has been
executed. But it must be of the same type as the return type in the method header. So the return
value can't be a string if you started the method with int total.
Sometimes you don't want Java to return anything at all. Think of Trim in the previous section.
You may only want the Trim method to get on with its job, and not return anything to you. A
method that doesn't return any value at all can be set up with the word void. In which case, it
doesn't need the return keyword. Here's a method that doesn't return a value:

All the method above does is to print some text. It can just get on with its job, so we've set it as a
void method. There's no return value.
Methods don't need to have values passed to them. You can just execute some code. Here's a void
method without any values being passed over:

And here's an int method that has no values being passed:

As you can see, the round brackets are empty in both methods. But they are still needed. Miss the
round brackets out and you'll get an error message.
In the next lesson, you'll learn how to call your methods into action.

Java Method Calling

Methods don't do anything until you call them into action. Before we see how, let's add another
class to the project. We can then put all the methods there, instead of clogging up the main class.
(You'll start learning more about classes in the next section.)

Start a new Java Application project. Give your project a name, and rename the Main method to
something else. Then click Finish. In the image below, we've called our project prjmethods, and
the class TestMethods:

To add a new class to your project, click File from the NetBeans menu. From the File menu,
select New File. You'll see a dialogue box appear. In the Categories section select Java, and in
the File Types section select Java Class. Then click the Next button at the bottom. In step two,
type a name for your new class. We've called ours MyMethods. You can leave everything else
on the defaults:

Click the Next button at the bottom. In step two, type a name for your new class. We've called
ours MyMethods. You can leave everything else on the defaults:

So we're creating a second class called MyMethods which will be in the Project prjmethods.
Click the Finish button and your new class file will be created. A new tab will appear in the

NetBeans software, with some default comments about how to change templates. You can delete
these comments, if you like. You should be left with the following code window:

The thing to notice is that there's no Main method this time - just a blank class with the name you
chose, and a pair of curly brackets for your code. Let's add one of our methods. So add the
following code to your class:

This is the int method we met earlier with the name total. It has nothing between the round
brackets, which means we're not going to be handing it any values. All the method does is to add
up 10 + 10 and store the answer in a variable called a_Value. This is the value that will be
returned from the method. The value after the keyword return must match the return type from
the method header. Ours is OK because they are both int.
(It's important to bear in mind that the a_Value variable can't be seen outside of the total method:
Any variable set up inside of a method can't be accessed outside of that method. It's known as a
local variable - it's local to the method.)
To call the total method, select your TestMethods tab in NetBeans, the one with your Main
method. We're going to call the total method from the Main method.
The first thing to do is to create a new object from our MyMethods class. Add the following line
to your Main method:

To create a new object from a class you start with the name of the class, MyMethods in our case.
This is in place of int, double, String, etc. In other words, the type of variable you're creating is a
MyMethods variable. After a space, you type a name for your new MyMethods variable. We've
called ours test1. (It's underlined because we haven't done anything with it yet. This is a
NetBeans underline.)
An equals sign comes next, followed by the keyword new. This means new object. After the
keyword new, type a space followed by your class name again. The class name needs a pair of
round brackets after it, this time. End the line in the usual manner, with a semi-colon.
What we've done here is to create a new MyMethods object with the name test1. Our total
method inside of the class MyMethods will now be available from the Main method of the
TestMethods class.
To call the total method into action, add this line:

We're setting up an int variable with the name aVal. After an equals sign comes the name of our
class, test1. To access methods in the class, type a dot. NetBeans will display a popup box with
the available methods:

Our total variable is on the list (the others are built in methods). The round brackets are empty
because our method doesn't accept values, but the return type, int, is displayed to the right.
Double click total to add it to your code. Then type a semi-colon to end the line.
Finally, add a print line:

When the code is run, the Output window will display the following:

So to call a method that returns a value, note what value is being returned by your method. Then
assign this value to a new variable, aVal in our case. But the method should be available when
you type a dot after your object name.

If your method is of type void, however, you don't need to assign it to a new variable like aVal.
As an example, switch back to your MyMethods class, and add the void method you met earlier:

This new method is called print_text. Again, it has an empty pair of round brackets as we're not
handing it any values. All it does is to print out some text.
Once you've added the void method, switch back to your TestMethods class. Add the following
line:
test1.print_text( )
As soon as you type the dot, you should see the new method appear on the list:

Both of our methods are now on the list, total and print_text. The values that they return are
displayed on the right, int and void.
Because the print_text method is a void method, you don't need to set up a return value. All you
need is the name of your object, a dot, and the void method you want to call. Java will then just
get on with executing the code inside of your method.
Run your code and your Output window should display the following:

In the next part, we'll take a closer look at passing values to methods.

Passing Values to your Java Methods

You can pass values to your methods so that something can be done with this value. That value
goes between the round brackets of the method.
Switch back to your MyMethods class. Now add the second of our total methods:

We now have two methods with the same name: total. The difference between the two is that this
new one has a value between the round brackets. Java allows you to do this, and it is called
method overloading. You can have as many methods with the same name as you want, with any
return value. However, you can't have the same type of variables between the round brackets. So
you can't have two total methods that return int values with both of them having int values
between the round brackets. You can't do this, for example:
int total( int aNumber ) {
int a_Value = aNumber + 20;
return a_Value;
}
int total( int aNumber ) {
int a_Value = aNumber + 50;
return a_Value;
}
Although the two methods do different things, they have the same method headers.
Before you try out your new method, add some comments directly above the method:

You'll see what the comments do in a moment. But the param in the comments above is short for
parameter. A parameter is the technical term for the value between the round brackets of your
method headers. Our parameter is called aNumber, and it has an integer values. Note the use of
the @ character before param and return.
All we're doing with the method itself is passing it an integer value and adding 20 to this passed
value. The return value is the total of the two.
Now switch back to your code and add the following line:
int aVal2 = test1.total(30);

As soon as you type the dot after your test1 object, you'll see the popup list again. Your new total
method will be on it. Click on the new method to highlight it and NetBeans will display the
following:

The comments that we added are now displayed in the blue box underneath the list of methods.
Anyone else coming across your method should be able to figure out what it does. The @param
and @return lines from the comments are now filled out, and made bold.
But once you have added the total2 method, type the number 30 between the round brackets.
Then type a semi-colon to end the line. You main method should now look like this:

The 30 between the round brackets of the new total method will be handed over and placed in the
variable aNumber, which is in the round brackets of the method header:

Once you have handed the value over, the method can get to work.
Add a print line to your code:
System.out.println( "Method result2= " + aVal2 );

Then run your program. The Output window should display the following:

So our new total method has added 30 to 20, and then returned the answer to the variable called
aVal2.
In the next lesson, you'll learn how to pass more than one value over to your methods.

Passing Multiple Values to Methods

You can pass more than one value over to your methods. Add the following method to your
MyMethods class:

All this method does is to print something out. Between the round brackets of the method name
we have two values, a String variable called aString and an int variable called aVal. When we
call this method, we need a string first and then a number. Try to do it the other way round and
you'll get error messages.
Go back to your TestMethods class and make the following call to the method:
test1.print_text( "The value was ", aVal2 );
Again, the print_text method should show up on the NetBeans popup list.

The values (parameters) that we specified are between the round brackets, along with the return
method, void.
But your main coding window should now look like this:

The two values that we are passing over are separated by a comma. Notice that the value inside
of aVal2 is being passed over. However, the variable name inside of the round brackets of
print_text is called aVal. Although the two variable names are different, this doesn't matter.
What you are doing is passing values over to the method. So the variable aVal will end up with
the same value as aVal2.
If you run your program now, you should see the following in the Output window:

We'll leave methods there for the time being. We'll be writing more methods as we go along, so
you should get plenty of practice. The next section is about Classes - Object Oriented
Programming.

ava Classes

In this section, you'll learn how to write your own Java classes, and how to create objects from
them. You've already made a start on classes in the previous section. But we'll go into more detail
now. In case you're confused about the difference between an object and class, though, when we
talk about a class we're talking about the code itself, the code that sits around doing nothing.
When you put the code to work it's an object.
When you create a class, you're writing code to do a particular job. That job might be to do with
an employee, but not the company's sales figures at the same time. You would write a separate
class for the sales figures. That way, you can re-use the employee class in another project. The
sales figures would be redundant data.
When you're trying to come up with your own ideas for classes you should bear in mind that
redundancy issue and ask yourself, "Is there any code in this class that doesn't need to be here?"
For this section's example, we'll write a class that deals with exams. For our example class, we'll
make things simple. We'll record the name of the person taking the exam, which exam it was, the
score out of 50, and a grade.
Let's make a start.
Create a new Java project for this. Call the package exams, and then change the name of the
Main method to ExamDetails. You should then have the following code:

We'll create a second class to handle the exam data. So, in NetBeans, click File from the menu
bar at the top. From the File menu, select New File. Highlight Java from the Categories list, and
Java Class from the File Types list. Then click Next. On the next screen, enter StudentResults
as the class name. Then click Finish. NetBeans will create a second class in your project. You can
delete any default comments.
In the next lesson, you'll learn about Field Variables.

Java Field Variables

In a previous section, we talked about variables inside of methods. The variables you set up
inside of methods are only available to those methods. They are not available to other methods.
They are said to have local scope.
However, you can set up variables outside of methods that all the methods in your class can see.
These are known as Field variables (or Instance variables). You set them up in exactly the same
way as any other variable. Add the following four fields to your new StudentResults class:

We're setting up four string variables (four string fields). As the names of the fields suggest, the
string will hold a person's name, an exam name, a score, and a grade. These four fields will be
available to all the methods that we write in this class, and won't be local to any one method.
They are said to have global scope.
To see just how global they are, click back on to your ExamDetails class, the one with the main
method. Add the following line of code to create a new object from your StudentResults class:

This is the same as we did in the previous section - used the new keyword to create a new object.
The name of the object will be aStudent, and it is of type StudentResults, which is our class.
On the next line, type the name of the variable (aStudent), followed by a dot. As soon as you type
the dot NetBeans display a popup list of methods and properties available to your object:

The four fields that we set up are on the list. They are not methods, but something called a
property. The fact that they are on the list at all means that they have global scope. If they had
local scope they wouldn't be on the list.
You can set values for properties. Try this: add the following highlighted code to your main
method:

We've selected the Exam_Name field from the list and assigned it the value "VB NET". The
next line then gets the value of Exam_Name from the aStudent object. The result is stored in a
variable called exam, and then printed out. When you run the program, the output is the string
"VB Net".
So the four variables we've set up are now available to both classes.
However, it's not a good idea to make field variables global like this. You tend to lose track of
just what values are being held in them, and it therefore makes debugging your code a lot harder.
It's considered good coding to narrow the scope of field variables.
To make a field variable available only to a particular class, you add the Java keyword private
just before the field declaration. Change the code in your StudentResults class to this:

Now, only code within the StudentResults class can see these field variables. To check, go back
to your main method. You should see some warnings and red underlines:

Delete the three lines at the bottom. Type aStudent and then a dot again to see the NetBeans
popup list:

As you can see, the four field variables have now vanished. They have vanished because they no
longer have global scope, and therefore can't be seen from the ExamDetails class.
In the next part, you'll learn about something called a class constructor.

The Java Class Constructor

Because we've made the field variables private, we need another way to assign values to them.
One way to do this is with something called a constructor. This is a method you can use to set
initial values for field variables. When the object is created, Java calls the constructor first. Any
code you have in your constructor will then get executed. You don't need to make any special
calls to a constructor method - they happen automatically when you create a new object.
Constructor methods take the same name as the class. Add the following constructor to your
StudentResults class:

So the name of the constructor is StudentResults. This is exactly the same name as the class
itself. Unlike normal methods, class constructors don't need a return type like int or double, nor
any return value. You can, however, pass values over to your constructors. If we want to pass
values over to our field variables, we can do this:

Here, we've added two String variables to the round brackets of the constructor. Inside the curly
brackets we've assigned these values to the Full_Name and Exam_Grade fields. When you
create a new object, you'd then need two strings between the round brackets of the class name:
StudentResults aStudent = new StudentResults( "Bill Gates", "A" );
When the object is created, the values "Bill Gates" and "A" will be handed over to the
constructor.
However, it's a good idea to just set some default values for your field variables. These values
will then be assigned when the object is created. Add the following to your constructor:

All four of our field variables will now have default values whenever a new StudentResults
object is created. Notice that we now don't have anything between the round brackets of the class
constructor.
In the next part, we'll take a look at accessing class variables.

Accessing Class Variables

Now that we have some default values, we can add a method that sets some different values for
them. Add the following method to your StudentResults class:

This new method is called fullName, and has a String variable called aName between its round
brackets. The method doesn't do a great deal, and is here for simplicity's sake. We could have had
the method do more work, like checking it for errors, making sure it's proper case, checking for
blank strings, etc. But the important point is that it sets a value for the Full_Name field, and
returns this field as a value. When we call this method, it will overwrite the default value for
Full_Name and insert a new value. Whatever is in the variable aName will be the new
Full_Name value. Let's see it in action.
Click back to your ExamDetails class. Add the following two lines:
String sName = aStudent.fullName("Bill Gates");
System.out.println( sName );
The code for your ExamDetails class should look like the one below:

What we're doing here is calling the fullName method of our aStudent object. We're handing
over a value of "Bill Gates". This will then be the value for the Full_Name field. (It could have
been checked for errors, amended, and then stored in the field.) The Full_Name value is then
returned and stored in the variable sName.
Just like the methods we created in the previous section, though, our fullName method is on the
NetBeans popup list. Notice that the constructor is not there, however:

Run your code to test it out. The Output window should display the following:

What we've done, then, is to set a value for a field variable in a class called StudentResults.
We've then accessed that value and printed it out.

Let's now add a method that actually does something useful. What we'll do is to allow a user to
enter a two letter exam code. We'll then pass those two letters over to a method that turns the two
letters into an exam name. For example, if a user enters the letter "VB", the method will return
the string "Visual Basic .NET". The longer string will be stored in the Exam_Name field
variable.
Add the following code to your StudentResults class, just below your fullName method:

The examName method has a string variable called examCode between its round brackets. This
string will be the two letters. The IF ELSE IF lines check to see which two letters are in the
string. If we find a match for the two letters then a longer exam title is placed into the
Exam_Name field. If no match is found then the text will be "No Exam Selected".
Go back to your ExamDetails class and add the following line:
String exam = aStudent.examName("VB");

Again, we're just making a call to the method. We hand over to the two letters "VB". The method
returns the value "Visual Basic .NET", and then stores it in the string variable we've called exam.
Add a new print line and your code should look like this:

Run your code and the Output should be this:

We'll continue this lesson in the next part, as the page is getting a bit too long!

More Java Class Methods

So we now have a student name and an exam name. Both are stored in the field names in the
StudentResults class. We can now add an exam score.
Add the following new method to your class, just after your examName method:

This new method has the name examScore, with an int variable called aScore between its round
brackets. It's set to return a String value. The method itself just combines the score with the
string " out of 50". So if the value in aScore is 30, the text "30 out of 50" will be stored in the
Exam_Score field.
In your ExamDetails class, add the following line:
String score = aStudent.examScore(30);
So we call the new examScore method and hand it a value of 30. The value in the Exam_Score
field is returned, and then stored in a string variable that we've called score.
Add a new print line method so that your code looks like ours below:

When the program is run, the Output window now looks like this:

So we have the student name, the exam name, and the score out of 50. We can now add a grade
to the output.
We'll use a single letter for the grade: A, B, C, D, or E. If the students gets 41 or over, we'll an
award an A; if the score is between 31 and 40, the grade will be B; for a score of 21 to 30 a C
grade will be awarded; a D grade is between 11 and 20; and an E is for scores between 0 and 10.
Add the following method to calculate the above grades (add it to your StudentResults class):

Notice that this method is private. Just like field variables, making a method private means it
can only be seen inside of this class. It can't be seen by the ExamDetails class.
To get the grade, we'll set up another method inside of the StudentResults class. We'll use this to
get the grade. Add the following method just above the getGrade method (though you can add it
below, if you prefer: it doesn't make any difference to Java!):
String examGrade(int aScore) {
Exam_Grade = this.getGrade( aScore) ;
return Exam_Grade;
}

This is the method we'll call from the ExamDetails class, rather than the getGrade method. The
name of this new method is examGrade, and again we're passing in the student's score. Look at
this line, though:
Exam_Grade = this.getGrade( aScore );
The getGrade method is being called, here, and we're passing it the score that was handed over.
Calling one method from another is standard practice, and it allows you to simplify your code.
The alternative is to have very long methods that are hard to read.
Another thing to notice in the line above is the Java keyword this. The this keyword means "this
class", rather than another class that may have the same method name. It avoids any confusion.
It's strictly not necessary, and we could have left it out. The method call would still work without
it:
Exam_Grade = getGrade( aScore );
The end result, though, is still the same: we're storing something in the Exam_Grade field
variable, and that something will be the text "Grade is" plus a grade letter.
Add the following line to your ExamDetails class, to test out your new methods:
String grade = aStudent.examGrade(30);
This line hands a value of 30 over to the examGrade method. The value in the Exam_Grade field
variable is then returned, and stored in a variable called grade.
With a print line, your ExamDetails class should look like this:

Run your program to see the Output window:

If your program is not working properly, here's the full code for the StudentResults class:

In the next lesson, you'll learn about Method Overloading.

Method Overloading

You can have methods in your code that have the same name. In our code, we have a method
called examScore. The output for this method would read something like "30 out of 50". But
suppose we have an exam where the maximum score isn't 50 but 30, or even 100. Because we've
hard-coded the "out of 50" part, there's no way to override the examScore method. By setting up
another examScore method, however, we can indeed override our maximum score. In Object
Oriented programming, having methods with the same name is known as Method Overloading.
(It's also called Polymorphism, if you want to use the more technical term.)
Let's see how it's done.
Add the following method to your StudentResults class:
String examScore(int aScore, String maximumScore) {
Exam_Score = aScore + maximumScore;
return Exam_Score;
}
The main difference to note here is the number of arguments. Previously, the examScore method
just had one argument between the round brackets:
String examScore( int aScore )
We had an integer argument called aScore. In method overloading, you change the number or
type of arguments between round brackets. So you can't have exactly the same first line but
different code. So you can't do this:
String examScore(int aScore) {
Exam_Score = aScore + " out of 100";
return Exam_Score;
}
The only change here is the text "out of 100". Although this change makes it different to the
previous examScore method, Java will give you an error. If gives you an error because you have
exactly the same first line, the signature line, as before.
You can't just make changes to the variable name between round brackets, either. So this would
get you an error:

String examScore( int anotherScore )


You'll get an error because the variable is still an int as before. You can change the type of
variable it is, though. This is OK:
String examScore( String anotherScore )
Now, the signature is different - the variable between round brackets is a String rather than an
int.
In our new examScore method, we have two arguments, one is an int and one is a String. This is
enough for it to be different as a signature line. So if you want to use method overloading, just
make sure that you aren't duplicating another method of the same name.
Here's our code that sets up two methods of the same name:

Notice the comments we've added, here, the ones with @param, and @return. These are known
as Javadoc comments. They will appear in a pop up box to help others when they are using your
code (or even help you, if you forget what a method is supposed to do, and what kind of
arguments/parameters you used).

Because we have more than one examScore, the method is said to be overloaded.
You can see that when we put it to use:

The popup box listing class methods is showing two for examScore, the first one, and the new
one we set up. We can use them something like this:

And here's the output:

You may also have a notice the Javadoc popup boxes appearing, as well:

The box has all the comments we added to the top of the method. Here's the other one:

There's an awful lot more to Javadocs, and they are well worth exploring further.

In the next part, we'll look at Constructor Overloading.

Constructor Overloading

Just like you can overload a method, you can also overload the constructor for your class. Our
StudentResults class has a constructor that sets values for four private field variables:
private String Full_Name;
private String Exam_Name;
private String Exam_Score;
private String Exam_Grade;
StudentResults() {
Full_Name = "No Name Given";
Exam_Name = "Unknown";
Exam_Score = "No Score";
Exam_Grade = "Unknown";
}
But suppose we decided to set three of them to blank strings, and have the Full Name set to
something else, a female/male value, for example. We could do it like this, of course:
StudentResults() {
Full_Name = "Female Student";
Exam_Name = "";
Exam_Score = "";
Exam_Grade = "";
}
But that constructor has exactly the same first line, the signature, as before. Instead, we can set
up two constructors (you can set up more than two, if you like):
StudentResults() {

Full_Name = "No Name Given";


Exam_Name = "Unknown";
Exam_Score = "No Score";
Exam_Grade = "Unknown";
}
StudentResults(String gender) {
Full_Name = gender;
Exam_Name = "";
Exam_Score = "";
Exam_Grade = "";
}
Now, the second one has a String variable between the round brackets of its signature line. It is,
therefore, said to be an overloaded constructor.
To see how overloaded constructors work, add a new fullName method to your StudentResults
class. Add this:
String fullName() {
return Full_Name;
}
Because the round brackets of fullName are empty, it means nothing will get passed over to the
field variable called Full_Name. When the value is returned, it will contain whatever string was
set up in the constructor.
You would use the two constructs like this:

In the Constructor One lines, the new StudentResults object has been set up with nothing
between its round brackets. In the Constructor Two lines, the new StudentResults object has been
set up with the string "female" between its round brackets. In both cases, we're using the
fullName method to see what is inside of the Full_Name field variable from the StudentResults.
Here's the output:

The first output is "No Name Given". This is the result of the original constructor we set up. In
the second output, our newly overloaded constructor is outputting "female".
Java and Inheritance

Another important concept in Object Oriented programming is Inheritance. Just what


Inheritance is will become clearer with some programming examples. But essentially, it's having
one class as a parent class (called a super class) and another class as a child of the parent (the
sub class). The child class is said to be derived from the parent class. The reason to have a child
class, though, is to keep information separate. The child can inherit all the methods and fields
from its parent, but can then do its own thing.

As an example of inheritance, we'll create a sub class that handles information about certificates.
If the student gets an "A" grade, we'll award a Certificate of Excellence; if the student gets a "B"
or a "C" we'll award a Certificate of Achievement. Any other grade and no certificate will be
awarded. But the point about the sub class is to keep the certificates data separate from the exam
data. However, we may still want to access some of the information about the exam, such as
which exam it was. We can even access the methods that turn a score into a grade, and all from
the sub class.
So, create a new class by clicking File > New File from the NetBeans menu. When the dialogue
box appears, select Java under the Categories heading, and Java Class under File Types. Click
Next, and enter Certificates as the name of your new class. Click Finish.
When your new class is created, add a private String field and call it certificate. Your new class
should then look like this:

To create a sub class (child) from a Java super class (parent), the keyword extends is used. You
then follow the "extends" keyword with the parent class you want to extend. We want to create a
sub class from the StudentResults class. The StudentResults class will be the super class and the
Certificates class will be the sub class.
After "public class Certificates" in your code add "extends StudentResults". Your code should
then look like this:

You have now created a sub class that inherits the code from the StudentResults class.

Just like the StudentResults class we can create a constructor for this new Certificates class.
When we create an object from the class, Java will first of all call our constructor.
However, only one constructor can be called. If we call a new constructor from the Certificates
class all those default values we set up for the StudentResults class fields won't get set. To get
around this, there is a keyword called super. This makes a call to the constructor from the super
class. Add the following constructor to your Certificates class:

The name of the constructor is the same as the name of the class: Certificates. The first line of
the code between curly brackets is the super call (note the round brackets after super). When this
line executes, all the default fields we set up in StudentResults will be set.
The second line of code in the constructor sets a default value for the String field called
certificate.
To test out your new class, go back to your ExamDetails class, the one with the main method.
Comment out any code you have so far. A quick way to do this is to highlight all the code, and
then click the comments icon on the NetBeans toolbar:

To get rid of comments, highlight the code again and click the uncomment icon.
Now add the following line to create a new object from your class:
Certificates c1 = new Certificates();
Your code window should look something like this:

The object name is simply c1. The type of object is a Certificates object.
To check that you can access the methods from the StudentResults class, add this line below you
new c1 object:
String exam = c1.examName("VB");
This is exactly the same as you did before: called the examName method of the StudentResults
class. This time, however, you're using a Certificates object rather than a StudentResults object.
Add a print line and your code should look like this:

Run the program to see the following Output window:

So the method from the parent class (the super class) has been called into action. We can now
add a method to the child class (the sub class). Add the following method to your Certificates
class, just below the constructor:

The method is called certificateAwarded, and is set up to return a String value. Inside the round
brackets of the method, we're handing over an exam score.
The first line of the method is this:
String aGrade = examGrade(aScore);
The method examGrade is a method in the parent class. It's the one we set up in StudentResults.
This method, remember, was set up to return a grade and some extra text, "Grade is A", "Grade is
B", etc. We're now calling it from the child class. The IF Statement checks the value of the
aGrade string to see what's in it. Depending on the value a new string is returned, awarding a
particular certificate: Excellence, Achievement, or no certificate.

Click back on your ExamDetails class, and add the following line:
String award = c1.certificateAwarded(50);
This line calls the new method, and hands it a value of 50. The result is returned to the String
we've called award.
Adapt the print line method in your code to this:
System.out.println( exam + " " + award );
Your ExamDetails class should look like this (we've deleted all the comments):

And here is the Output window when the program is run:

So we've used Inheritance to keep the exam details separate from the certificate details. The child
class (sub) accessed the methods of its parent (super). We were then able to output data from
both.
Inheritance, then, is enhancing (extending) the usefulness of a parent class. You keep data
separate by putting it in a child class. But the child is related in some way to the parent, and can
access some or all of its code. Like children everywhere, however, it does its own thing!

In the next section, you'll learn how error handling in Java.

Java Error Handling

In general, errors can be broken up into two categories: Design-time errors and Logical errors.
Design-time errors are easy to spot because NetBeans usually underlines them. If the error will
prevent the program from running, NetBeans will underline it in red. Logical errors are the ones
that you make as a programmer. The program will run but, because you did something wrong
with the coding, there's a good chance the entire thing will crash. You'll see examples of run-time
errors shortly. You'll also see how to handle them. But first a word on how Java handles errors.
Exceptions

In Java, errors are handled by an Exception object. Exceptions are said to be thrown, and it's
your job to catch them. You can do this with a try catch block. The try catch block looks
like this:
try {
}
catch ( ExceptionType error_variable ) {
}
The try part of the try catch block means "try this code". If something goes wrong, Java will
jump to the catch block. It checks what you have between the round brackets to see if you have
handled the error. If you have the correct Exception type then whatever code you have between
the curly brackets of catch will get executed. If you don't have the correct Exception type then
Java will use its default exception handler to display an error message.
As an example, create a new console application. Call it anything you like. In the code for the
Main method, enter the following:
try {
int x = 10;
int y = 0;
int z = x / y;

System.out.println( z );
}
catch ( Exception err ) {
System.out.println( err.getMessage( ) );
}
In the try part of the try catch block, we have set up three integers, x, y and z. We are trying
to divide y into x, and then print out the answer.
If anything goes wrong, we have a catch part. In between the round brackets of catch we have
this:
Exception err
The type of Exception you are using comes first. In this case we are using the Exception error
object. This is a "catch all" type of Exception, and not very good programming practice. We'll
change it to a specific type in a moment.
After your Exception type you have a space then a variable name. We've called ours err, but you
can it almost anything you like.
In the curly brackets of catch we have a print statement. But look what we have between the
round brackets of println:
err.getMessage( )
getMessage is a method available to Exception objects. As its name suggests, it gets the error
message associated with the Exception.
Run your program and test it out. Your code should look something like this:

And the Output window should display the following:


run:
/ by zero
BUILD SUCCESSFUL (total time: 1 second)
The error itself, the one generated by getMessage, is the line in the middle:
/ by zero
In other words, a divide by zero error. Java won't let you divide a number by zero, hence the
error message.
Change your code to this:
double x = 10.0;
double y = 0.0;
double z = x / y;
The rest of the code can stay the same. Run your program and test it out.
Again, an error message will be displayed in the Output window. This one:
run:
Infinity
BUILD SUCCESSFUL (total time: 1 second)

This time, Java stops the program because the result will be an infinitely large number.
Errors that involve numbers shouldn't really be handled by a "catch all" Exception type. There is
a specific type called ArithmeticException. Delete the word Exception between the round
brackets of your catch block. Replace it with ArithmeticException. Now run the program again.
You should find no difference in the error message displayed in the Output window. But you're
using good programming practice by narrowing down the type of error you expect.
In the next part, you'll learn what a Stack Trace is.

The Java Stack Trace

In the normal flow of a program, when the Java Virtual Machine is running your code, one
method after another will be executed, starting with the main method. When a method has its
turn at the head of the programming queue it said be on top of the stack. After the whole of the
method has been executed, it is taken off the stack to be replaced by the next method in the
queue. To illustrate the principal, change your program code to this:

We now have a Main method and two others: a method called m1, and a method called m2.
When the program first starts, the Main method is on top of the stack. However, inside of the
Main method we have a call to the m1 method. When this method is called it jumps to the top of
the stack. The m1 method in turn calls the m2 method. When m2 is called, it jumps to the top of
the stack, pushing m1 aside temporarily. After m2 finishes, control is given back to m1. When
m1 is finished, it gets pushed off the top of the stack, and control is handed back to the Main
method.
Run your program and watch the Output window to see what gets printed out:

If something goes wrong in method m2, the JVM will look for any error handling, like a try
catch block. If there is no error handling, the Exception will get handed to m1 to see if it is
dealing with the error. We don't have any error handling in m1 so again the Exception gets
passed up the stack, this time to the Main method. If the Main method doesn't deal with the
Exception then you'll get a strange error message printed to the Output window. As an example,
adapt your m2 method to this:
static void m2( ) {

int x = 10;
int y = 0;
double z = x / y;
System.out.println( z );
System.out.println("Method Two - m2");
}
The method contains the divide by zero error again. Your code should now look like ours below:

Run the program and watch what happens in the Output window:

What you're looking at is something called a stack trace. The three lines in blue underline refer to
your methods, and where they can be found:
package_name.class_name.method_name
The one at the top is where the error first occurred, in m2. Java was looking for this to be
handled by an ArithmeticException, which is where divide by zero errors should be caught.
There was no error handling in m2, m1, or main. So the program outputted to the default error
handler.
Change you m1 method to this:
try {
System.out.println("Method One - m1");
m2( );
}
catch (ArithmeticException err) {
System.out.println( err.getMessage( ) );
}
We've now wrapped up the method called m2 in a try block. In the catch part, we've used the
Exception type that was reported in the stack trace - ArithmeticException.
Run the code again, and the Output window will display the following:

Notice that the error message is printed out: "/ by zero". The whole of the m2 method was not
executed, but was stopped where the error occurred. Control was then passed back to m1.
Because there was a catch block to handle the error, the JVM saw no need to a default error
handler, but printed out the message between the curly brackets of catch.
The program itself was not stopped, however. Control was passed back to the Main method,
where the m1 method was called. The final line in the Main method, printing out "End Main
method", was executed. This has important implications. Suppose you needed the value from
m1, because you were going to do something with it in Main. The value wouldn't be there, and
your program may not behave as expected.

But if you see a stack trace in the Output window, just remember that first line is where the
problem occurred; the rest of the lines, if any, are where the Exception was handed up the stack,
usually finishing at the main method.
In the next part, we'll look at Logic Errors.

Logic Errors in Java

Logic errors are the ones you make as a programmer, when the code doesn't work as you
expected it to. These can be hard to track down. Fortunately, NetBeans has some built-in tools to
help you locate the problem.
First, examine this code:

Type it out for yourself, using either the program you already have, or by starting a new project.
What we're trying to do here is count how many times the letter "g" occurs in the word
"Debugging". The answer is obviously 3. However, when you run the program the Output
window prints:
"G was found 0 times."

So we've made an error somewhere in our code. But where is it? The program executes OK, and
doesn't throw up any Exceptions for us to study in the Output window. So what to do?
To track down problems with your code, NetBeans allows you to add something called a
Breakpoint.
Click in the margins of the code window to add a new Breakpoint:

From the NetBeans menu, click Debug > Debug errorhandling2 (or whatever you called your
project). NetBeans will jump to the breakpoint. It's has now halted code execution at that point.
You should also see a new toolbar appear:

The first three buttons allow you to stop the debugging session, pause, and continue. The next
five buttons allow you to step into code, step over code, step out, or jump to the cursor.
You can also press the F5 key to continue. The code should run as normal with the Breakpoint
where it is. The debugging session will then end.
When the debugging session ends, click back on the Breakpoint to get rid of it. Now add a
Breakpoint to your for loop:

Now click Debug > New Watch. A Watch allows you to keep track of what's in a variable. So
type the letter i in the Watch dialogue box and click OK:

Add another Watch and then type single_letter. Click OK. Add a third Watch and type
LetterCount. You should these three variables at the bottom of your screen:

Now press the Step Into icon on the toolbar:

Or just press the F7 key on your keyboard. Keep pressing the F7 key and see what happens in the
Watch window. You should find that the i variable goes up by 1 each time. But the other two
variables stay the same:

Because there's nothing in the single_letter variable then LetterCount can't go beyond zero. So
we've found our problem - our use of substring must be wrong, as it's not grabbing any
characters.

Stop the debugging session and change your substring line to this:
single_letter = check_word.substring( i, i + 1 );
Now start the debugging session again. Keep pressing the F7 key to go over each line of the for
loop. This time you should see the sinle_letter and LetterCount variables change.
When the code ends, you should see the Output window display the following:
"G was found 3 times."
We now have the correct answer.
So if things are not going as planned with your code, try setting a Breakpoint and some Watches
for your variables. Then start a debugging session.

In the next section, we'll tackle a different subject altogether: How to open up text files in Java.

How to Read a Text File in Java

Manipulating text files is a skill that will serve you well in your programming career. In this
section, you'll learn how to open and how to write to a text file. But by text file, we just mean a
file with text in it - simple as that! You can create a text file in programs like Notepad on a
Windows computer, TextEdit on a Mac, Gedit in a Linux/Gnome environment.
The first thing we'll do is to open up a text file and read its contents.

Read a Text File

Start a new project for this. Call the package textfiles and the class FileData. Add an import
statement just below the package line and before the class name:
import java.io.IOException;
Your coding window will then look like this:

To deal with anything going wrong with our file handling, add the following to the main method
(the text in bold):
public static void main(String[ ] args) throws IOException {
}
We're telling Java that the main method will throw up an IOException error, and that it has to be
dealt with. Later, we'll add a try catch block to display an appropriate error message for the
user, should something go wrong.
To open the text file, let's create a new class. So click File > New File from the NetBeans menu
at the top. Create a new Java Class file and give it the name ReadFile. When your new class is
created, add the following three import statements:
import java.io.IOException;
import java.io.FileReader;
import java.io.BufferedReader;
Your new class should then look like this one:

(The import lines are underlined because we haven't done anything with them yet. This is a
NetBeans feature.)
We'll create a new object from this class to read a file. Add the following constructor to your
code, along with the private String field called path:

All we're doing here is passing in the name of a file, and then handing the file name over to the
path field.
What we now need to do is create a method that returns all the lines of code from the text file.
The lines will be held in an array. Add the following method declaration that will open up the
file:

Don't worry about the red underline: it will go away once we've added some code. NetBeans has
just added it because we have no return statement.
Notice that the method is set up to return a String array, though:
public String[ ]
The array will contain all the lines from the text file.

Notice, too, that we've added "throws IOException" to the end of the method header. Every
method that deals with reading text files needs one of these. Java will throw any errors up the
line, and they will be caught in our main method.
To read characters from a text file, the FileReader is used. This reads bytes from a text file, and
each byte is a single character. You can read whole lines of text, rather than single characters. To
do this, you can hand your FileReader over to something called a BufferedReader. The
BufferedReader has a handy method called ReadLine. As its name suggests, it is used to read
whole lines, rather than single characters. What the BufferedReader does, though, is to store
characters in memory (the buffer) so that they can be manipulated more easily.
Add the following lines that set up a FileReader and a BufferedReader:

We're creating two new objects here: one is a FileReader object which we've called fr; the other
is a BufferedReader object with the name textReader.
The FileReader needs the name of file to open. For us, the file path and name is held in the field
variable called path. So we can use this.
The BufferedReader is handed the FileReader object between its round brackets. All the
characters from the file are then held in memory waiting to be manipulated. They are held under
the variable name textReader.
Before we can read the lines of text, we need to set up an array. Each position in the array can
then hold one complete line of text. So add the following two lines to your code:
int numberOfLines = 3;
String[ ] textData = new String[numberOfLines];
For now, we'll set the number of lines in the text file to just 3. Obviously, text files can hold any
number of lines, and we usually don't know how many. So we'll change this soon. We'll write a
separate method that gets the number of lines in a text file.
The second line of new code, though, sets up a String array. The number of positions in the array
(its size) is set to the number of lines. We've put this between the square brackets.

To put all the lines of text from the file into each position in the array, we need a loop. The loop
will get each line of text and place each line into the array. Add the following to your code:
int i;
for (i=0; i < numberOfLines; i++) {
textData[ i ] = textReader.readLine();
}
Your coding window should now look like this:

The for loop goes from 0 to just less than the number of lines. (Array positions, remember, start
at 0. The 3 lines will be stored at positions 0, 1, and 2.)
The line that accesses the lines of text and stores them in the array is this one:
textData[i] = textReader.readLine( );
After the equals sign we have this:
textReader.readLine( );
The textReader object we set up is holding all the characters from the text file in memory (the
buffer). We can use the readLine method to read a complete line from the buffer. After the line is
read, we store the line in an array position:
textData[i]

The variable called i will increment each time round the loop, thus going through the entire array
storing lines of text.
Only two more lines of code to add to the method, now. So add these lines to your code:
textReader.close( );
return textData;
The close method flushes the temporary memory buffer called textReader. The return line returns
the whole array. Notice that no square brackets are needed for the array name.
When you've added the code, all those ugly underlines should disappear. Your method should
then look like this:

There's still the problem of the number of lines, however. We've hard-coded this to 3. What we
need is to go through any text file and count how many lines it has. So add the following method
to your ReadFile class:

The new method is called readLines, and is set to return an integer value. This is the number of
lines a text file has. Notice this method also has an IOException part to the method header.
The code for the method sets up another FileReader, and another BufferedReader. To loop round
the lines of text, we have this:
while ( ( aLine = bf.readLine( ) ) != null ) {
numberOfLines++;
}
The while loop looks a bit messy. But it just says "read each line of text and stop when a null
value is reached." (If there's no more lines in a text file, Java returns a value of null.) Inside the
curly brackets, we increment a counter called numberOfLines.
The final two lines of code flush the memory buffer called bf, and returns the number of lines.
To call this new method into action, change this line in your OpenFile method:
int numberOfLines = 3;
Change it to this:
int numberOfLines = readLines( );
So instead of hard-coding the number of lines, we can call our new method and get the number
of lines in any text file.

OK, time to put the new class to work and see if it opens a text file.
Go back to your FileData class, the one with the main method in it. Set up a string variable to
hold the name of a text file:

At this stage, you need to create a text file somewhere on your computer. We created this simple
one in Notepad on a Windows machine:

The name of the text file is "test.txt". Create a similar text file on your own computer. Note
where you saved it to because you need the file path as well:
String file_name = "C:/test.txt";

So our test.txt file is saved on the C drive. If we had created a folder called MyFiles to hold the
file then the path would be "C:/MyFiles/test.txt". Change you file path, if need be.
The next thing to do is to create a new object from our ReadFile class. We can then call the
method that opens the file. But we can do this in a try catch block. Add the following code,
just below your String variable line:

Don't forget all the curly brackets for the try catch block. You need one pair for the try part
and another pair for the catch part. For the try part, we have this:
ReadFile file = new ReadFile( file_name );
String[ ] aryLines = file.OpenFile( );
The first line sets up a new ReadFile object called file. In between the round brackets of
ReadFile, we added the file_name variable. This is enough to hand the constructor the file path it
needs.
The second line of code sets up a String array called aryLines. After the equals sign, we've
called the OpenFile method of our ReadFile class. If it successfully opens up the text file, then
the array of text lines will be handed over to the new array aryLines.
If something goes wrong, however, an error is thrown up the line, and ends up in the catch part
of the try catch block:
catch ( IOException e ) {
System.out.println( e.getMessage() );
}
After the word "catch" we have a pair of round brackets. Inside the round brackets, we have this:

IOException e
What this does is to set up a variable called e which is of type IOException. The IOException
object has methods of its own that you can use. One of these methods is getMessage. The will
give the user some information on what went wrong.
Before we see an example of an error message, let's loop through all the lines of the text file,
printing out each one. Add the following loop code to the try part of the try catch block:
int i;
for ( i=0; i < aryLines.length; i++ ) {
System.out.println( aryLines[ i ] ) ;
}
Your coding window should now look like this:

When the program is run, the Output window will print the following:

As you can see, each line from our text file has been printed out.
To test the error checking part of the code, change the name of your text file to one you know has
not been created. Then run your code again. In the Output window below, you can see that our
text file was changed to testB, and that it couldn't be found:

If you prefer, you can add your own error message to the catch block:

It's probably better to leave it to Java, though!


In the next part, you'll learn how to write to a text file using Java code.
Write to a Text File in Java

Writing to a file is a little easier than reading a file. To write to a file, we'll use two more inbuilt
classes: the FileWriter class and the PrintWriter class.
Create a new class in your project by clicking File > New File from the NetBeans menu. Select
Java in the Categories section of the dialogue box and Class from the File Types list. Click the
Next button at the bottom. For the Class name type WriteFile, then click Finish. Add the
following three import statements your new code:
import java.io.FileWriter;
import java.io.PrintWriter;
import java.io.IOException;
Your new class should look like this:

Again, the underlines are because we haven't used the imported classes yet.
When you write to a file, you can either start from the beginning and overwrite everything, or
you can start at the end and append to the file. The FileWriter class allows you to specify which.
We'll add a field that sets the append value for the FileWriter class. We'll also add a field to set
the name of the file.
So add the following two fields to your code, plus the constructor:

The boolean field is called append_to_file and has been set to a value of false. This is the
default value for the FileWriter class, and means you don't want to append, but erase everything
in the file.
The constructor sets a value for the path field (instance variable), which is the name and location
of the file. This will get handed over when we create a new object from our WriteFile class.
As was mentioned in the previous section, however, you can set up more than one constructor in
your code. We can set up a second one and pass in an append value. That way, a user can either
just use the first constructor and hand over a file name, or a file name and an append value. So
add the following constructor below the first one:
public WriteFile( String file_path , boolean append_value ) {

path = file_path;
append_to_file = append_value;
}
This second constructor now has two values between the round brackets, a file path and an
append value. If you want to append to the file you can use this constructor when creating a new
object. If you just want to overwrite the text file then you can use the first constructor.
Your code window should now look like this:

To write to the file, add the following method below your two constructors:
public void writeToFile( String textLine ) throws IOException {
}
This method doesn't need to return a value, so we've made it void. In between the round brackets
of the method name we have a String variable called textLine. This is obviously the text we
want to write to the file. Again, though, we need to add "throws IOException" as we need to do
something to handle file-writing errors.

The first thing we need in the method is a FileWriter object. The FileWriter takes care of opening
the correct file, and of storing the text as bytes. Add the following line to your writeToFile
method:
FileWriter write = new FileWriter( path , append_to_file);
So we're creating a new FileWriter object with the name write. In between the round brackets of
FileWriter we pass the name and location of the file, plus the append value. This will either be
true (append to the file) or false (don't append). If a file of the name you pass over does not
exist, the FileWriter creates one for you.
The FileWriter write bytes, however. But we can hand the FileWriter plain text with the aid of
the PrintWriter class. The PrintWriter has a few handy print methods for this. But it needs the
name of a FileWriter when creating the object from the class. So add this line to your method:
PrintWriter print_line = new PrintWriter( write );
Our PrintWriter object is called print_line. In between the round brackets of PrintWriter, we've
added the name of our FileWriter object.
To add the text to a file, type the name of the PrintWriter object followed by a dot:
print_line.
As soon as you type the dot, NetBeans will display a list of available options:

There are an awful lot of print options on the list!


The one we'll use is one of the printf methods. This allows you to pass a formatted string of text
to your PrintWriter. A good reason for using printf is to handle new line characters. The new line
character differs, depending on which operating system you use. Windows will add the
characters \r\n for a new line. But Unix systems just use \n. Using the printf function will ensure
the correct encoding, no matter what the platform.
Add the following line to your code:
print_line.printf( "%s" + "%n" , textLine);
We've handed the printf method two things: a format for the text, and the string we want to write
to the file. The two are separated by a comma. Notice the first of the two:
"%s" + "%n"
The %s between double quotes means a string of characters of any length. The %n means a
newline. So we're telling the printf method to format a string of characters and add a newline at
the end. The actual text that needs formatting goes after the comma. The printf method is quite
useful, and we'll go through the options in more detail in a later section. For now, let's crack on.

Only one more line to add to your method:


print_line.close();
This line closes the text file and frees up any resources it was using.
Your WriteFile class should now look like this:

To test out your new class, go back to your FileData class (the one with the main method). Add
the following line to create a new object from your WriteFile class:
WriteFile data = new WriteFile( file_name , true );

So we've set up a WriteFile object called data. In between the round brackets of WriteFile, we've
added two things: the name of the file, and an append value of true. This will ensure that the
second of the constructors we set up gets called. If we wanted to just overwrite the file, then the
code would be this:
WriteFile data = new WriteFile( file_name );
Because we set the default append value as false, we only need the file name if we want to
overwrite the entire contents.
To call the writeToFile method of your WriteFile object, add this line:
data.writeToFile( "This is another line of text" );
Feel free to change the text between the round brackets of the method.
To let the user know that something has happened, you can print something to the Output
window:
System.out.println( "Text File Written To" );
Your FileData code should now look like this (we've added some comments):

If you like, add another try catch part for your text writing. Instead of the above, change it to
this:

Now run your code to test it out. You should see the contents of your text file in the Output
window followed by the message that the text file has been written to:

Run the program again and you should see the new line appear. (You can comment out the code
that writes to the text file.)

And that's it - you can now write to a text file and read its contents. In the next section, we'll
move on and tackle programming with Java Forms.

You might also like