英文原文
Write an efficient algorithm that searches for a value in an m x n
matrix. This matrix has the following properties:
- Integers in each row are sorted from left to right.
- The first integer of each row is greater than the last integer of the previous row.
Example 1:
data:image/s3,"s3://crabby-images/df489/df4894b0a1a3653d90efb776d3e20597fc94b7b5" alt=""
Input: matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 3 Output: true
Example 2:
data:image/s3,"s3://crabby-images/36fb7/36fb7e61cbae9c787e028612a4b83d7c605d7889" alt=""
Input: matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 13 Output: false
Constraints:
m == matrix.length
n == matrix[i].length
1 <= m, n <= 100
-104 <= matrix[i][j], target <= 104
中文题目
编写一个高效的算法来判断 m x n
矩阵中,是否存在一个目标值。该矩阵具有如下特性:
- 每行中的整数从左到右按升序排列。
- 每行的第一个整数大于前一行的最后一个整数。
示例 1:
data:image/s3,"s3://crabby-images/df489/df4894b0a1a3653d90efb776d3e20597fc94b7b5" alt=""
输入:matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 3 输出:true
示例 2:
data:image/s3,"s3://crabby-images/8bc7e/8bc7e061edc8f71429367b7c7e817db1a2ff79a5" alt=""
输入:matrix = [[1,3,5,7],[10,11,16,20],[23,30,34,60]], target = 13 输出:false
提示:
m == matrix.length
n == matrix[i].length
1 <= m, n <= 100
-104 <= matrix[i][j], target <= 104
通过代码
高赞题解
🧠 解题思路
根据题意已知,二维数组从左往右递增,从上往下递增,所以得出以下结论:
- 某列的某个数字,该数之上的数字,都比其小;
- 某行的某个数字,该数右侧的数字,都比其大;
所以,解题流程如下所示:
- 以二维数组左下角为原点,建立直角坐标轴。
- 若当前数字大于了查找数,查找往上移一位。
- 若当前数字小于了查找数,查找往右移一位。
🎨 图解演示
<,
,
,
,
,
,
>
🍭 示例代码
[]var findNumberIn2DArray = function(matrix, target) { if(!matrix.length) return false; let x = matrix.length - 1, y = 0; while(x >= 0 && y < matrix[0].length){ if(matrix[x][y] === target){ return true; }else if(matrix[x][y] > target){ x--; }else{ y++; } } return false; };
[]class Solution { public boolean searchMatrix(int[][] matrix, int target) { int rows = matrix.length - 1, columns = 0; while (rows >= 0 && columns < matrix[0].length) { int num = matrix[rows][columns]; if (num == target) { return true; } else if (num > target) { rows--; } else { columns++; } } return false; } }
转身挥手
嘿,少年,做图不易,留下个赞或评论再走吧!谢啦~ 💐
差点忘了,祝你牛年大吉 🐮 ,AC 和 Offer 📑 多多益善~
⛲⛲⛲ 期待下次再见~
统计信息
通过次数 | 提交次数 | AC比率 |
---|---|---|
184743 | 397636 | 46.5% |
提交历史
提交时间 | 提交结果 | 执行时间 | 内存消耗 | 语言 |
---|
相似题目
题目 | 难度 |
---|---|
搜索二维矩阵 II | 中等 |