You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
43 lines
944 B
43 lines
944 B
package class40;
|
|
|
|
public class Code07_ZigZagPrintMatrix {
|
|
|
|
public static void printMatrixZigZag(int[][] matrix) {
|
|
int tR = 0;
|
|
int tC = 0;
|
|
int dR = 0;
|
|
int dC = 0;
|
|
int endR = matrix.length - 1;
|
|
int endC = matrix[0].length - 1;
|
|
boolean fromUp = false;
|
|
while (tR != endR + 1) {
|
|
printLevel(matrix, tR, tC, dR, dC, fromUp);
|
|
tR = tC == endC ? tR + 1 : tR;
|
|
tC = tC == endC ? tC : tC + 1;
|
|
dC = dR == endR ? dC + 1 : dC;
|
|
dR = dR == endR ? dR : dR + 1;
|
|
fromUp = !fromUp;
|
|
}
|
|
System.out.println();
|
|
}
|
|
|
|
public static void printLevel(int[][] m, int tR, int tC, int dR, int dC, boolean f) {
|
|
if (f) {
|
|
while (tR != dR + 1) {
|
|
System.out.print(m[tR++][tC--] + " ");
|
|
}
|
|
} else {
|
|
while (dR != tR - 1) {
|
|
System.out.print(m[dR--][dC++] + " ");
|
|
}
|
|
}
|
|
}
|
|
|
|
public static void main(String[] args) {
|
|
int[][] matrix = { { 1, 2, 3, 4 }, { 5, 6, 7, 8 }, { 9, 10, 11, 12 } };
|
|
printMatrixZigZag(matrix);
|
|
|
|
}
|
|
|
|
}
|