剑指Offer-二维数组中的查找
题目描述
在一个二维数组中(每个一维数组的长度相同),每一行都按照从左到右递增的顺序排序,每一列都按照从上到下递增的顺序排序。请完成一个函数,输入这样的一个二维数组和一个整数,判断数组中是否含有该整数。
题目大意及分析
这道题其实就是判断二维数组中能不能找的到所给的 target 这个数,通过观察二位数组的排列规律(每一行: 左→右递增;每一列:上→下递增),我们可以发现在数组左下角的数向上是递减,向右是递增。(右上角的数向下是递增,向左是递减)用这个特殊的点,我们就可以很好的遍历整个数组了。我的参考代码是选取的右上角的数。
代码
public class Solution {
public boolean Find(int target, int [][] array) {
if(array.length==0 || array[0].length==0)//数组为空返回False,否则本题不会完全通过;
return false;
int x = 0;
int y = array[0].length-1;
int w = array[x][y];//右上角的数
while(w != target){
if(x >= array.length-1 || y <= 0)
return false;
if(w > target)
y--;
if(w < target)
x++;
w = array[x][y];
}
return true;
}
}