标签:剑指offer
问题:在一个二维数组中,每一行都按照从左到右递增的顺序排序,每一列都按照从上到下递增的顺序排序。请完成一个函数,输入这样的一个二维数组和一个整数,判断该数组中是否含有该整数。比如:在如下二维数组中查找是否有7,若存在,则返回true,否则,返回false。
1 | 2 | 8 | 9 |
2 | 4 | 9 | 12 |
4 | 7 | 10 | 13 |
6 | 8 | 11 | 15 |
这个问题,其实我们可以把着手点放在数组的右上角。比如要查找的数字比右上角的数字要大,则查找下一行,否者,则从前一列进行查找。这样,每次就可以删除一排,降低遍历的次数。比如,查找7的过程如图所示:
此时,相当于我们一共查找了5次,就找到了我们想寻找的数,此时的时间复杂度为:O(n)。
据图,我们也很容易可以写出代码如下:
# include <stdio.h> bool find(int matrix[][4], int rows, int columns, int number){ bool found = false; if(matrix != NULL && rows > 0 && columns > 0){ int row = 0, column = columns-1; while(row<rows && column>=0){ if(matrix[row][column] == number){ found = true; break; } else if(matrix[row][column] > number){ column--; }else{ row++; } } } return found; } int main(void){ int matrix[4][4] = {{1, 2, 8, 9}, {2, 4, 9, 12}, {4, 7, 10, 13}, {6, 8, 11, 15}}; bool flag = find(matrix, 4, 4, 7); //返回1 // bool flag = find(matrix, 4, 4, 5); //返回0 printf("%d\n", flag); return 0; }
版权声明:本文为博主原创文章,未经博主允许不得转载。
标签:剑指offer
原文地址:http://blog.csdn.net/yanglun1/article/details/47782789