Learn Java - Two-Dimensional Arrays Cheatsheet - Codecademy
Learn Java - Two-Dimensional Arrays Cheatsheet - Codecademy
Two-Dimensional Arrays
Nested Iteration Statements
In Java, nested iteration statements are iteration
statements that appear in the body of another iteration for(int outer = 0; outer < 3; outer++){
statement. When a loop is nested inside another loop, System.out.println("The outer index
the inner loop must complete all its iterations before is: " + outer);
the outer loop can continue. for(int inner = 0; inner < 4;
inner++){
System.out.println("\tThe inner
index is: " + inner);
}
}
Declaring 2D Arrays
In Java, 2D arrays are stored as arrays of arrays.
Therefore, the way 2D arrays are declared is similar 1D int[][] twoDIntArray;
array objects. 2D arrays are declared by defining a data String[][] twoDStringArray;
type followed by two sets of square brackets. double[][] twoDDoubleArray;
2. If the array has already been declared, the new // Method two: declaring and initializing
keyword along with the data type must be used in
separately:
order to use an initializer list
String[][] stringValues;
stringValues = new String[][]
{{"working", "with"}, {"2D", "arrays"},
{"is", "fun"}};
doubleValues[2][2] = 100.5;
// This will change the value 7.6 to
100.5
Row-Major Order
“Row-major order” refers to an ordering of 2D array
elements where traversal occurs across each row - for(int i = 0; i < matrix.length; i++) {
from the top left corner to the bottom right. In Java, for(int j = 0; j < matrix[i].length;
row major ordering can be implemented by having j++) {
nested loops where the outer loop variable iterates System.out.println(matrix[i][j]);
through the rows and the inner loop variable iterates
}
through the columns. Note that inside these loops,
}
when accessing elements, the variable used in the
outer loop will be used as the first index, and the inner
loop variable will be used as the second index.
Column-Major Order
“Column-major order” refers to an ordering of 2D array
elements where traversal occurs down each column - for(int i = 0; i < matrix[0].length; i++)
from the top left corner to the bottom right. In Java, {
column major ordering can be implemented by having for(int j = 0; j < matrix.length;
nested loops where the outer loop variable iterates j++) {
through the columns and the inner loop variable
System.out.println(matrix[j][i]);
iterates through the rows. Note that inside these loops,
}
when accessing elements, the variable used in the
}
outer loop will be used as the second index, and the
inner loop variable will be used as the first index.
Traversing With Enhanced For Loops
In Java, enhanced for loops can be used to traverse 2D
arrays. Because enhanced for loops have no index for(String[] rowOfStrings
variable, they are better used in situations where you : twoDStringArray) {
only care about the values of the 2D array - not the for(String s : rowOfStrings) {
location of those values System.out.println(s);
}
}