给你一个 m * n 的矩阵 grid,矩阵中的元素无论是按行还是按列,都以非递增顺序排列。
请你统计并返回 grid 中 负数 的数目。
解法一
class Solution {
public int countNegatives(int[][] grid) {
//因为是有序矩阵,所以第二个循环从后往前,遇到正数停止循环
int count = 0;
for (int i = 0; i < grid.length; i++)
for (int j = 0; j < grid[i].length; j++)
if (grid[i][j] < 0) count++;
return count;
}
}
解法二
优化解法一。
class Solution {
public int countNegatives(int[][] grid) {
//因为是有序矩阵,所以第二个循环从后往前,遇到正数停止循环
int count = 0;
for (int i = 0; i < grid.length; i++)
for (int j = grid[i].length - 1; j >= 0; j--)
if (grid[i][j] < 0) count++;
else break;
return count;
}
}