题目:
在一个二维数组中,每一行都按照从左到右递增的顺序排序,每一列都按照从上到下递增的顺序排序。请完成一个函数,输入这样的一个二维数组和一个整数,判断数组中是否含有该整数。
基本思想:
首先选取数组中右上角的数字。如果等于要找的数字,结束。如果大于要找的数字,剔除这个数字所在的列;如果小于要找的数字,剔除这个数字所在的行。
public static boolean find(int[][] array, int number) {
if (array == null || array.length == 0)
return false;
int column = array[0].length;
int row = array.length;
int i = 0, j = column - 1;
while (i < row && j > 0) {
if (array[i][j] == number) {
return true;
} else if (array[i][j] > number) {
j--;
continue;
} else if (array[i][j] < number) {
i++;
continue;
}
}
return false;
}
时间: 2024-10-02 14:58:33