Two Dimensional Arrays
7. 2D Array Declaration
Answer:
grade 0,0: 99
grade 2,4: 96
sum: 116
2D Array Declaration
Two-dimensional arrays are objects. A variable such as gradeTable
is a reference to a 2D array object. The declaration
int[][] myArray ;
says that myArray
is expected to hold a reference to a 2D array of int
. Without any further initialization, myArray
starts out holding null
. The declaration
int[][] myArray = new int[3][5] ;
says that myArray
can hold a reference to a 2D array of int
, creates an array object of 3 rows and 5 columns, and puts the reference in myArray
. All the cells of the array are initialized to zero. The declaration
int[][] myArray = { {0,0,0,0,0}, {0,0,0,0,0}, {0,0,0,0,0} };
does exactly the same thing as the previous declaration (and would not ordinarily be used.) The declaration
int[][] myArray = { {8,1,2,2,9}, {1,9,4,0,3}, {0,3,0,0,7} };
creates an array of 3 rows and 5 columns and initializes the cells to specific values.
Question 7:
After the last statement, what is the value myArray[1][2]
?