【C语言刷LeetCode】面试题 10.09. 排序矩阵查找(M)

给定M×N矩阵,每一行、每一列都按升序排列,请编写代码找出某元素。

示例:

现有矩阵 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。

来源:力扣(LeetCode)
链接:https://leetcode.cn/problems/sorted-matrix-search-lcci
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

刚开始想先行二分再列二分,发现行不通,因为下面一行的数字不一定每个都比上一行大。

然后就是脑筋急转弯了,从左下脚开始,即18开始,比它大就往右走,比它小就往左走,每个元素这样操作,就行了

bool searchMatrix(int** matrix, int matrixSize, int matrixColSize, int target){
    int m = matrixSize - 1; // 右下脚开始找
    int n = 0; // 列
    int i;

    while(m < matrixSize && n < matrixColSize && m >= 0 && n >= 0) {
        if (target > matrix[m][n]) {
            n++;
        } else if (target < matrix[m][n]) {
            m--;
        } else if (target == matrix[m][n]) {
            return true;
        }
    }
    
    return false;
}

你可能感兴趣的:(LeetCode,leetcode)