-
Notifications
You must be signed in to change notification settings - Fork 0
/
240.搜索二维矩阵-ii.py
63 lines (62 loc) · 1.85 KB
/
240.搜索二维矩阵-ii.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
#
# @lc app=leetcode.cn id=240 lang=python3
#
# [240] 搜索二维矩阵 II
#
# https://leetcode-cn.com/problems/search-a-2d-matrix-ii/description/
#
# algorithms
# Medium (37.55%)
# Likes: 133
# Dislikes: 0
# Total Accepted: 22.4K
# Total Submissions: 59.5K
# Testcase Example: '[[1,4,7,11,15],[2,5,8,12,19],[3,6,9,16,22],[10,13,14,17,24],[18,21,23,26,30]]\n5'
#
# 编写一个高效的算法来搜索 m x n 矩阵 matrix 中的一个目标值 target。该矩阵具有以下特性:
#
#
# 每行的元素从左到右升序排列。
# 每列的元素从上到下升序排列。
#
#
# 示例:
#
# 现有矩阵 matrix 如下:
#
# [
# [1, 4, 7, 11, 15],
# [2, 5, 8, 12, 19],
# [3, 6, 9, 16, 22],
# [10, 13, 14, 17, 24],
# [18, 21, 23, 26, 30]
# ]
#
#
# 给定 target = 5,返回 true。
#
# 给定 target = 20,返回 false。
#
#
# 每行的元素从左到右升序排列。
# 每列的元素从上到下升序排列。
# 那么从左到右从上到下构成一个有序数组,每行的最后一个元素x相当于一个分界点
# 如果要查找的元素大于x,那么要查找的数字肯定在下一行,如果小于x,那么要查找的元素就在前面那些列
# 如果相等的话 就返回true,如果搜索完所有的元素,那么就返回false
class Solution:
def searchMatrix(self, matrix, target):
if not matrix:
return False
m, n = len(matrix), len(matrix[0])
row, col = 0, n - 1
while row < m and col >= 0:
if matrix[row][col] == target:
return True
elif matrix[row][col] < target:
row += 1
else:
col -= 1
return False
# s = Solution()
# a = [[1, 4, 7, 11, 15], [2, 5, 8, 12, 19], [3, 6, 9, 16, 22], [10, 13, 14, 17, 24], [18, 21, 23, 26, 30]]
# print(s.searchMatrix(a, 20))