LeetCode 1428. Leftmost Column with at Least a One

原题链接在这里:https://leetcode.com/problems/leftmost-column-with-at-least-a-one/

题目:

A row-sorted binary matrix means that all elements are 0 or 1 and each row of the matrix is sorted in non-decreasing order.

Given a row-sorted binary matrix binaryMatrix, return the index (0-indexed) of the leftmost column with a 1 in it. If such an index does not exist, return -1.

You can't access the Binary Matrix directly. You may only access the matrix using a BinaryMatrix interface:

  • BinaryMatrix.get(row, col) returns the element of the matrix at index (row, col) (0-indexed).
  • BinaryMatrix.dimensions() returns the dimensions of the matrix as a list of 2 elements [rows, cols], which means the matrix is rows x cols.

Submissions making more than 1000 calls to BinaryMatrix.get will be judged Wrong Answer. Also, any solutions that attempt to circumvent the judge will result in disqualification.

For custom testing purposes, the input will be the entire binary matrix mat. You will not have access to the binary matrix directly.

Example 1:

Input: mat = [[0,0],[1,1]]
Output: 0

Example 2:

Input: mat = [[0,0],[0,1]]
Output: 1

Example 3:

Input: mat = [[0,0],[0,0]]
Output: -1 

Constraints:

  • rows == mat.length
  • cols == mat[i].length
  • 1 <= rows, cols <= 100
  • mat[i][j] is either 0 or 1.
  • mat[i] is sorted in non-decreasing order.

题解:

From the upper right corner, get the element.

If it is 1, then there could be 1s on its left, col--.

If it is 0, then there could be 1s on its down, row++. Why can't it move right, because we moved from the right to left, we already mark that position.

Time Complexity: O(m + n). m is the row count of matrix. n is column count of matrix.

AC Java:

 1 /**
 2  * // This is the BinaryMatrix's API interface.
 3  * // You should not implement it, or speculate about its implementation
 4  * interface BinaryMatrix {
 5  *     public int get(int row, int col) {}
 6  *     public List<Integer> dimensions {}
 7  * };
 8  */
 9 
10 class Solution {
11     public int leftMostColumnWithOne(BinaryMatrix binaryMatrix) {
12         List<Integer> dimen = binaryMatrix.dimensions();
13         int m = dimen.get(0);
14         int n = dimen.get(1);
15         int i = 0;
16         int j = n - 1;
17         int res = -1;
18         while(i < m && j >= 0){
19             if(binaryMatrix.get(i, j) == 0){
20                 i++;
21             }else{
22                 res = j;
23                 j--;
24             }
25         }
26         
27         return res;
28     }
29 }

 

posted @ 2022-08-03 14:43  Dylan_Java_NYC  阅读(31)  评论(0编辑  收藏  举报