🌗 74. 搜索二维矩阵
2022年10月10日
- algorithm
🌗 74. 搜索二维矩阵
难度: 🌗
问题描述
解法
class Solution {
public boolean searchMatrix(int[][] matrix, int target) {
// 思路:
// 从右上方往左下方查找
int row = matrix.length;
int col = matrix[0].length;
int i = 0;
int j = col - 1;
while(i < row && j >= 0) {
if(matrix[i][j] == target) {
return true;
} else if(target > matrix[i][j]) {
i ++;
} else {
j --;
}
}
return false;
}
}