原文链接: https://leetcode-cn.com/problems/lucky-numbers-in-a-matrix
英文原文
Given an m x n
matrix of distinct numbers, return all lucky numbers in the matrix in any order.
A lucky number is an element of the matrix such that it is the minimum element in its row and maximum in its column.
Example 1:
Input: matrix = [[3,7,8],[9,11,13],[15,16,17]] Output: [15] Explanation: 15 is the only lucky number since it is the minimum in its row and the maximum in its column
Example 2:
Input: matrix = [[1,10,4,2],[9,3,8,7],[15,16,17,12]] Output: [12] Explanation: 12 is the only lucky number since it is the minimum in its row and the maximum in its column.
Example 3:
Input: matrix = [[7,8],[1,2]] Output: [7] Explanation: 7 is the only lucky number since it is the minimum in its row and the maximum in its column.
Example 4:
Input: matrix = [[3,6],[7,1],[5,2],[4,8]] Output: [] Explanation: There is no lucky number.
Constraints:
m == mat.length
n == mat[i].length
1 <= n, m <= 50
1 <= matrix[i][j] <= 105
.- All elements in the matrix are distinct.
中文题目
给你一个 m * n
的矩阵,矩阵中的数字 各不相同 。请你按 任意 顺序返回矩阵中的所有幸运数。
幸运数是指矩阵中满足同时下列两个条件的元素:
- 在同一行的所有元素中最小
- 在同一列的所有元素中最大
示例 1:
输入:matrix = [[3,7,8],[9,11,13],[15,16,17]] 输出:[15] 解释:15 是唯一的幸运数,因为它是其所在行中的最小值,也是所在列中的最大值。
示例 2:
输入:matrix = [[1,10,4,2],[9,3,8,7],[15,16,17,12]] 输出:[12] 解释:12 是唯一的幸运数,因为它是其所在行中的最小值,也是所在列中的最大值。
示例 3:
输入:matrix = [[7,8],[1,2]] 输出:[7]
提示:
m == mat.length
n == mat[i].length
1 <= n, m <= 50
1 <= matrix[i][j] <= 10^5
- 矩阵中的所有元素都是不同的
通过代码
高赞题解
审题
行最小值,列最大值,都是可以分别算出来的。在元素唯一的情况下,同时满足两种条件,取交集即可。
Python的优势在于,求列最大值时有zip
和推导式这些方便的手段。
参考答案
class Solution:
def luckyNumbers(self, matrix: List[List[int]]) -> List[int]:
mins = {min(rows) for rows in matrix}
maxes = {max(columns) for columns in zip(*matrix)}
return list(mins & maxes)
执行用时 :
44 ms
, 在所有 Python3 提交中击败了100.00%
的用户
内存消耗 :13.8 MB
, 在所有 Python3 提交中击败了100.00%
的用户
如果元素不唯一(2020年3月20日补充)
即使元素不唯一,相同思路,取坐标交集也行。
但操作上过于麻烦,所以还不如常规做法。
class Solution:
def luckyNumbers (self, matrix: List[List[int]]) -> List[int]:
mins = [min(rows) for rows in matrix]
maxes = [max(columns) for columns in zip(*matrix)]
lucky = []
for i, row in enumerate(matrix):
for j, value in enumerate(row):
if value == mins[i] and value == maxes[j]:
lucky.append(value)
return lucky
统计信息
通过次数 | 提交次数 | AC比率 |
---|---|---|
17200 | 23642 | 72.8% |
提交历史
提交时间 | 提交结果 | 执行时间 | 内存消耗 | 语言 |
---|