首页 > 代码库 > 【剑指offer】二维数组中的查找

【剑指offer】二维数组中的查找

题目描述:

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


分析:

首先选择数组中右上角的数字。如果该数字等于要查找的数字,查找过程结束;如果该数字大于要查找的数字,剔除这个数字所在的列;如果该数字小于要查找的数字,剔除这个数字所在的行。依次类推,直到查找范围为空。

示例程序:

#include <stdio.h>
#include <stdlib.h>

int find(int *matrix, int rows, int columns, int number);

int
main(int argc, char **argv)
{
	int result;

	int a[4][4] = {
		{1, 2, 8, 9},
		{2, 4, 9, 12},
		{4, 7, 10, 13},
		{6, 8, 11, 15}	
	};	

	result = find((int *)a, 4, 4, 7);
	printf("result = %d\n", result);
	result = find((int *)a, 4, 4, 3);
	printf("result = %d\n", result);
	
	return 0;
	
}

int find(int *matrix, int rows, int columns, int number)
{
	int found = 0;

	if(matrix != NULL && rows > 0 && columns > 0){
		int row = 0;
		int column = columns -1;
		while(row < rows && column >= 0){
			if(matrix[row * columns + column] == number){
				found = 1;
				break;	
			}	
			else if(matrix[row * columns + column] > number)
				column--;	
			else
				++row;	
		}	
	}

	return found;
}

总结:

1、二维数组在内存中占据连续的空间。在内存中从上到下存储各行元素,在同一行中按照从左到右的顺序存储。因此可以根据行号和列号计算出相对于数组首地址的偏移量,从而找到对应的元素。

2、注意,对于二维数组,可以通过传递数组的首地址,然后按照一维数组进行编程

3、当问题比较复杂时,要通过具体例子找到其中的规律

4、编写函数时,首先要做的是对传递给函数的参数进行检查,看是否符合,如果不符合,就退出函数。