Say I have an array
that looks something like this:
{{1,3,5,7},{2,4,6,8,10,12},{2,3,5,7,11,13,17}}
How should I go about creating a new array in Java that is exactly the same as this one, except one row and one column has been removed?
I can perform this task with an even-sized array, but jagged arrays are giving me some trouble. I thought about first creating a new array with unspecified column count, but where do I go from there?
/**
* Creates a new array that is a copy of the input matrix,
* except that one row and one column have been altered.
* Precondition: the row index is between 0 (inclusive)
* and the number of rows of matrix (not inclusive)
*
* @param matrix the input two dimensional array
* @param row the index of the row to remove
* @param col the index of the column to remove
*/
public static int[][] removeRowAndCol(int[][] matrix, int row, int col) {
int[][] altered = new int[(matrix.length - 1)][];
int x = 0;
for (int i = 0; i < matrix.length; i++) {
if (matrix[i].length < col + 1 && i != row) {
altered[x] = new int[matrix[i].length];
for (int j = 0; j < altered[x].length; j++) {
altered[x][j] = matrix[i][j];
}
if (x < matrix.length - 1) {
x++;
}
} else if (matrix[i].length > col && i != row) {
altered[x] = new int[matrix[i].length - 1];
int y = 0;
for (int z = 0; z < matrix[i].length - 1; z++) {
if (z != col) {
altered[x][y] = matrix[i][z];
y++;
} else {
z--;
}
}
if (x < matrix.length - 1) {
x++;
}
}
}
return altered;
}
when running a test case such as:
removeRowAndCol(new int[][]{{1, 2}, {3, 4}}, 1, 1)
the method returns {{1}}
which is correct.
However, with something like this:
int[][] array = {{1,2,3,4},{11,12,13,14,15,16},{21,22,23,24},{31,32,33}};
removeRowAndCol(array, 0, 0)
removeRowAndCol(array, 2, 3)
the method would freeze.
Can somebody take a look at the code and tell me what I did wrong?
See Question&Answers more detail:
os