剑指offer中算法:二维数组中的查找
题目描述如下:
在一个 n * m 的二维数组中,每一行都按照从左到右递增的顺序排序,每一列都按照从上到下递增的顺序排序。请完成一个高效的函数,输入这样的一个二维数组和一个整数,判断数组中是否含有该整数。
示例
现有矩阵 matrix 如下:
{
{1, 4, 7},
{2, 5, 8,},
{3, 6, 9}
}
给定 target = 9,返回 true。
给定 target = 10,返回false。
限制
0 <= n <= 1000
0 <= m <= 1000
代码实现如下:
public class practice1 {
public static boolean deal(int[][] matrix, int target) {
System.out.println(matrix.length); //一个二维数组是由多个一维数组组成,其中matrix.length表示的是此二维数组中一维数组的个数
System.out.println(matrix[0].length); //matrix[0].length 表示的是此二维数组中第一个一维数组所包含的元素的个数
int rows = matrix.length;
int columns= matrix[0].length;
int row = 0;
int column = columns -1;
while (row < rows && column >= 0) {
if (matrix[row][column] == target) {
return true;
} else if (matrix[row][column] > target) {
--column;
} else {
++ row;
}
}
return false;
}
public static void main(String[] args) {
int[][] x = {
{1,2},
{4,5}
};
System.out.println(deal(x, 5));
}
}
复杂度分析
时间复杂度:O(n+m)。访问到的下标的行最多增加 n 次,列最多减少 m 次,因此循环体最多执行 n + m 次。
空间复杂度:O(1)。文章来源:https://www.toymoban.com/news/detail-525085.html
暴力解法如下:
public static boolean deal1(int[][] matrix, int target) {
int rows = matrix.length;
int columns = matrix[0].length;
for (int i = 0; i < rows; i++) {
for (int j = 0; j < columns; j++) {
if (matrix[i][j] == target) {
return true;
}
}
}
return false;
}
复杂度分析
时间复杂度:O(nm)。二维数组中的每个元素都被遍历,因此时间复杂度为二维数组的大小。
空间复杂度:O(1)。文章来源地址https://www.toymoban.com/news/detail-525085.html
到了这里,关于剑指offer中算法:二维数组中的查找的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!