『剑指 offer 学习笔记』「面试题 3:二维数组中的查找」
2018-03-31 本文已影响24人
樱木天亥
题目:在一个二维数组中,每一行都按照从左到右递增的顺序排序,每一列都按照从上到下递增的顺序排序。请完成一个函数,输入这样的一个二维数组和一个整数,判断数组中是否含有该整数。
/**
* 题目:在一个二维数组中,每一行都按照从左到右递增的顺序排序,
* 每一列都按照从上到下递增的顺序排序。
* 请完成一个函数,输入这样的一个二维数组和一个整数,判断数组中是否含有该整
* 数。
*/
public class FindNumber {
public static void main(String[] args) {
int matrix[][] = {
{1, 2, 8, 9},
{2, 4, 9, 12},
{4, 7, 10, 13},
{6, 8, 11, 15}
};
System.out.println(find(matrix, 7)); //要查找的数 7 在数组中
System.out.println(find(matrix, 56)); //要查找的数 56 不在数组中
}
/**
* 从数组右上角元素开始查起
* @param matrix 待查找的数组
* @param number 要查找的数
* @return 返回的结果,true 则找到,false 则没找到
*/
public static boolean find(int matrix[][], int number) {
int rows = matrix.length; //数组的行数
int columns = matrix[0].length; //数组的列数
int row = 0; //开始查找的元素的行号
int column = columns - 1; //开始查找的元素的 列号
//条件判断
if (matrix != null && matrix.length > 0 && matrix[0].length > 0) {
while (row < rows && column >= 0) {
if (matrix[row][column] == number) { //如果当前数正好等于要查找的数,则直接退出
return true;
} else if(matrix[row][column] > number){ //当前数大于要查找的数,则说明要查找的数在当前数左边,列数减1
column --;
} else { //当前数小于要查找的数,则说明要查找的数在当前数下边,行数加1
row ++;
}
}
}
return false;
}
}