剑指offer:二维数组中的查找

题目:

在一个二维数组中,每一行都按照从左到右递增的顺序排序,每一列都按照从上到下递增的顺序排序。请完成一个函数,输入这样的一个二维数组和一个整数,判断数组中是否含有该整数。

思路:

每次选取右上角或者左下角的数字,

以a=[1   2   8   9

        2   4   9   12

        4   7   10  13

        6   8   11  15] 为例,从9开始,如果9>target,那么第四列整列都比target大,可以删掉,col-1;如果9

代码:

在线测试OJ:

https://www.nowcoder.com/practice/abc3fe2ce8e146608e868a70efebf62e?tpId=13&&tqId=11154&rp=1&ru=/activity/oj&qru=/ta/coding-interviews/question-ranking

AC代码:

class Solution {
public:
    bool Find(int target, vector > array) {
        if(array.empty())
            return false;
        int row=array.size();
        int col=array[0].size();
        int i=0;
        int j=col-1;
        while(i=0)
        {
            if(array[i][j]==target)
                return true;
            else if(array[i][j]>target)
                      j--;
                 else
                      i++;
        }
        return false;
    }
};

VC下编译通过:

#include 
#include 
using namespace std;

bool Find(int target, vector > array) 
{
    if(array.empty())
        return false;
    int row=array.size();
    int col=array[0].size();
    int i=0;
    int j=col-1;
    while(i=0)
    {
        if(array[i][j]==target)
            return true;
        else if(array[i][j]>target)
                  j--;
             else
                  i++;
    }
    return false;
}

int main()
{
	int a[4][4]={{1,2,8,9},{2,4,9,12},{4,7,10,13},{6,8,11,15}};
	vector > array(4);//二维vector数组在c++中不能直接初始化
        for(int i=0;i<4;i++)
	{
            array[i].resize(4);
        }
	for(i=0;i<4;i++)
	{
             for(int j=0;j<4;j++)
	     {
	          array[i][j]=a[i][j];
	     }
	}
	int target=7;
        cout<

你可能感兴趣的:(算法题)