Professor Abdul-Quader
Arrays
What does the code do? It computes something, what does it compute?
How do we solve a problem like “Determine if a number is a perfect square?”
int[] x = new int[7]; // creates an array of 7 integers
x[0] = 1; // first element of the array is x[0]
for (int i = 1; i < 7; i++) {
x[i] = i * x[i-1];
}
System.out.println(x[6]);
When we declare a new array, we get a reference to a section of memory that is allocated (on the heap). The value of the array variable is technically the memory address that it is referring to.
Side effect: what does the following output?
int[] x = new int[1];
x[0] = 10;
int[] y = new int[1];
y[0] = x[0];
if (x == y) {
System.out.println("Equal.");
} else {
System.out.println("What?");
}
Draw a memory diagram. What does this output?
Declare two integer arrays of size 2. Ask for the user to input into each of the elements. Compare the two arrays and determine if they have the same numbers in the same order.
Enter in the first element of the first list:
5
Enter in the second element of the first list:
2
Enter in the first element of the second list:
5
Enter in the second element of the second list:
2
The arrays are equal.
Use “length” property to tell the size of the array:
String[] names;
// some code which initializes names
for (String name : names) {
System.out.println(name);
}
If we just need the objects in the arrays, and not the index, this is helpful.
Technically called “enhanced for loop.” (Usually just referred to as “foreach”)
We can create arrays of any type we like, using this [] syntax:
int[] x = new int[5]; // creates an array of integers
String[] s = new String[10]; // creates an array of strings
Question: What about arrays of arrays?
Yes, it works!
int[][] x = new int[5][3];
for (int i = 0; i < 5; i++) {
for (int j = 0; j < 3; j++) {
x[i][j] = i*j;
}
}
Take a minute to draw a memory diagram for this.
For any problem you did not receive full credit on (on paper):
Submit this to me in class on Monday. (Even if you are not scheduled for a meeting.)