KEMBAR78
Francisco Cruz Java Course - Edx:) 2018 Francisco Cruz Java Course:) | PDF | Array Data Structure | Data Type
0% found this document useful (0 votes)
94 views56 pages

Francisco Cruz Java Course - Edx:) 2018 Francisco Cruz Java Course:)

This document contains a summary of key concepts from a Java course, including: 1) The table of contents outlines two parts covering Java basics, control structures, and data flow. 2) Module 1 of Part 1 covers variables, scopes, class constants, and mathematical operations. 3) Module 1 of Part 2 discusses primitives vs objects, arrays, array lists, and building custom objects. 4) Control structures are covered in Module 2 of Part 1, including booleans, relational operators, if-else statements, and string comparison methods.
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)
94 views56 pages

Francisco Cruz Java Course - Edx:) 2018 Francisco Cruz Java Course:)

This document contains a summary of key concepts from a Java course, including: 1) The table of contents outlines two parts covering Java basics, control structures, and data flow. 2) Module 1 of Part 1 covers variables, scopes, class constants, and mathematical operations. 3) Module 1 of Part 2 discusses primitives vs objects, arrays, array lists, and building custom objects. 4) Control structures are covered in Module 2 of Part 1, including booleans, relational operators, if-else statements, and string comparison methods.
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/ 56

Francisco Cruz Java course - edX :) 2018

Francisco Cruz Java course :)

JAVA

TABLE OF CONTENTS

- First Part - 2
***** MODULE 1 ***** Java basics 2
***** MODULE 2 ***** Control Structures 7
***** MODULE 3 ***** Data Flow 13
- Second Part - 27
Module 1: What is an Object? 27
- Primitives vs Objects 28
- Meet Arrays 31
- Coding With Arrays 37
- Reference Semantics 42
- Meet 2D arrays 46
- Coding With 2D arrays 49
- Meet Array Lists 52
- Coding with ArrayLists 56
Module 2: Building Your Own Objects 60

1 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

- First Part -
***** MODULE 1 ***** Java basics
- Variables: a construct to hold data who's value changes
(!) In order to use a variable...
1)Declare

dataType variableName;
- String myString;

with an assignment statement:


- myString = "Hello, world!";

or using both:
- String myString = "Hello, world!";

System.out.println(myString);//show it on creen
myString = "Hello yourself!";//change the date in the variable
System.out.println(myString);

(!) SCOPES We can use the same variable name in different scopes.
You can declare two different variables that use the same name in two different methods!

(!) CLASS CONSTANTS


variables that are NOT part of any method.

public class myClass {


public static final double PI = 3.14;
public static final int MAX_SPEED = 80;
public static final int DAYS_IN_WEEK = 7;

public static void main(String[] args) {


(!) Note that the Java naming convention is to use all capital letters for class constants, separating words
by underscores to make them readable

(!) two common and useful ways to use a class constant:

1) You want all methods in the class to use exactly the same value for something; for example, use
3.14 for PI, or MAX_SPEED for 80.
2) You want to use names rather than values so that the meaning of an expression is clear; for exam-
ple, using DAYS_IN_WEEK instead of 7 as in:
calendarRows = DAYS_IN_WEEK;

(!)EXAMPLE

2 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

public class Oops2 {
    public static void main(String[] args) {
        int x=0;
        System.out.println("x is " + x);

        x = (int)15.2;   // set x to 15.2 --> casting


        System.out.println("x is now " + x);

        int y;   // set y to 1 more than x
        y = x + 1;
        System.out.println("x and y are " + x + " and " + y);
    }
}
output:
x is 0
x is now 15
x and y are 15 and 16

