Chapter 1 -- The Class
A Java Class is a compiled program (.java file) which has been converted to a different program type (.class file) that the JDK reads and runs. The most basic Java class is composed of the following: Java codes for beginners
• Public class <ClassName>
• public static void main(String[] args)
public class FirstClass {
public static void main(String[] args) {
}
}
as you can see, in the basic program above we have a class statement and a main method*. Furthermore, you may have noticed the curly brackets, when creating a class/method you must show where it starts and ends with the curly brackets ({ }) inside these brackets is where the code goes. As you can see, the main method is within the class brackets.
[REMEMBER] -- The first letter for a class name should always be capatalised
public class FirstClass { <-- class start
public static void main(String[] args) { <-- main start
} <-- main end
} <-- class end
The Main Method: the main method is used in every single program. This is where the compiler will start to read and perform the actions written in your program.
method*: A Java method is a collection of statements that are grouped together to perform an operation. When you call the print method (chapter 3), for example the system actually executes several statements in order to display message on the console.
A method is made like this:
modifier returnValueType methodName(list of parameters) {
// Method body;
}
• Modifiers: The modifier, which is optional, tells the compiler how to call the method. This defines the access type of the method.
• Return Type: A method may return a value. The returnValueType is the data type of the value the method returns. Some methods perform the desired operations without returning a value. In this case, the returnValueType is the keyword void.
• Method Name: This is the actual name of the method. The method name and the parameter list together constitute the method signature.
• Parameters: A parameter is like a placeholder. When a method is invoked, you pass a value to the parameter. This value is referred to as actual parameter or argument. The parameter list refers to the type, order, and number of the parameters of a method. Parameters are optional; that is, a method may contain no parameters.
• Method Body: The method body contains a collection of statements that define what the method does.
Chapter 2: Comments
A comment is a line in the code for the programmer to read and remind him/her about what the line of code is, what the programmer needs to do, etc. Comments are not read by the compiler thus, they can be anything.
How to create a comment: There are 2 types of comments in Java, the single line comment and the multi-line comment. To create a single line comment you start with // and then put anything you want.
A multi-line comment is a bit more complex than the single line comment. A multiline comment looks like this:
/* start of comment
* all lines except for start and end
* should start like this
end of comment is like this */
public class FirstClass {
public static void main(String[] args) {
//Single line comment!
/*This is the first line
*second line
*third line
end*/
}
}
Chapter 3: Hello World!
The Hello World program is a generic program in all languages, it is a simple console-print out program that says "Hello World!". However, our Hello World program will be a bit more badass than that.
public class FirstClass {
public static void main(String[] args) {
System.out.print("********************************\n");
System.out.print("* *\n");
System.out.print("* *\n");
System.out.print("* Hello World! *\n");
System.out.print("* *\n");
System.out.print("* *\n");
System.out.print("********************************\n");
System.out.println("********************************");
System.out.println("* *");
System.out.println("* *");
System.out.println("* Goodbye World *");
System.out.println("* *");
System.out.println("* *");
System.out.println("********************************");
}
}
As you can see I used two different types of print out statements:
• System.out.print -- This prints out whatever is in the quotations in a single line.
• System.out.println -- This prints out whatever is in the quotations in a new line.
Furthermore, you may notice that after each line of code you can see a ';'. In Java, each line of code ends with ;. Also, in all the print lines you may see '\n' this is called a special sequence and will be covered in the next chapter.
Chapter 4: Java Special Keys
The Java language supports numerous special escape sequences for String* and char ** literals. They are as follows:
\n - new line
\r - carriage return
\f - Formfeed
\b - backspace
\s - space
\t - tab
\" - Double quote
\' - single quote
\\ - backslash (allows you to print out "\")
\ddd - octal character
\uxxxx - Hexadecimal UNICODE character
String*: a string is a line of text like "Hello world"
char**: a char is a single character like 'a' or '1' or '-'. a char is specified with '<char>' instead of "<char>"
Chapter 5: Primitive data types
In Java there are nine primitive data types. Primitive data types are predefined by the language and named by a key word. Let us now look into detail about the nine primitive data types:
• byte - a byte is a small whole number like 68, or 73. They byte has a minimum value of -128 and a maximum value of 127 (inclusive).
• short - the short is a larger whole number than a byte with a minimum value of -32,768 and a maximum value of 32,767 (inclusive).
• int - the int is the most common type of whole number primitive with a minimum value of -2,157,483,648 and a maximum value of 2,147,483,647.
• long - the long is a data typed used for only extremely long numbers. With its capability of going from -9,223,272,036,854,775,808 all the way up to 9,223,372,036,854,775,807 the long is the largest whole number sequence in Java
• float - a float is a data type that can hold non-whole number numbers (10.7, 149.12) and is commonly used instead of the double. The range of the float is beyond the scope of this discussion
• double - the double is a non-whole number (10.7, 1349.432) with the range value beyond the scope of this discussion. This data type, other than the int, is usually the default choice for number sequences.
• boolean - the boolean data type has only two possible values: true or false. you use this data type for simple flags that track true/false condtions.
• char - the char is a single 16-bit unicode character.
• String - the string is a line of text
Chapter 6: variables
A variable is a primitive data type used in code. some examples of variables are strings printed out to form text or integers added, subtracted, multiplied or divided and printed out.
public class FirstClass {
public static void main(String[] args) {
String Hello = "hello java";
char h = 'h';
char e = 'e';
char y = 'y';
int A = 12;
int B = 2;
int Sum = A + B;
int Divide = A/B;
int Multiply = A*B;
int Subtract = A-B;
double D = 123.456;
System.out.println(Hello);//will print out "hello java"
System.out.print(h);//will print out "h"
System.out.print(e);//will print out "e"
System.out.print(y);//will print out "y"
System.out.print("\n");//will make a new line
System.out.println(A + " " + B);//will print out 12 2
System.out.println("Sum - " + Sum);//will print out the sum of A + B
System.out.println("Divide - " + Divide);//will print out the answer of A / B
System.out.println("Multiply - " + Multiply);//will print out the answer of A * B
System.out.println("Subtract - " + Subtract);//will print out the answer of A - B
System.out.println(D);//will print out 123.456
}
}
Chapter 7: user input
In Java, user input is done using 'Scanners' A scanner is an object that takes anything the user inputs and sets it as a string (unless an int is specifically defined):
import java.util.Scanner;
public class UserInput {
public static void main(String[] args) {
Scanner scan = new Scanner(System.in);
String text;
System.out.print("Enter some text: ");
text = scan.next();
System.out.println(text);
}
}
Lets have a look at this code piece by piece:
______
Scanner scan = new Scanner(System.in);
This creates a new Scanner object called 'scan' and uses the System's console (System) as the input device (.in).
______
text = scan.next();
This sets the previously created string named 'text' to the next string inputted by the scanner. Along with .next() which means next thing inputted, the scanner also has:
.nextLine() -- looks at the line of input after the current line
.hasNextInt() -- reads for the next integer inputted
.hasNextDouble() -- reads for the next double inputted
.skip(String) -- skips any word put in the parenthesis
Procedure 1: simple calculator
This is not a new chapter, Procedures will be small programs created using what we have learned in the earlier chapters. In this procedure, we will be using a simple calculator using user input and variables.
import java.util.Scanner;
public class UserInput {
public static void main(String[] args) {
int a, b, answer;
Scanner scan = new Scanner(System.in);
System.out.print("Enter first number: ");
a = scan.nextInt();//reads for next integer
System.out.print("Enter second number: ");
b = scan.nextInt();//reads for next integer
answer = a + b;
System.out.println("Answer = " + answer);
answer = a - b;
System.out.println("Answer = " + answer);
answer = a / b;
System.out.println("Answer = " + answer);
answer = a * b;
System.out.println("Answer = " + answer);
answer = a % b;
System.out.println("Answer = " + answer);
}
}
When this program is run the output will be the following:
Enter first number: 12
Enter second number: 5
Answer = 17
Answer = 7
Answer = 2
Answer = 60
Answer = 2
24.182.108.156!!! End Of Unit 1 !!!24.182.108.156
24.182.108.156!!! Start Of Unit 2 !!!24.182.108.156
Chapter 8: IF Statements
An if statement is a conditional statement that says: if<conditional>{codeblock will happen}
There are three ‘types’ of if statements: if <conditional> {code block will happen} – basic If-then statement
Else if <conditional> {code block will happen} – says ‘If the first if statement does not apply, do this.’
Else {code block will happen} – says, ‘if the above statements do not apply, do this.’
A good example of if statements would be: public static void main(String[] args) {
Int x = 10;
If (x > 10){
System.out.print(“X is greater than 10.”);
}
Else if (x < 10){
System.out.print(“X is less than 10.”);
}
Else{
System.out.print(“X is equal to 10.”);
}
}
}
If one takes the above code and puts it into basic sentences, it will look like: The integer ‘x’ is equal to 10.
If x is greater than 10, print out “X is greater than 10.”
Otherwise, if x is less than 10, print out “X is less than 10.”
If neither of the above statements apply to x, print out “X is equal to 10.”
If statements can be used not only with static (never changing) conditions but also with things like user input. For example:
import java.util.Scanner;
public class UserInput {
public static void main(String[] args) {
Scanner scan = new Scanner(System.in);
String password = “xyxy”;
String text;
System.out.print("Enter A Password: ");
text = scan.next();
if(text != password){
System.out.print(“Access denied.”);
}
Else{
System.out.print(“Access granted.”);
}
}
}
The above program asks the user for a password, if the user enters “xyxy”, access is granted. However, if the user does not enter “xyxy”, access is denied.
Along with != (does not equal) and == (exactly equals), The if statement has a variety of other conditionals that can be used. Some of these are:
.EqualsIgnoreCase(String) –
If (somestring.EqualsIgnoreCase(anotherstring)){code block will happen}
This conditional throws away upper case and lower case.
.Equals(String) –
If (Somestring.Equals(anotherstring)){code block will happen}
This conditional is like == but is more precise.
.Contains(String) –
If (somestring.contains(anotherstring)){code block will happen}
This conditional check if one string contains another string, for example: If (anatomy.contains(tom){code block will happen}
Chapter 9: Loops
In java there are loops that allow the programmer to have a block of code repeated while a conditional is true/false. There are three main types of loops, these are:
  The while loop:
· The while loop says while <conditional> {code block will happen}. The while loops is useful for long and fast loops. One example of this type of loop is:
public class loops {
public static void main(String[] args) {
int x = 10;
while(x != 0){
System.out.println("X = " + x);
x--;
}
}
}
The for loop:
· The for loop is like a while loop but it is used for less repetitions. To write this type of loop we use: for (conditional; conditional >/</<=/>=/etc.;conditional++/conditional--/++conditional/--conditional). One example of this typeof loops is:
public class loops {
public static void main(String[] args) {
for (int i = 10; i > 0; i--){
System.out.println("i = " + i);
}
}
}
The do-while loop:
· The do while loop is like a large for loop, It has the same speed and the same durability but it takes more lines of code. To write this type of loop we use: do {code block}while<conditional>. One example of this loop is:
public class loops {
public static void main(String[] args) {
int x = 10;
do{
System.out.println("X =" + x);
x--;
}while(x != 0);
}
}
As you can see, each of these loops is created differently but they are all able to do the same thing. It is up to the programmer which one he/she wants to use. Another factor to think about when using loops is called ‘Nested looping’. A nested loop is a loop within a loop. The nested loops have the same syntax as the original loop. Here are some examples of nested loops:
· Do While loop
public class loops {
public static void main(String[] args) {
int x = 10;
do{
int y = 0;
System.out.println("X =" + x);
x--;
do{
System.out.println("\tY =" + y);
y++;
}while(y != 10);
}while(x != 0);
}
}
· While loop
public class loops {
public static void main(String[] args) {
int x = 10;
int y = 0;
while(x != 0){
while(y != 10){
System.out.println("X = " + x);
x--;
System.out.println("Y = " + y);
y++;
}
}
}
}
· For loop
public class loops {
public static void main(String[] args) {
for (int i = 0; i < 10; i++){
System.out.println("I = " + i);
for (int j = 10; j > 0; j--){
System.out.println("J = " + j);
}
}
}
}
Chapter 10: Switch Statements
A Switch statement in java is like an ‘if statement’ but more organized. However, in spite of the organization of the switch statement, these types of conditional statements take up a lot of lines of code. One example of switch statements is:
public class switch {
public static void main(String[] args) {
int day = 5;
switch (day) {
case 1:
System.out.println("Monday");
break;
case 2:
System.out.println("Tuesday");
break;
case 3:
System.out.println("Wednesday");
break;
case 4:
System.out.println("Thursday");
break;
case 5:
System.out.println("Friday");
break;
case 6:
System.out.println("Saturday");
break;
case 7:
System.out.println("Sunday");
break;
default:
System.out.println("Invalid Day.");
break;
}
}
}
The above code will print out “Friday”. As you can see, this is just like an If statement but it takes up a lot of lines of code.
Chapter 11: Multiple Methods
Contrary to what you may be thinking, there are multiple methods in java. To create a method we do public/private void methodname(). Public/private defines whether or not the contents of said methods can be seen by other methods. Along with void, methods be type specific. For example, public int methodname(), public double methodname(). Methods can also have operators in their parenthesis. For example, public void methodName(String a, String b, int c, double d){code block}. One example of multiple methods is:
import java.util.Scanner;
public class loops {
public static void main(String[] args) {
Scanner scan = new Scanner(System.in);
int a, b;
System.out.print("Enter first number: ");
a = scan.nextInt();
System.out.print("Enter second number: ");
b = scan.nextInt();
System.out.print("A+B= " + add(a,b));
}
public static int add(int a, int b){//static means never changing and is used for syntax
return a + b;
}
}
The above code does the following:
1. Sets a to an inputted number.
2. Sets b to an inputted number.
3. Calls the method ‘add’ and substitutes a and b in the method parenthesis with a and b define in the main method.
4. Returns the sum of a and b (return a + b)
5. Goes back to the method that it was called and prints out the returned answer along with “A+B= ”.
Procedure 2: Menu Program
In this procedure we will be making a menu program using input, if statements and loops.
import java.util.Scanner;
public class Menu {
static String password;
static int logintries = 5;
public static void main(String[] args) {
run();//goes to a method named "run"
}
private static void run() {
Scanner scan = new Scanner(System.in);
String loginreg;
System.out.print("Login or Register?: ");
loginreg = scan.next();
if (loginreg.equalsIgnoreCase("Login")){
login();
}else if (loginreg.equalsIgnoreCase("register")){
register();
}else{
run();
}
}
private static void register() {
Scanner reg = new Scanner(System.in);
String regpass;
System.out.print("Enter Desired Password: ");
regpass = reg.next();
password = regpass;//sets the password to the input recieved
if (password == ""){
register();//if the passwords length is 0 (no letters or whitespace) make a new one
}else{
logintries = 5;
login();
}
}
private static void login() {
if (password != ""){//if the password is larger then an empty string
if (logintries != 0){
Scanner pass = new Scanner(System.in);
String chance;
System.out.print("Enter your password: ");
chance = pass.next();
if (chance.equals(password)){
Menu();
}
else{//if chance != password
logintries--;
login();
}
}else{//if tries = 0;
register();
}
}else{//if password.length == 0
register();
}
}
private static void Menu() {
Scanner menuchoice = new Scanner(System.in);
int choice;
System.out.println("**************************************");
System.out.println("* *");
System.out.println("* Menu *");
System.out.println("* *");
System.out.println("* 1.Calculator *");
System.out.println("* 2.Change password *");
System.out.println("* 3.Log out *");
System.out.println("* *");
System.out.println("* *");
System.out.println("**************************************");
choice = menuchoice.nextInt();
if(choice == 1){
calculator();
}
else if(choice == 2){
register();
}else if (choice == 3){
System.exit(0);//shuts down the program
}
else{
Menu();
}
}
private static void calculator() {
Scanner type = new Scanner(System.in);
String mathtype;
System.out.print("Enter math type(mod,/,*,+,-): ");
mathtype = type.next();
if(mathtype.equals("mod")){
Scanner math = new Scanner(System.in);
double a,b;
System.out.print("Enter first number: ");
a = math.nextDouble();
System.out.print("Enter second number: ");
b = math.nextDouble();
System.out.println("Answer: " + mod(a,b));
Scanner again = new Scanner(System.in);
String yesno;
System.out.print("Use calculator again?(y/n): ");
yesno = again.next();
if (yesno.equalsIgnoreCase("y")){
calculator();
}else if (yesno.equalsIgnoreCase("n")){
Menu();
}
}
else if(mathtype.equals("+")){
Scanner math = new Scanner(System.in);
double a,b;
System.out.print("Enter first number: ");
a = math.nextDouble();
System.out.print("Enter second number: ");
b = math.nextDouble();
System.out.println("Answer: " + add(a,b));
Scanner again = new Scanner(System.in);
String yesno;
System.out.print("Use calculator again?(y/n): ");
yesno = again.next();
if (yesno.equalsIgnoreCase("y")){
calculator();
}else if (yesno.equalsIgnoreCase("n")){
Menu();
}
}
else if(mathtype.equals("-")){
Scanner math = new Scanner(System.in);
double a,b;
System.out.print("Enter first number: ");
a = math.nextDouble();
System.out.print("Enter second number: ");
b = math.nextDouble();
System.out.println("Answer: " + sub(a,b));
Scanner again = new Scanner(System.in);
String yesno;
System.out.print("Use calculator again?(y/n): ");
yesno = again.next();
if (yesno.equalsIgnoreCase("y")){
calculator();
}else if (yesno.equalsIgnoreCase("n")){
Menu();
}
}
else if(mathtype.equals("*")){
Scanner math = new Scanner(System.in);
double a,b;
System.out.print("Enter first number: ");
a = math.nextDouble();
System.out.print("Enter second number: ");
b = math.nextDouble();
System.out.println("Answer: " + mult(a,b));
Scanner again = new Scanner(System.in);
String yesno;
System.out.print("Use calculator again?(y/n): ");
yesno = again.next();
if (yesno.equalsIgnoreCase("y")){
calculator();
}else if (yesno.equalsIgnoreCase("n")){
Menu();
}
}
else if(mathtype.equals("/")){
Scanner math = new Scanner(System.in);
double a,b;
System.out.print("Enter first number: ");
a = math.nextDouble();
System.out.print("Enter second number: ");
b = math.nextDouble();
System.out.println("Answer: " + div(a,b));
Scanner again = new Scanner(System.in);
String yesno;
System.out.print("Use calculator again?(y/n): ");
yesno = again.next();
if (yesno.equalsIgnoreCase("y")){
calculator();
}else if (yesno.equalsIgnoreCase("n")){
Menu();
}
}
else{
calculator();
}
}
public static double mod(double a, double b){
return a % b;
}
public static double add(double a, double b){
return a + b;
}
public static double mult(double a, double b){
return a * b;
}
public static double sub(double a, double b){
return a - b;
}
public static double div(double a, double b){
return a / b;
}
}
The above program requires the user to login/register a password then login to go to a menu, in the menu, they can choose to change their password, go to a calculator, or shut down the program.
24.182.108.156!!! End Of Unit 2 !!!24.182.108.156
24.182.108.156!!! Start Of Unit 3 !!!24.182.108.156
Chapter 12: Arrays/ArrayLists
Arrays and ArrayLists are two topics in programming that are very important to the fundamentals of every programming language. An array is a preset group of integers, strings, characters, etc. There are three ways to form an array:
1. DataType[] arrayname = new DataType[ArraySize];
2. DataType arrayname[] = {item 0, item 1, item 2, item 3…item n};
3. DataType[] arrayname = {item 0, item 1, item 2, item 3…item n};
As you can see, the integer definitions of items in an array always start with ‘0’ instead of ‘1’. An example of an array is:
import java.util.*;//imports everything in the java.util package
public class Array{
static Scanner input = new Scanner(System.in);
public static void main(String[] args) {
int numNames = getInt("Number of names?");//calls the method “getint()”
String[] names = new String[numNames];//the array (takes the size of the array as the number of names inputed)
for (int i = 0; i < names.length; i++) {
names[i] = getString("Enter name #" + (i + 1));//sets each item of the array as a name inputed
}
for (int i = 0; i < names.length; ++i) {
System.out.println(names[i]);//prints out name at the index number (i) in the array
}
}
public static int getInt(String prompt) {
System.out.print(prompt + " ");
int integer = input.nextInt();
input.nextLine();
return integer;
}
public static String getString(String prompt) {
System.out.print(prompt + " ");
return input.nextLine();
}
}
In the above program, the user is asked to enter a number of names to enter. Once the number is entered, the number is set to the size of an array. Next, the program asks the user for names to fill in the array; once the array is full (the amount of names equals the number inputted) all the names in the array will be printed out. If one wants to print out a full array all together (instead of the items in it 1 by 1) you must use the .toString() function which changes the array to a string.For example:
System.out.print(ArrayName.toString());
Along with arrays, array lists are a huge part of programming. Array lists are like arrays but you can add things, remove things, etc. To create an array list you do the following:
ArrayList ArrayName = new ArrayList();
To add Things to an array one must use the .add function. For example:
ArrayList<String> names = new ArrayList<String>();
names.add(“Daniel”);
names.add(“Charlie”);
names.add(“Tracy”);
To remove items from an array one must use the remove function. For example;
names.remove(“Daniel”);
names.remove(“Charlie”);
names.remove(“Tracy”);
One example of array list use is:
import java.util.*;
class ArrayList{
public static void main(String args[]) {
// create an array list
ArrayList al = new ArrayList();
System.out.println("Initial size of al: " +
al.size());
// add elements to the array list
al.add("C");
al.add("A");
al.add("E");
al.add("B");
al.add("D");
al.add("F");
al.add(1, "A2");
System.out.println("Size of al after additions: " +
al.size());
// display the array list
System.out.println("Contents of al: " + al);
// Remove elements from the array list
al.remove("F");
al.remove(2);
System.out.println("Size of al after deletions: " +
al.size());
System.out.println("Contents of al: " + al);
}
}
The above program’s output is:
Initial size of al: 0
Size of al after additions: 7
Contents of al: [C, A2, A, E, B, D, F]
Size of al after deletions: 5
Contents of al: [C, A2, E, B, D]
ArrayLists can also be used with user input:
import java.util.*;
class InputArrayList{
public static void main(String args[]) {
Scanner scan = new Scanner(System.in);
ArrayList al = new ArrayList();
System.out.print("Amount of objects to put in arraylist?: ");
int size = scan.nextInt();
for (int i = 1; i < size + 1; i++){
Scanner items = new Scanner(System.in);
String addItem;
System.out.println(i+": Add something to the arraylist: ");
addItem = items.next();
al.add(addItem);
}
System.out.print("Size of ArrayList is: " +al.size()+ "\n");
System.out.print("Contenets of ArrayList are: " + al);
}
}
The above program does almost the same thing as the array program we made. It asks the user for a size, then it prompts the user to add things to the ArrayList. Once the amount of things in the ArrayList equal the size, the ArrayList is printed out.
Chapter 13: 2D arrays
A two-dimensional array is an array who’s items are arrays as well. To form one of these array you use:
DataType[][] Arrayname = {{item,item,item…},
{item,item,item…},
{item,item,item…}};
As you can see, all the items in the array “Arrayname” are put in other arrays. This is useful for things like maps, draw-outs, etc. Furthermore, you can easily pinpoint an item on the ‘graph’ of a two-dimensional array by using:
Arrayname[YvalIndex][XvalIndex]
For example:
String[][] Names = {{"Daniel", "John", "Willis"},
{"David", "Alex", "Andrew"},
{"Alec", "Adam", "Anthony"}};
System.out.print(Names[1][2].toString());
The Above will print out “Andrew” because it is at the 2nd Array (first array has index 0) and is the 2nd item in the array (first item has index 0).
Chapter 14: OOP (Object Oriented Programming).
Object oriented programming is programming with multiple classes. This keeps your code neat and organized. When working with mulitiple classes, you must create an object of other classes being used (hence, the name: ‘Object oriented’ programming).To do this, we use:
ClassName CustomName = new ClassName();
One example of object oriented programming is:
Main Class:
import java.util.*;
class Main{
public static void main(String args[]) {
Scanner scan = new Scanner(System.in);
int size;
System.out.print("Enter size of arrayList: ");
size = scan.nextInt();
arraylist list = new arraylist();//creates an object of the arraylist class
for (int i = 1; i < size + 1; i++){
Scanner _scan = new Scanner(System.in);
String item;
System.out.print(i+": ");
item = _scan.next();
list.arli.add(item);
}
list.al();//will run the method 'al' in arraylist class
}
}
arraylist Class:
import java.util.ArrayList;
public class arraylist {
ArrayList arli = new ArrayList();
public void al(){
System.out.println("List size: "+ arli.size());
System.out.println("Items: "+arli.toString());
}
}
The above program will do the same thing as the Array-list program did two chapters ago. However, This program utilizes a second class called “arraylist” to optimize the organization of our code.
Chapter 15: Threads
Threads in java allow the program to run faster and more efficiently then programs without friends, a program that once took two second to compile and run can take 0.5 seconds using threads. What a thread does is take the load of the compiler by going through a certain path in the program by itself while letting other threads (or the compiler itself) to look at the other lines of code more productively. For example, one thread could take the role of an ‘If statement’ while another could have the role of an ‘Else statement’. One example of threads is:
class Thread
{
public static void main (String [] args)
{
MyThread mt = new MyThread ();
mt.start ();//starts up the thread
for (int i = 0; i < 50; i++)//this is the threads function/role
System.out.println ("i = " + i + ", i * i = " + i * i);
}
}
class MyThread extends Thread//is the thread
{
public void run ()
{
for (int count = 1, row = 1; row < 20; row++, count++)//does this seperatly than the above class but run simultaniously
{
for (int i = 0; i < count; i++)
System.out.print ('*');
System.out.print ('\n');
}
}
}
the output of this program is:
i = 0, i * i = 0
i = 1, i * i = 1
i = 2, i * i = 4
i = 3, i * i = 9
i = 4, i * i = 16
i = 5, i * i = 25
i = 6, i * i = 36
i = 7, i * i = 49
i = 8, i * i = 64
i = 9, i * i = 81
i = 10, i * i = 100
i = 11, i * i = 121
i = 12, i * i = 144
i = 13, i * i = 169
i = 14, i * i = 196
i = 15, i * i = 225
i = 16, i * i = 256
i = 17, i * i = 289
i = 18, i * i = 324
i = 19, i * i = 361
i = 20, i * i = 400
i = 21, i * i = 441
i = 22, i * i = 484
*
**
***
****
*****
******
*******
********
*********
*****i = 23, i * i = 529
i = 24, i * i = 576
i = 25, i * i = 625
i = 26, i * i = 676
i = 27, i * i = 729
i = 28, i * i = 784
i = 29, i * i = 841
i = 30, i * i = 900
i = 31, i * i = 961
i = 32, i * i = 1024
i = 33, i * i = 1089
i = 34, i * i = 1156
i = 35, i * i = 1225
i = 36, i * i = 1296
i = 37, i * i = 1369
i = 38, i * i = 1444
i = 39, i * i = 1521
i = 40, i * i = 1600
i = 41, i * i = 1681
i = 42, i * i = 1764
i = 43, i * i = 1849
i = 44, i * i = 1936
i = 45, i * i = 2025
i = 46, i * i = 2116
i = 47, i * i = 2209
i = 48, i * i = 2304
i = 49, i * i = 2401
*****
***********
************
*************
**************
***************
****************
*****************
******************
*******************
Without threading, this program would take much longer then it did to compile and run (This program took approximately 0.15 seconds to compile and run).
Chapter 16: Multi-Threading
Multi-Threading is using multiple threads in one program to run the program as efficiently as possible. For example, a multi-threaded GUI (Graphical User Interface) can keep responding to user inputs while it does something else, like print a document or send an email etc. One example of multi-threading is:
import java.util.Random;
class thread
{
public static void main (String [] args)
{
FinTrans ft = new FinTrans ();
TransThread tt1 = new TransThread (ft, "Deposit Thread");
TransThread tt2 = new TransThread (ft, "Withdrawal Thread");
tt1.start ();
tt2.start ();
}
}
class FinTrans
{
public static String transName;
public static double amount;
}
class TransThread extends Thread
{
private FinTrans ft;
TransThread (FinTrans ft, String name)
{
super (name); // Save thread's name
this.ft = ft; // Save reference to financial transaction object
}
public void run ()
{
for (int i = 0; i < 100; i++)
{
if (getName ().equals ("Deposit Thread"))
{
// Start of deposit thread's critical code section
ft.transName = "Deposit";
try
{
Thread.sleep ((int) (Math.random () * 1000));//pauses the thread for a random amount of time
}
catch (InterruptedException e)
{
}
Random r = new Random();
ft.amount = r.nextInt(6000)+1;
System.out.println (ft.transName + " " + ft.amount);
// End of deposit thread's critical code section
}
else
{
// Start of withdrawal thread's critical code section
ft.transName = "Withdrawal";
try
{
Thread.sleep ((int) (Math.random () * 1000));//pauses the thread for a randomamount of time
}
catch (InterruptedException e)
{
}
Random r = new Random();
ft.amount = r.nextInt(5000)+1;
System.out.println (ft.transName + " " + ft.amount);
// End of withdrawal thread's critical code section
}
}
}
}
The above program uses multithreading to “Withdraw” and “Deposit” a random amount. This program shows how multiple threads can be run at once and still give out results efficiently.
Procedure 3: Bank Program
In this procedure we will be using threading and Array-Lists to create a bank program.
import java.util.ArrayList;
import java.util.Random;
public class bank {
public static void main(String[] args){
banker bk = new banker();
bankarray bka = new bankarray();
bk.start();
bk.run();
bka.start();
bka.run();
System.out.print("Recent history: " + bka.bankal.toString());
}
}
class banker extends Thread {
public void run(){
Random r = new Random();
int money = r.nextInt(10000);
bankarray bka = new bankarray();
for(int i = 0; i < 11; i++){
bka.bankal.add(money);
}
}
}
class bankarray extends Thread{
ArrayList bankal = new ArrayList();
public void run(){
if (bankal.size() == 10){
System.out.println("Finished creating history");
}
}
}
The following will print out:
Finished creating history.
Recent History: [randomnumber,randomnumber,randomnumber….]
This program took about 0.25 seconds to compile and run
24.182.108.156!!! End Of Unit 3 !!!24.182.108.156
24.182.108.156!!! Start Of Unit 4 !!!24.182.108.156
Chapter 17: Recursion
Recursion is when a method calls upon itself. An example of recursion is:
Public void recurse(int i){
If (I == 0)//if I = 0, end the method
Return;
System.out.print(i+” “);//if I != 0 do this
Recurse(i -1);//subtract 1 from i
}
If the original call to recurse() is: recurse(10); then the program will print out the numbers 10-1 in reverse order with a space between them:
10 9 8 7 6 5 4 3 2 1
When building a recursive method, there are 3 main parts:
1) the Parameters -- What values need to be kept track of during my recursion? In the recurse() method above, that value is just the number that needs to be printed.
2) The checks -- Every recursive method must have a base case. That is, a case in which the final solution has been found and recursion should stop. In recurse(), that was when i=0. Testing for the base cases are called the checks, because they check whether or not the method should do anything.
3) The calls -- For a method to be recursive, it must call itself. That’s done in the calls section of the method. The calls run new methods with updated values. It is important to remember that ANY objects passed in these calls will change in the method from which they originated. So if you’re going to be updating an object at any point, ALWAYS send a copy of it in the recursive calls. For example, when sending an ArrayList<String> called list DO NOT put list in your parameters. Sending something like new ArrayList<String>(list); this constructor of the ArrayList class creates as new ArrayList with the same objects as the original.
Public void recurse(int i/*the parameters*/){
If (I == 0)//the check: have I found my stopping point?
Return;
System.out.print(i + “ “);
Recurse(i - 1);//The Call(s)
}
Chapter 18: Algorithms
An Algorithm is a different way of making a program do something. One basic example of an algorithm would be:
Turn left.
Look at wall.
Move forward.
Turn left.
As you can see, the outcome of the above algorithm would be you looking at the back wall, while standing next to the left wall.
An example of algorithms within java would be sorts. A sort is a program that organizes and unorganized array. Some types of sorts are:
The quick sort:
public class Quicksort {
private int[] numbers;
private int number;
public void sort(int[] values) {
// Check for empty or null array
if (values ==null || values.length==0){
return;
}
this.numbers = values;
number = values.length;
quicksort(0, number - 1);
}
private void quicksort(int low, int high) {
int i = low, j = high;
// Get the pivot element from the middle of the list
int pivot = numbers[low + (high-low)/2];
// Divide into two lists
while (i <= j) {
// If the current value from the left list is smaller then the pivot
// element then get the next element from the left list
while (numbers[i] < pivot) {
i++;
}
// If the current value from the right list is larger then the pivot
// element then get the next element from the right list
while (numbers[j] > pivot) {
j--;
}
// If we have found a values in the left list which is larger then
// the pivot element and if we have found a value in the right list
// which is smaller then the pivot element then we exchange the
// values.
// As we are done we can increase i and j
if (i <= j) {
exchange(i, j);
i++;
j--;
}
}
// Recursion
if (low < j)
quicksort(low, j);
if (i < high)
quicksort(i, high);
}
private void exchange(int i, int j) {
int temp = numbers[i];
numbers[i] = numbers[j];
numbers[j] = temp;
}
}
The above sorting type is the fastest type of sorting.
Another type of sort is the Bubble Sort:
public class bubblesort(){
public static void main(String[] args) {
int unsortedArray[] = {10, 97, 6, 23, 0, -45, 697, -1000, 1, 0}; //Random set of numbers for example.
int i;
bubbleSort(unsortedArray, unsortedArray.length); //Pass the array to be sorted and its length.
System.out.println("After sorting, the list elements are: "); //Just to show you it worked. :)
for(i=0; i<unsortedArray.length; i++) {
System.out.print(unsortedArray[i] + " ");
}
}
private static void bubbleSort(int[] unsortedArray, int length) {
int temp, counter, index;
for(counter=0; counter<length-1; counter++) { //Loop once for each element in the array.
for(index=0; index<length-1-counter; index++) { //Once for each element, minus the counter.
if(unsortedArray[index] > unsortedArray[index+1]) { //Test if need a swap or not.
temp = unsortedArray[index]; //These three lines just swap the two elements:
unsortedArray[index] = unsortedArray[index+1];
unsortedArray[index+1] = temp;
}
}
}
}
}
Though this sorting type may seem quick. It is considerably slower than the quicksort.
Another, more advanced algorithm is Djikstra’s shortest path algorithm which finds the shortest path between given points:
import java.util.PriorityQueue;
import java.util.List;
import java.util.ArrayList;
import java.util.Collections;
class Vertex implements Comparable<Vertex>
{
public final String name;
public Edge[] adjacencies;
public double minDistance = Double.POSITIVE_INFINITY;
public Vertex previous;
public Vertex(String argName) { name = argName; }
public String toString() { return name; }
public int compareTo(Vertex other)
{
return Double.compare(minDistance, other.minDistance);
}
}
class Edge
{
public final Vertex target;
public final double weight;
public Edge(Vertex argTarget, double argWeight)
{ target = argTarget; weight = argWeight; }
}
public class Dijkstra
{
public static void computePaths(Vertex source)
{
source.minDistance = 0.;
PriorityQueue<Vertex> vertexQueue = new PriorityQueue<Vertex>();
vertexQueue.add(source);
while (!vertexQueue.isEmpty()) {
Vertex u = vertexQueue.poll();
// Visit each edge exiting u
for (Edge e : u.adjacencies)
{
Vertex v = e.target;
double weight = e.weight;
double distanceThroughU = u.minDistance + weight;
if (distanceThroughU < v.minDistance) {
vertexQueue.remove(v);
v.minDistance = distanceThroughU ;
v.previous = u;
vertexQueue.add(v);
}
}
}
}
public static List<Vertex> getShortestPathTo(Vertex target)
{
List<Vertex> path = new ArrayList<Vertex>();
for (Vertex vertex = target; vertex != null; vertex = vertex.previous)
path.add(vertex);
Collections.reverse(path);
return path;
}
public static void main(String[] args)
{
Vertex v0 = new Vertex("Redvile");
Vertex v1 = new Vertex("Blueville");
Vertex v2 = new Vertex("Greenville");
Vertex v3 = new Vertex("Orangeville");
Vertex v4 = new Vertex("Purpleville");
v0.adjacencies = new Edge[]{ new Edge(v1, 5),
new Edge(v2, 10),
new Edge(v3, 8) };
v1.adjacencies = new Edge[]{ new Edge(v0, 5),
new Edge(v2, 3),
new Edge(v4, 7) };
v2.adjacencies = new Edge[]{ new Edge(v0, 10),
new Edge(v1, 3) };
v3.adjacencies = new Edge[]{ new Edge(v0, 8),
new Edge(v4, 2) };
v4.adjacencies = new Edge[]{ new Edge(v1, 7),
new Edge(v3, 2) };
Vertex[] vertices = { v0, v1, v2, v3, v4 };
computePaths(v0);
for (Vertex v : vertices)
{
System.out.println("Distance to " + v + ": " + v.minDistance);
List<Vertex> path = getShortestPathTo(v);
System.out.println("Path: " + path);
}
}
}
Output:
Distance to Redvile: 0.0
Path: [Redvile]
Distance to Blueville: 5.0
Path: [Redvile, Blueville]
Distance to Greenville: 8.0
Path: [Redvile, Blueville, Greenville]
Distance to Orangeville: 8.0
Path: [Redvile, Orangeville]
Distance to Purpleville: 10.0
Path: [Redvile, Orangeville, Purpleville]
Other algorithms are:
- quicksort (generally the fastest sort)
- mergesort (another fast sort, with some other nice properties)
- sieve method for finding prime numbers
- linked lists (and other list implementations)
- trees and common tree-traversals (prefix, infix, postfix)
- balanced trees (AVL is the easiest one)
- B-trees (important in file systems)
- tries (these are cool, but pretty specialized)
- Breadth-First Search and Depth-First Search for graph traversal
Chapter 19: Files
In java, writing and reading from files is very useful for storing information such as usernames, passwords, names, numbers, email addresses, etc. To do this we create a file, open it, read/write to it and close the file:
Creating a file in java:
import java.io.*;
public class CreateFile{
public static void main(String[] args) throws IOException{
File f;
f=new File("myfile.txt");
if(!f.exists()){
f.createNewFile();
System.out.println("New file \"myfile.txt\" has been created
to the current directory");
}
}
}
In the above program, we create a new file called “myfile.txt” by checking if the file exists or now, if it does not exist, we use the .createNewFile() function.
Reading from a file
import java.io.*;
class FileRead
{
public static void main(String args[])
{
try{
// Open the file that is the first
// command line parameter
FileInputStream fstream = new FileInputStream("textfile.txt");
// Get the object of DataInputStream
DataInputStream in = new DataInputStream(fstream);
BufferedReader br = new BufferedReader(new InputStreamReader(in));
String strLine;
//Read File Line By Line
while ((strLine = br.readLine()) != null) {
// Print the content on the console
System.out.println (strLine);
}
//Close the input stream
in.close();
}catch (Exception e){//Catch exception if any
System.err.println("Error: " + e.getMessage());
}
}
}
In the above program we read text from a file by using:
A FileInputStream -- allows the user to access the file
A DataInputStream -- allows the data within the file to be transferred
A BufferedReader -- reads the text within the file
If the ‘textfile.txt’ had the text:
This
Is
The
Text
The output would be:
This
Is
The
Text
This is because the reader reads line-by-line, not all together at once.
Writing to a file
import java.io.*;
class FileWrite
{
public static void main(String args[])
{
try{
// Create file
FileWriter fstream = new FileWriter("out.txt");
BufferedWriter out = new BufferedWriter(fstream);
out.write("Hello Java");
//Close the output stream
out.close();
}catch (Exception e){//Catch exception if any
System.err.println("Error: " + e.getMessage());
}
}
}
In the above program, we write “Hello Java” to the file “out.txt”. To do this, we use:
A FileWriter -- allows for access to the file
A BufferedWriter -- writes what we want it to in the file
If we combined this program with the file reader the output would be:
Hello Java
User input and files
In java, you can use a scanner to write to a file:
import java.io.*;
import java.util.*;
class ScannerFileWrite
{
public static void main(String args[])
{
try{
Scanner scan = new Scanner(System.in);
String text;
System.out.print("Enter Text: ");
text = scan.next();
// Create file
FileWriter fstream = new FileWriter("out.txt");
BufferedWriter out = new BufferedWriter(fstream);
out.write(text);
//Close the output stream
out.close();
System.out.println(text+ " " + "is now in file: out.txt");
}catch (Exception e){//Catch exception if any
System.err.println("Error: " + e.getMessage());
}
}
}
The above program takes user input and adds it to the file out.txt.
Procedure 4: Login System
In this procedure we will be using files and algorithms to make an advanced login system:
import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.DataInputStream;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileWriter;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.Scanner;
public class LoginSystem {
static File usernames,passwords;
public static void main(String[] args) throws IOException{
run();
}
private static void run() throws IOException {
usernames=new File("usernames.txt");
passwords = new File("passwords.txt");
if(!usernames.exists()){
try {
usernames.createNewFile();
} catch (IOException e) {
e.printStackTrace();//prints error
}
}
if (!passwords.exists()){
try{
passwords.createNewFile();
}catch(IOException e){
e.printStackTrace();
}
}
menu();
}
private static void menu() throws IOException {
Scanner Scan = new Scanner(System.in);
System.out.print("*********************************\n");
System.out.print("* *\n");
System.out.print("* *\n");
System.out.print("* Menu *\n");
System.out.print("* *\n");
System.out.print("* 1.Login *\n");
System.out.print("* 2.Register *\n");
System.out.print("* 3.Exit *\n");
System.out.print("*********************************\n");
int choice = Scan.nextInt();
if(choice == 1){
login();
}
else if (choice == 2){
register();
}
else if (choice == 3){
System.exit(0);
}
else{
menu();
}
}
private static void login() throws IOException {
FileInputStream fstream = new FileInputStream("usernames.txt");
DataInputStream in = new DataInputStream(fstream);
BufferedReader br = new BufferedReader(new InputStreamReader(in));
FileInputStream stream = new FileInputStream("passwords.txt");
DataInputStream inp = new DataInputStream(stream);
BufferedReader brl = new BufferedReader(new InputStreamReader(inp));
String strLine;
String str;
while ((strLine = br.readLine()) != null){
while((str = brl.readLine()) != null){
Scanner scan = new Scanner(System.in);
System.out.print("Enter Username: ");
String user = scan.next();
System.out.print("Enter Password: ");
String pass = scan.next();
if (strLine.equalsIgnoreCase(user) && str.equalsIgnoreCase(pass)){
System.err.print("Logged in. Congratulations on finishing this book!");
}
else{
login();
}
}
}
in.close();
}
private static void register() {
try{
Scanner scan = new Scanner(System.in);
String user,pass;
System.out.print("Enter Desired Username: ");
user = scan.next();
System.out.print("Enter Desired Password: ");
pass = scan.next();
FileWriter fstream = new FileWriter("usernames.txt");
BufferedWriter out = new BufferedWriter(fstream);
out.write(user);
out.close();
FileWriter stream = new FileWriter("passwords.txt");
BufferedWriter write = new BufferedWriter(stream);
write.write(pass);
write.close();
System.out.println("Username: " + user + " " + "Password: "+ pass);
login();
}catch (Exception e){//Catch exception if any
System.err.println("Error: " + e.getMessage());
}
}
}
24.182.108.156!!! End Of Unit 4 !!!24.182.108.156