1. 程式人生 > 其它 >【LeetCode】861. Score After Flipping Matrix 翻轉矩陣後的得分(Medium)(JAVA)

【LeetCode】861. Score After Flipping Matrix 翻轉矩陣後的得分(Medium)(JAVA)

技術標籤:Leetcodejava演算法leetcode動態規劃面試

【LeetCode】861. Score After Flipping Matrix 翻轉矩陣後的得分(Medium)(JAVA)

題目地址: https://leetcode.com/problems/score-after-flipping-matrix/

題目描述:

We have a two dimensional matrixA where each value is 0 or 1.

A move consists of choosing any row or column, and toggling each value in that row or column: changing all 0s to 1s, and all 1s to 0s.

After making any number of moves, every row of this matrix is interpreted as a binary number, and the score of the matrix is the sum of these numbers.

Return the highest possiblescore.

Example 1:

Input: [[0,0,1,1],[1,0,1,0],[1,1,0,0]]
Output: 39
Explanation:
Toggled to [[1,1,1,1],[1,0,0,1],[1,1,1,1]].
0b1111 + 0b1001 + 0b1111 = 15 + 9 + 15 = 39

Note:

  • 1 <= A.length <= 20
  • 1 <= A[0].length <= 20
  • A[i][j]is 0 or 1.

題目大意

有一個二維矩陣A 其中每個元素的值為0或1。

移動是指選擇任一行或列,並轉換該行或列中的每一個值:將所有 0 都更改為 1,將所有 1 都更改為 0。

在做出任意次數的移動後,將該矩陣的每一行都按照二進位制數來解釋,矩陣的得分就是這些數字的總和。

返回儘可能高的分數。

解題方法

  1. 為了讓矩陣的得分儘可能高,第一列肯定是全部需要變成 1: 對每一行遍歷,如果第一個不為 1,就把整行翻轉
  2. 為了讓每一列的得分最高,如何判斷這裡列要不要翻轉呢?就看這一列 1 的個數是否超過一般,如果超過了一半就不需要翻轉,如果沒超過就需要翻轉
  3. 在遍歷的過程中把總合也計算出來
class Solution {
    public int matrixScore(int[][] A) {
        if (A.length == 0 || A[0].length == 0) return 0;
        int sum = 0;
        for (int i = 0; i < A.length; i++) {
            if (A[i][0] == 1) continue;
            for (int j = 0; j < A[0].length; j++) {
                A[i][j] ^= 1;
            }
        }
        sum += (1 << (A[0].length - 1)) * A.length;
        int half = (A.length + 1) / 2;
        for (int i = 1; i < A[0].length; i++) {
            int count = 0;
            for (int j = 0; j < A.length; j ++) {
                if (A[j][i] == 1) count++;
            }
            sum += (1 << (A[0].length - i - 1)) * Math.max(count, A.length - count);
            if (count >= half) continue;
            for (int j = 0; j < A.length; j ++) {
                A[j][i] ^= 1;
            }
        }
        return sum;
    }
}

執行耗時:0 ms,擊敗了100.00% 的Java使用者
記憶體消耗:36.3 MB,擊敗了68.22% 的Java使用者

歡迎關注我的公眾號,LeetCode 每日一題更新