- Mathematical Operations:
public class MathsOperationsDemo {

public static void main(String[] args){

double x = 10;

int y = 5;

System.out.println("x + y = " + (x + y));

x++;//add 1 to 'x'

y *= 10;//multiple by 10 and save in 'y'

System.out.println("x = " + x);

System.out.println("y = " + y);

3 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

output:

x + y = 15.0 // double + integer = double

x = 11.0 // double

y = 50 // integer

- String Concatenation:
(*) the act of adding two string to one another.
(*) use a ‘+’ plus sign.

public class StringConcatenationDemo {

Method Data type

input.nextInt(); int

input.nextDouble(); double

input.next(); String, no spaces

input.nextLine(); Everything before ‘Enter’

static public void main(String[] args){

String var1 = "Hello";

4 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

String var2 = "Friends";

System.out.println(var1 + " " + var2);

System.out.println(var1 + " " + 12345);//any variable type + string = string

What is the result of the following expression?


1 + 0 + "0" + 5 * 10

result: «1050»

- Casting:

Expression Value Comment

10/4 2 a more accurate arithmetic result is 2.5, but as


both numbers are ints the result is an int and the
decimal is truncated

10/4.0 2.5 result is a double, so decimal is included

(int)(10/4.0) 2 takes double result of 2.5 and turns it into an int


by dropping the decimal

5 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

(int)10/4.0 2.5 Without the parenthesis the 10 is cast to an int,


even though it already is. The result is the int 10 /
4.0 who's result is 2.5

You can also cast an int to a double, or accomplish the same thing by
combining the types:

Expression Value Comment

(double)10 10.0 cast int to double

10*1.0 10.0 combine int with double

- Scanner: it is a special Java API, that knows how to listen when you are going to type things in the
console.

//SCANNER - it lets you type on the console to provide input text to your program.

import java.util.Scanner;//(1) import statement for data input

public class LearnScanner {

public static void main(String[] args){

//(2) create a new Scanner - where 'input' is the given name for the type 'Scanner'

Scanner input = new Scanner(System.in);

6 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

System.out.println("Hello! How are you?");

//(3) wait until the user types in a string

//saves user's input in 'mood' variable

String mood = input.next();

System.out.println("I'm happy that you are " + mood);

Scanner input = new Scanner(System.in);

***** MODULE 2 ***** Control Structures


- Booleans:

Relational Meaning Example Expres- Result

7 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Operator sion

== equal to 1 + 1 == 2 true

!= not equal to 3.2 != 2.5 true

< less than 10 < 5 false

> greater than 10 > 5 true

<= less than or equal to 126 <= 100 false

>= greater than or equal to 5.0 >= 5.0 true

String name = "John Doe";

For example, if name contains "John Doe", all the following expressions


are false:

name.equals("John"); // too short

name.equals("john doe"); // case doesn’t match

name.equals("John Doe "); // extra space at end

name.equals("John  Doe "); // extra space in middle

8 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Here are the most commonly used String comparison methods that result


in a boolean value of true or false and an example evaluates
to true:

method example expression = true

equals name.equals("John Doe")

equalsIgnoreCase name.equalsIgnoreCase("john doe")

startsWith name.startsWith("Joh")

endsWith name.endsWith("Doe")

contains name.contains(" ")

- if-else statements:
Syntax

if(boolean test) {

//statements

} else {

//statements

9 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Syntax

if(boolean test 1) {

//statements

} else if (boolean test 2) {

//statements

} else {

//statements

Exercise: Write Java code to read an integer from the user, then print even if that number is an even
number or odd otherwise. You may assume that the user types a valid integer. The input/output

should match the following example:

Type a number: 14

even

import java.util.Scanner;

public class Assessment {

public static void main(String[] args) {

Scanner input = new Scanner(System.in);

10 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

System.out.print("Type a number: ");

int var1 = input.nextInt();

if ((var1 % 2) == 1) {

System.out.print("odd");

} else {

System.out.print("even");

- Combining Logic:
(!) Combining Conditions

Operator Name Example Evaluates to true if and only if…

&& and a && b a AND b are both true

|| or a||b a OR b (or both) are true

! not !a a is NOT true

- LOOPS
- for LOOPS

11 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

for (int i = 1; i <= 4; i++) {

System.out.println("+-+-+-+");

for (int i = 0; i < 4; i++) // 0, 1, 2, 3

for (int j = 0; j <= 6; j += 2) // 0, 2, 4, 6

for (int x=4; x>0; x--) // 4, 3, 2, 1

System.out.println("2 squared = " + 2 * 2);

System.out.println("3 squared = " + 3 * 3);

System.out.println("4 squared = " + 4 * 4);

System.out.println("5 squared = " + 5 * 5);

System.out.println("6 squared = " + 6 * 6);

Here’s a for loop that does the exact same thing:

for (int n = 2; n <= 6; n++) {

System.out.println(n + " squared = " + (n * n));

12 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

- Nested Loops

for (int row = 1; row <= 5; row++) {

for (int col = 1; col <= 5; col++) {

if (row == col) {

System.out.println("1 ");

} else {

System.out.println("0 ");

System.out.println();

The output:

10000

01000

00100

00010

00001

13 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

***** MODULE 3 ***** Data Flow

• How to pass information into a method using parameters

• How to get information out of a method using returns

• Useful methods provided by Java's built in Math and String classes

• How to build and read recursive based algorithms

MEET PARAMETERS

- Parameters

public static void power2(int exp) {

result = 1;

for (int i = 1; i <= exp; i++) {

result *= 2;

System.out.println("2 to the " + exp + " = " + result);

power2(6);

14 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

public static void power(int base, int exp) {

result = 1;

for (int i = 1; i <= exp; i++) {

result *= base;

System.out.println("base to the " + exp + " = " + result);

To get the same result as before, the call would be:

power(2,6);

OVERLOADING METHODS

- Overloading Methods

Our power method from the last section as written would _not_ work
correctly with a double as the exponent.

public static void power(int base, int exp) {

result = 1;

for (int i = 1; i <= exp; i++) {

15 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

result *= base;

System.out.println("base to the " + exp + " = " + result);

If we did want to write a fancier version of power to handle real number


exponents, Java lets us call it by the same name, but with a differ-
ent method signature:

public static void power(double base, double exp) {

// Kasey write better code here

Java calls this ability to have different methods of the same name but
with different signatures method overloading. The data types of
overloaded methods must be different, or in different orders so that
Java knows which code to execute for a specific method call.

 It’s also a good way to provide for a common default value that the
caller doesn’t have to provide. We could default our power func-
tion to use a base of 2 by defining this overloading of the method
that simply calls our 2-parameter version:

public static void power(int exp) {

power(2, exp);

16 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

- Returns

public static int power(int base, int exp) {

result = 1;

for (int i = 1; i <= exp; i++) {

result *= base;

return result;

- Java’s Math Class


https://docs.oracle.com/javase/8/docs/api/java/lang/Math.html

Essential

method header example summary

< any > abs(< any > x) int x = Math.abs(-2); returns the absolute
value of x

double pow(double base, double x = returns the result of


double exp) Math.pow(10,2); base to the power exp

17 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

double sqrt(double x) double x = returns the square root


Math.sqrt(25.0); of x

double random() double x = Math.ran- returns a randomly


dom(); generated number be-
tween 0 and 1

Very Useful

The Math class also defines two handy class constants that give you as
precise a value as possible in a double.

Math.PI = 3.14159…

Math.E = 2.71828

method header example summary

int round(double x) int x = if x's decimal is .5 or


Math.round(0.66); more round up to the
next int otherwise round
down

< any > max(double x, int x = returns the larger of 2 pa-


double y) Math.max(5,10); rameters

< any > min(double x, int x = Math.min(-10, returns the smaller of 2


double y) 10); parameters

18 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

double sin(double radi- double x = sine of angle in radians


ans) Math.sin(Math.PI /
2.0);

double cos(double radi- double x = cosine of angle in radians


ans) Math.cos(Math.PI /
3.0);

double tan(double radi- double x = tangent of angle in radi-


ans) Math.tan(Math.PI / ans
4.0);

double toDegrees(dou- double x = Math.- convert radians to de-


ble radians) toDegrees(Math.PI); grees

double toRadians(dou- double x = Math.- convert degrees to radi-


ble degrees) toRadians(180); ans

- Java’s String Methods

(*) length()

The length() method returns the number of characters a string contains:

"John Doe".length() // returns the integer value 8

"".length() // returns 0

19 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

(*) substring()

Expression returns explanation

"example".substring(0,4) "exam" first 4 chars

"example".substring(1,2) "x" 1 char starting at index 1 (second


char)

"example".substring(3,3) "" 0 chars

"example".substring(4,7) "ple" 3 chars starting at index 4

"example".substring(4) "ple" index 4 to the end

"example".substring(6) "e" last char (index = length-1)

"example".substring(7) "" empty String at end

"example".substring(- error! -1 is not a valid index


1,4)

"example".substring(0,8) error! 8 is not a valid index

"example".substring(4,3) error! start index > end index

We can extract any part of a String using the substring() method. sub-
string() 

20 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

(*) indexOf()

The indexOf() method returns the index of the first occurrence of a sub-
string in a String. If the substring is not found in the String, it re-
turns -1. Thanks to method overloading, you can pass it a String or
char.

re-
Expression turn explanation
s

"example".indexOf("e") 0 first character index is 0

"example".indexOf("m") 3 fourth character index is 3

"example".indexOf("q") -1 -1 means not found

"example".indexOf("E") -1 uppercase does not match lowercase

"example".indexOf("") 0 empty String returns beginning

"example".indexOf('p') 4 char argument is OK

"example".indexOf("ple") 4 returns start of matching substring

"example".indexOf("plx") -1 entire substring must match

(*) useful String methods

21 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Here’s a summary of some other commonly used String methods. You


can find all the different ones in the official Java documenta-
tion here. You can of course pass in a char for any String parame-
ter and Java will convert it for you.

example
method example summary
results

boolean "hello".equals("goo false true if strings are


equals(String) dbye") identical, case sen-
sitive

char charAt(int "hello".charAt(2) l' char at index


index)

int "hello".lastIn- 3 position of last oc-


lastIndexOf(Strin dexOf("l") currence of String
g str)

String toLower- "HELLO".toLower- "hello" new string con-


Case() Case() verted to all lower-
case

String toUpper- "hello".toUpper- "HELLO" new string con-


Case() CasE() verted to all upper-
case

String "hello".replace('l', "hexxo" new string with all


replace(char old, 'x') occurrences of old
char new) replaced by new

22 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

public class StringMethodsDemo {

public static void main(String[] args) {

String original = "abcd";

for (int i = 0; i < original.length(); i++) {

System.out.println("The character it index " + i + " is " + original.charAt(i));

//If the character is not in the string, we get -1 as output

System.out.println("The letter 'A' is at index " + original.indexOf('A'));

System.out.println("The letter 'c' is at index " + original.indexOf('c'));

//from lowercase to uppercase

original = original.toUpperCase();

System.out.println(original);

23 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

- Recursive Algorithms

** Recursion

Any Java method has a very interesting ability: it can call itself! This ca-
pability is called recursion, and it is an extremely powerful way to
solve some kinds of computing problems.In fact, it’s the most
natural way to do things like searching your computer for a
specific file, or finding the best way to get from one place to an-
other on a road map.

It’s another way of writing code so that repeats over and over, just
as looping (formally known as iteration) does. Some program-
ming languages don't even have loops – they only use recursion
to repeat code.

As this suggests, a recursive method always needs:

1. A base case that returns a value without calling itself. This is


how you know your recursion will actually stop.

2. A recursive case that makes the problem smaller, and then


calls itself recursively to solve the smaller problem. You have
to make sure your recursive case moves your parameter closer
to the base case, otherwise you might recurse for forever.

24 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Example:
Let’s look at an example: computing the factorial of a number. A facto-
rial is a mathematical sum of all preceding ints. For example 5! =
54321.

We can also code this using recursion

factorial(5) = 5 * factorial(4)

factorial(4) = 4 * factorial(3)

factorial(3) = 3 * factorial(2)

factorial(2) = 2 * factorial(1)

factorial(1) = 1

Looking at the pattern, we could generalize it as:

factorial(n) = n * factorial(n-1)

Now let's turn this into code:

The first return, inside the if statement is called the "base case": it’s the
smallest possible version of the computation, the one that’s "easy",
or the "end of the recursion».

25 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Inside the else is the recursive case where we’ve made the problem
smaller before passing it onto the next method call recursively.

- Second Part -

Module 1: What is an Object?


In this module we'll cover…

• the difference between working with primitive and an object data

• how to better organize groups of data with arrays, both one and
two dimensional

• the Java list class and the implementation ArrayList

TABLE OF CONTENTS

- Primitives vs Objects 28
- Meet Arrays 31
- Coding With Arrays 37
- Reference Semantics 42
- Meet 2D arrays 46
- Coding With 2D arrays 49
- Meet Array Lists 52
- Coding with ArrayLists 56

26 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

- Primitives vs Objects

In Java there are two general types of data: primitives and Objects

Primitives

There are 8 different types of primitive data

primi-
example description
tive

int int a = 1; 32-bit signed whole number

double double b = 1.0; 64-bit real number

boolean boolean c = true; logical data type can only be true or false

char char d = 'x'; stores a single unicode character

byte byte e = 2; 8-bit signed whole number

short short f = 3; 16-bit signed whole number

long long g = 64-bit signed whole number


3000000000;

float float h = 2.0; 32-bit real number

27 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Aspects of primitive data:


• when working with primitive data types Java stores them di-
rectly in memory
• when you copy a primitive variable, only the data is copied,
creating a separate variable that holds the same value
• when working with primitives you can use mathematical op-
erators to perform direct calculations like +, -, / and *
• you can use shortcuts to update the value of a primitive value
like ++, -- or +=

Objects

In this course we are going to focus primarily on working with the sec-
ond category of data: Objects

Aspects of Object data:

• an object is a method of storing multiple pieces of data and the


methods who act on this data under a single data type

• this means within a single object you could have multiple pieces of
data including both primitives and other objects

• because objects have the potential to store large amounts of data


Java stores them in memory differently from primitives, storing the
location for the data in the actual variable as a "reference"

• when you are working with Objects you can't use the mathematical
operators or shortcuts, instead you need to rely upon the methods

28 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

provided by the object like "string".equals("string") or scan-


ner.nextInt()
Null

Each primitive has its own associated "zero value". This is a value that
java uses as a stand in when creating a place in memory for a prim-
itive before you actually give it a value to store.

All object types share a single "zero value"- null

Null means literally "no object", which is different from an empty ob-
ject. For example, if you try to use the String's lengh method on a
null string you get an error. However, calling length on an empty
string is perfectly valid.

String temp; // if you don't initialize a String it defaults to null —> NO


OBJECT

temp.length(); // causes a "Null Pointer Exception» —> which is an error

String empty = "";

empty.length(); // returns 0;

- Meet Arrays

The array is an object that holds multiple pieces of the same type of


data. Within the structure each individual piece of data is called an

29 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

"element" and it has its own address within the array called an
"index". You can visualize this as a series of boxes that can con-
tain data, each with it's own index.

Syntax

The syntax to declare an array is:

dataType[] arrayVariableName = new dataType[numberOfElementsTo-


Store];

The dataType is whatever type of data you want each index to store. An
array can store multiple items, but they must all be of the same
data type.

For example, you may have a list of ints that represent a single student's
grades across 10 different exams:

int[] studentGrades = new int[10];

The number between the square brackets is the capacity, or how many
individual indexes there will be within the array. Keep in mind that

30 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

once you create the array the capacity cannot be changed. In our
above example it will always be 10, the array cannot grow or
shrink.

When you first create an array it is filled with "zero values". Each primi-
tive has an associated zero value, where as the zero value for ob-
jects is null. Null literally means "no object".

data type zero value

int 0

double 0.0

boolean false

char 0'

String null

This means that after you initially create your array it would look like
this:

31 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Now you can start adding elements into the array. To do this you need to
indicate at which index of the array you want to put something.

Here is the syntax to update the value stored in an index:

arrayName[index] = value;

In our example of student grades, let's say we want to add in the first
three test scores:

studentGrades[0] = 98;

studentGrades[1] = 86;

studentGrades[2] = 90;

This would result in an array with the following val-


ues: 

Alternative Initialization

You can also create an Array and fill it with values in a single statement
like so:

32 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

dataType[] name = {dataValue1, dataValue2, dataValue3};

The computer can determine the capacity from how many values you
provide and places them in the array according to the order you
specify.

For example, if we create an array of exam scores like so:

int[] studentGrades = {98, 86, 90};

This would result in an array with the following values: 

Arrays and Methods

The data type of an array includes whatever data it stores, so if you want
to return an array of ints you would write a method header that
looks like this:

public static int[] myMethod(int[] a) {}

33 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

If instead you wanted to return an array of doubles your method header


would look like this:

public static double[] myMethod(double[] a) {}

0 based indexing

You have probably noticed that the index of the very first element is "0".
It is common for computers to start counting at "0" instead of at
"1".

This means that if you have an array of capacity 10, the index of the last
element isn't 10, it's 9. The index of the last element is always ca-
pacity-1.

index out of bounds

A common error when working with arrays is the "IndexOutOfBound-


sException". This exception this means that you have tried to ac-
cess an index of the array that doesn't exist. This could mean you
are trying to access a negative index, but more likely it means you
tried to access an index beyond the capacity of the array. This is a
common mistake because the index of the last element is one fewer
than the capacity. For example, an array of size 5 only has indexes
0 through 4, so if you tried to access index 5 you would get an In-
dexOutOfBounds exception.

34 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

However, arrays can tell you what their capacity is so you can protect
yourself from making this mistake.

arrayName.length // returns the capacity of the array

You can use this to get the value of the last valid element like so:

arrayName[arrayName.length-1] // the last valid index

Thursday, 23 June y г.

- Coding With Arrays


The Length Field

In the last section we learned that arrays have a length variable that tells
us their capacity:

arrayVariableName.length // returns the capacity of the array

This value is stored as a "field", or a variable that exists within the entire
scope of the object. To access it we call it by the name "length".
This functionality is built into Arrays by Java. You use the length
field on the individual instance of an array, so you get the length of
that specific array.

35 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

For example, if you had multiple different arrays here's how you would
use the length field for each:

int[] a = new int[5];

double[] b = new double[10];

char[] c = new char[20];

int aLength = a.length; // returns 5

int bLength = b.length; // returns 10

int cLength = c.length; // returns 20

Array Methods

Java also provides an Arrays class that has a series of methods you can
use on your own array instances. If you have ever used the Java
Math class you will find the syntax very familiar. You start the
statement with "Arrays" followed by the method you want to use
and pass in the array instance you want to operate on as a parame-
ter.

int a = 10;

double aSq = Math.pow(a, 2);

int[] b = new int[10];

36 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Arrays.toString(b);

These functions do not come included by default, so if you want to use


them you have to include the following import statement.

import java.util.Arrays;

Here is a table of some of the most useful array methods:

method example description

toString(array) Arrays.toString(a) returns a String representation of the


array using square brackets and
commas like so: [value, value,
value]

equals(array1, Arrays.equal(a, b) returns true if the two arrays contain


array2) OR a.equals(b) the same elements in the same order

fill(array, Arrays.fill(a, 10) fills every index of the array with a


value) copy of the given value

copyOf(array, Arrays.copyOf(a, creates a new array object with the


newLength) 10) given length and fills it with values
in the same order as the original ar-
ray. If there are left over indexes
those are filled with the data type's

37 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

zero value

sort(array) Arrays.sort(a) arranges the values in the array in


sorted order from smallest to largest

binarySearch(ar Arrays.binary- returns the index of th given value


ray, value) Search(a, 100) in a sorted array. Will return a neg-
ative number if the value doesn't ex-
ist in the array.

There are still more methods, and different versions of each of the
above. You can see the full list at the official documentation.

Take special note of the "toString()" method. If you forget to use that
method and instead pass an array directly into a println you will get
output that won't make much sense. You will see something that
looks like:

[I@15db9742

This is actually the location in memory of the array. Chances are instead
you want a view into what values the array stores, which is why
you want to use the Arrays.toString method like so:

System.out.println(Arrays.toString(a));

38 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Arrays and Loops

As arrays are often used to solve problems at a scale individual primitive


variables can't handle you will likely need to use a loop to move
over the array in an efficient way.

For loops and arrays make great partners as you can use the for loop
variable to access each individual index in the array like so:

for (int index = 0; index < a.length; index++) {

a[index] = value;

Notice that you'll want to set the bounds of the for loop based on the ar-
ray's length, this will help protect you from running off the end of
the array and getting an ArrayIndexOutOfBounds exception.
You'll likely want to start the for loop variable at 0 and go until ar-
ray.length-1, that way the for loop variable will perfectly match the
array indexes.
For example, after this code:

int[] a = new int[10];

for (int i = 0; i < a.length; i++) {

a[i] = i;

39 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

the array "a" will store these val-


ues: 

- Reference Semantics

There is a fundamental difference between how Java stores primitive


data and object data in memory.

Primitives are stored directly in memory, so when you copy a primitive


variable the value is copied, leaving the original variable unaf-
fected. This is called value semantics.

Since objects are more complicated Java doesn't store their data directly
in memory with the variable name, instead it creates a special
space in memory for the data and then stores the address of that lo-
cation in the variable. This means that any variable holding an ob-
ject (like an array) actually stores a reference to the object. There-
fore, when you make a copy of an object variable, you copy the
reference, which still points at the original data. This is called ref-
erence semantics

40 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Array Reference Semantics

Let's say you create an array of ints:

int[] a = new int[5];

The variable "a" stores a reference to where the data for the array is go-
ing to be stored. Now let's say we make a new array variable and
set it equal to "a", what we're actually copying is the reference to
the original data. Meaning if we alter something in our second
variable it affects the data stored under a.

int a[] = new int[5]; // [0, 0, 0, 0, 0]

a[0] = 10; // [10, 0, 0, 0, 0]

int b[] = a; // [10, 0, 0, 0, 0]

b[0] = 5; // [5, 0, 0, 0, 0]

System.out.println("a = " + Arrays.toString(a));

System.out.println("b = " + Arrays.toString(b));

The two printlns at the end of this code would produce the following
output:

41 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

a = [5, 0, 0, 0, 0]

b = [5, 0, 0, 0, 0]

Arrays as Parameters

This same principal comes into play when you pass arrays as parame-
ters. When you pass an array as a parameter, the reference is
passed into the method, which then alters the original array.

public static void main(String[] args) {

int[] a = new int[5];

System.out.println("before method: " + Arrays.toString(a));

myMethod(a);

System.out.println("after method: " + Arrays.toString(a));

public static void myMethod(int[] b) {

b[0] = 5;

The output of the above code would be:

42 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

before method: [0, 0, 0, 0, 0]

after method: [5, 0, 0, 0, 0]

Which means the original array "a" was changed by the method without
having to return the results and save them back at the call site. This
is because when you pass an array variable as a parameter it is the
reference, not the actual array data that is passed.

Arrays of Objects

Arrays can store any type of data you like, so they can store objects.
This means that each element then stores a reference to another ob-
ject somewhere in memory and the rules of reference semantics
still apply. That means that if you copy the value stored at this in-
dex you are again copying a reference to an object and not the data
itself.

Question 2
1 point possible (ungraded)

Which of the following is the correct way to create a new variable "b"
that stores an array of the exact same values as a different array
"a", but without affecting the original array?
—> b = Arrays.copyOf(a, a.length); 

- Meet 2D arrays

43 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

In the last section we discussed the idea that arrays can store anything,
even other objects. As it turns out, they can even store other arrays!
When you have an array that stores other arrays we call it a two dimen-
sional array. This is because you can visualize an array of arrays as a
grid of data. When creating a 2D Array you have to specify two ca-
pacities, one for the number of arrays to hold and one for how big
each of those arrays should be.

dataType[][] name = new dataType[numOfArrays][capacityOfEachAr-


ray];

It helps to think of the outer array as the "rows" and the inner capacity as
the "columns" creating your grid of data.

int[][] a = new int[3][5];

44 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

In this case you have an outer array with a capacity of 3, which stores 3
separate arrays of ints, each of which can store up to 5 ints. You can pic-
ture this like a grid:

To access individual elements of a 2D array you need to provide two in-


dices, the row and the column.

name[row][column] = value;

This is why the grid visual is so helpful, because then you can think of
the individual indexes as locations within a coordinate system.

45 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Like 1D arrays you can initialize a 2D array with values.

int[][] a = {{1,2} {3,4} {5,6}};

You use the same curly brace notation, however you nest new arrays
within the outer curly braces.

You can have 2D arrays where the inner arrays are not all the same size-
this is called a "jagged array", however we will not be covering them in
this course as they are not as commonly used.

- Coding With 2D arrays


Loops and 2D arrays

If you need 1 loop to examine every element in a 1D array, you need 2


loops to examine each element in a 2D array.

46 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

To loop over each element you'll want to use nested loops. The outer
loop will traverse each of the indexes in the outer loop or the "rows":

int[][] a = new int[numRows][numCols];


for (int row = 0; a.length < a) {

As you can see the overall length of the 2D array will return the number
of rows, or the first capacity you pass in during constructor. This is what
you want to use as the bounds on your outer loop.

The inner loop will traverse each of the individual inner arrays or the
"columns":

int[][] a = new int[numRows][numCols];


for (int row = 0; row < a.length; row++) {
for (int col = 0; col < a[row].length; col++) {

Here you will note that you actually call length on each array contained
within the outer array to make sure you loop over the full length of each
inner array.

int[][] a = new int[numRows][numCols];


for (int row = 0; row < a.length; row++) {
for (int col = 0; col < a[row].length; col++) {
a[row][col] = value;
}
}

47 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Then on the inside of your nested loop structure you can use the two dif-
ferent loop variables as the indexes to access each element of the array.

This method will traverse all the elements within the first row, then all
the elements within the second row etc...

int[][] a = new int[3][3];


int count = 0;
for (int row = 0; row < a.length; row++) {
for (int col = 0; col < a[row].length; col++) {
a[row][col] = count;
count++;
}
}
In the above code we create a variable "count" that will demonstrate the
order in which each element of the 2D array will be accessed, resulting
in the following values:

48 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

- Meet Array Lists

At this point you've probably noticed that arrays are useful, but have
some pretty serious limitations. Arrays:

• are static in size, once you define their capacity they cannot grow
or shrink
• store data in a rigid structure, so it is difficult to move the location
of any single value
• it is difficult to insert a value into the array and maintain order
• it is difficult to remove a value from an array and reorder elements
accordingly
• it is difficult to change the overall order of elements, say to sort
them
Thankfully, Java provides a data structure specifically designed to solve
these problems, enter- the ArrayList.

49 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

An ArrayList is an implementation of Java's "List" type. Lists can grow


and shrink in size and they allow you to add elements at any index and
will automatically reorganize the other elements accordingly.

Creating an ArrayList

ArrayLists are their own data type and then you specify what type of
data they store in a parameter during construction.

ArrayList<dataType> name = new ArrayList<dataType>();

You do not need to specify a capacity for an ArrayList because the struc-
ture will grow and shrink automatically. In fact, the ArrayList has a size
variable that it maintains for you, so you'll always have an easy way to
check how many elements are stored in the list.

The data type for an ArrayList that stores Objects is pretty straight for-
ward:

ArrayList<String> name = new ArrayList<String>();

However, ArrayLists require that you give them an object as a data type-
so how do you store primitives? You have to pass them in as an object.

Wrapper Classes

50 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

A wrapper class is the way that Java allows you to use primitives when
an object is required. They are the simplest possible "wrapper" around a
primitive data type to make it into an object.

primitive wrapper class

int Integer

boolean Boolean

double Double

char Character

That means to make an ArrayList of ints you would use the "Integer"
wrapper class like so:

ArrayList<Integer> name = new ArrayList<Integer>();

Java is smart enough to automatically convert between wrapper classes


and their primitives when you are working with the data explicitly, so
other than this change you can use the keyword "int" as you would nor-
mally.

Storing Data with an ArrayList

51 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Once you have created your ArrayList you'll likely want to fill it up with
data as you have been doing with arrays. Unlike the array, where you di-
rectly access each element using the square bracket notation, ArrayLists
provide methods to access elements like so:

dataType variable = name.get(index); // equivalent of name[index]


name.set(value, index); // equivalent of name[index] = value;

These methods function exactly as you would expect based on how we


used arrays. ArrayLists have 0 based indexes, just like arrays, and when
you set a value it will override whatever value was stored there before.

To know how many elements are currently stored in an ArrayList you


use the .size() method like so:

list.size(); // equivalent to list.length

- Coding with ArrayLists

ArrayLists are designed to make it easier for you to move your code
within the data structure, in fact they include plenty of methods to help
you rearrange your values as needed.

Userful ArrayList Methods

methods example description

52 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

set(index, list.set(0, 'x') replaces the current value at the given in-
value) dex with the given value

get(index) list.get(0) returns the current value stored at the given


index

add(value) list.add('x') adds the given value to the end of the list

add(value, list.add('x', 1) inserts the given value at the given index,


index) shifting anything that was at that index or
later towards the back of the list

indexOf(va list.indexOf('x') returns the first index of where the given


lue) value is found, will return -1 if the value is
not in the list

contains(va list.contains('x') returns true if the given value is found


lue) somewhere in the list, false otherwise

remove(in- list.remove(0) removes and returns the value at the given


dex) index, shifting all elements after the index
towards the front of the list

There are plenty more methods, you can read about them in the official
documentation.

ArrayLists and Loops

53 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

Like arrays, it's likely you'll want to loop over the data stored in an Ar-
rayList. This code looks very similar to looping over an array:

ArrayList<Integer> myList = new ArrayList<Integer>();


int sum = 0;
for (int i = 0; i < myList.size(); i++) {
sum += myList.get(i);
}

This code works great, but because ArrayLists automatically resize you
have to keep an eye on how many times you are looping. It makes sense
to use the ArrayList's size() method as the for loop test, but if you
are changing how many elements are stored in the list within the
loop that variable can cause a lot of problems.

Let's say as you are looping over your ArrayList you decided to delete
an element. Now the index of the last element is one less than when you
started the loop- this means if you don't adjust the loop variable you will
run off the end and get an ArrayIndexOutOfBounds exception.

One way to solve this is to store the size of the array as a static vari-
able before your loop, and then to manually adjust the variable when-
ever you change the size of the list. This way you have direct control
over what value is being used in your loop test.

ArrayList<Integer> myList = new ArrayList<Integer>();

54 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)

int staticSize = myList.size();


for (int i = 0; i < staticSize; i++) {
if (myList.get(i) == 0) {
myList.remove(i);
staticSize--;
} else if (myList.get(i) == -1) {
myList.add(-1);
staticSize++;
}
}
++ Which of the following pieces of code will add a new value to the
end of an ArrayList?
- myList.add(value); 
Practice

1. BJP4 Self-Check 10.16: ArrayListMystery2


2. BJP4 Exercise 10.3: removeEvenLength

ASSESSMENT - 6. Consider the following code segment.


int[] array = new int[10];
array[10] = 5;

Which of the following statements about the code segment is true?


-This code will result in a run-time error.

A run time error will only occur when the code is actually running.
These are the most difficult - and lead to program crashes and bugs in
your code which can be hard to track down.

An example might be trying to convert a string: "hello" into an integer:

string helloWorld = "hello";

55 из 56
Francisco Cruz Java course - edX :) 2018
Francisco Cruz Java course :)
int willThrowRuntimeError = Convert.ToInt32(helloWorld);
The compiler may not see this as a problem but when run an error will
be thrown.

Compiler errors are due to inaccuracies in code, where the compiler


throws an error to alert you to something which will not compile, and
therefore cannot be run.

An example of a compiler error would be:

int = "this is not an int";


Hope that helps.

Module 2: Building Your Own Objects

56 из 56

You might also like