/*
*
*
- 在一个二维数组中(每个一维数组的长度相同),每一行都按照从左到右递增的顺序排序,每一列都按照从上到下递增的顺序排序。请完成一个函数,输入这样的一个二维数组和一个整数,判断数组中是否含有该整数。
- author huxia
- */
public class 二维数组中的查找 {
public static void main(String[] args) {
int target = 5;
int[][] array = {{1, 2, 8, 9}, {2, 4, 9, 12}, {4, 7, 10, 13}, {6, 8, 11, 15}};
System.out.println(Find(target, array));
}
public static boolean Find(int target, int[][] array) {
//判断数组不为空
if (array.length == 0 || array[0].length == 0) {
return false;
}
//定义横纵轴,从左下角开始遍历
int i = array.length - 1;
int j = 0;
while (true) {
//如果小于目标值则向右移动一格
while (array[i][j] < target) {
if (j < array[0].length - 1) {
j++;
} else {
return false;
}
}
if (array[i][j] == target) {
return true;
}
//右移到大于目标值,则向上移动一格,往复循环直到等于 或者 右移到顶或上移到顶
if (i > 0) {
i--;
} else {
return false;
}
}
}
}