[ 剑指offer ] 面试题4:二维数组中的查找
Posted remly
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了[ 剑指offer ] 面试题4:二维数组中的查找相关的知识,希望对你有一定的参考价值。
题目描述
编写一个高效的算法来判断 m x n 矩阵中,是否存在一个目标值。该矩阵具有如下特性:
- 每行中的整数从左到右按升序排列。
- 每行的第一个整数大于前一行的最后一个整数。
示例 1:
输入: matrix = [ [1, 3, 5, 7], [10, 11, 16, 20], [23, 30, 34, 50] ] target = 3 输出: true
示例 2:
输入: matrix = [ [1, 3, 5, 7], [10, 11, 16, 20], [23, 30, 34, 50] ] target = 13 输出: false
解题思路
1.暴力解法
略...
2.利用行递增,列递增的特性,从右上角开始排除一行或者一列
class Solution(object): def searchMatrix(self, matrix, target): """ :type matrix: List[List[int]] :type target: int :rtype: bool """ if matrix ==[]: return False row,col = len(matrix),len(matrix[0]) x,y=0,col-1 while x<row and y>=0: if target < matrix[x][y]: y-=1 elif target > matrix[x][y]: x+=1 else: return True return False
3.类似2,只通过排除行来解题。
class Solution(object): def searchMatrix(self, matrix, target): """ :type matrix: List[List[int]] :type target: int :rtype: bool """ for i in matrix: try: if target <= i[-1]: for j in i: if target == j: return True except: return False return False
4.根据题意,二维数组在一维上是递增的,这样就可以用二分查找来解题
总结
以上是关于[ 剑指offer ] 面试题4:二维数组中的查找的主要内容,如果未能解决你的问题,请参考以下文章