每日一题-20240123

题目描述

2643. 一最多的行

给你一个大小为 m x n 的二进制矩阵 mat ,请你找出包含最多 1 的行的下标(从 0 开始)以及这一行中 1 的数目。

如果有多行包含最多的 1 ,只需要选择 行下标最小 的那一行。

返回一个由行下标和该行中 1 的数量组成的数组。

示例 1:

1
2
3
输入:mat = [[0,1],[1,0]]
输出:[0,1]
解释:两行中 1 的数量相同。所以返回下标最小的行,下标为 0 。该行 1 的数量为 1 。所以,答案为 [0,1] 。

示例 2:

1
2
3
输入:mat = [[0,0,0],[0,1,1]]
输出:[1,2]
解释:下标为 1 的行中 1 的数量最多。该行 1 的数量为 2 。所以,答案为 [1,2] 。

示例 3:

1
2
3
输入:mat = [[0,0],[1,1],[0,0]]
输出:[1,2]
解释:下标为 1 的行中 1 的数量最多。该行 1 的数量为 2 。所以,答案为 [1,2] 。

提示:

  • m == mat.length
  • n == mat[i].length
  • 1 <= m, n <= 100
  • mat[i][j]01

解题思路

循环遍历比较即可

代码实现

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
public class Solution2643 {

/**
* 思路
* 循环遍历比较即可
*
* @param mat
* @return {@link int[] }
* @author Forest Dong
* @date 2024/01/25 19:07
*/
public static int[] rowAndMaximumOnes(int[][] mat) {
int max = 0;
int[] result = new int[2];
for (int i = 0; i < mat.length; i++) {
int count = 0;
for (int x : mat[i]) {
if (1 == x) {
count++;
}
}
if (count > max) {
result[0] = i;
result[1] = count;
max = count;
}
}
return result;
}

public static void main(String[] args) {
int[][] mat = {{0, 0, 0}, {0, 1, 1}};
rowAndMaximumOnes(mat);
}
}