1975. Maximum Matrix Sum - Detailed Explanation

Free Coding Questions Catalog
Boost your coding skills with our essential coding questions catalog. Take a step towards a better tech career now!

Problem Statement

You are given an n x n integer matrix. You can perform the following operation any number of times: choose any two adjacent elements (horizontal or vertical neighbors) and multiply both by -1 (i.e. flip their sign). Your goal is to maximize the sum of all elements in the matrix. You need to return the maximum possible sum of the matrix's elements after applying the operation optimally.

  • Constraints:
    • n == matrix.length == matrix[i].length (the matrix is square)
    • 2 <= n <= 250 (matrix has at least 2 rows and 2 columns, up to 250)
    • -10^5 <= matrix[i][j] <= 10^5 (matrix elements can be negative, zero, or positive, with absolute value up to 100,000)

Example 1:

Input: matrix = [[1, -1], [-1, 1]]

  • Step 1: Look at the absolute values. The absolute values of the elements are all 1, so if you could make every element positive, the total sum would be 1 + 1 + 1 + 1 = 4.

  • Step 2: Count the negatives. In the given matrix, there are two negatives (one in the top right and one in the bottom left). Two is an even number, which means it is possible (by flipping pairs) to make all negatives become positive.

  • Result: Since you can flip the negatives in pairs, you can achieve a configuration where all elements are 1, and the maximum sum is 4.

Example 2:

Input: matrix = [[1, 2, 3], [-1, -2, -3], [1, 2, 3]]

  • Step 1: First, compute the sum of absolute values for all elements:

    • For the first row: |1| + |2| + |3| = 6.
    • For the second row: |–1| + |–2| + |–3| = 6.
    • For the third row: |1| + |2| + |3| = 6.
    • The total sum if all numbers were positive would be 6 + 6 + 6 = 18.
  • Step 2: Count the number of negatives. In the second row, there are three negatives, and in the first and third rows, all numbers are positive. This gives a total negative count of 3, which is odd.

  • Step 3: Since flips occur in pairs, an odd number of negatives means you cannot flip every negative to a positive. One element must remain negative. To maximize the sum, you want that remaining negative to have the smallest absolute value, because its effect on the sum is minimized. In this case, the smallest absolute value among all numbers is 1.

  • Step 4: Thus, the maximum achievable sum is the sum of the absolute values (18) minus twice the smallest absolute value (2 × 1 = 2), because one element remains negative instead of positive.

  • Result: The maximum sum is 18 – 2 = 16.

Hints

  • Maximize Positives: Flipping two negatives will turn them into positives, which always increases the total sum. Look for ways to convert as many negative values to positive as possible.

  • Operation Effect: Flipping a negative and a positive together will swap the sign of each – one negative becomes positive, but one positive becomes negative. This operation doesn’t change the total count of negative numbers; it just moves the negativity around. Flipping two negatives, on the other hand, decreases the count of negative numbers by 2 (both become positive).

  • Parity of Negatives: Because each operation flips exactly two elements, the parity (odd or even count) of negative numbers in the matrix (ignoring zeros) cannot change unless a zero is involved. If you have an odd number of negative values and no zero, it’s impossible to make them all positive – one will have to remain negative.

  • Zero as a Wildcard: A zero element is very useful. Flipping a zero with a negative will turn the negative positive, while the zero remains 0 (no effect on sum). This effectively reduces the negative count by 1 without introducing a new negative. So, if any zero is present, you can get rid of that “last” negative easily.

  • Think in Absolute Values: The sum of absolute values of all elements is the theoretical maximum sum if you could make everything positive. The only time you can’t reach that perfect sum is when there’s an unavoidable single negative left (which happens when the total negatives count is odd and no zero to help). In that case, you’ll lose some sum – specifically, you’ll lose twice the smallest absolute value (because one element stays negative instead of positive).

Multiple Approaches with Code

Brute Force Approach (Exhaustive Search)

Idea: One naive approach is to try all possible ways of flipping adjacent pairs to see which configuration yields the maximum sum. Essentially, we explore every combination of operations (flip or not flip each possible adjacent pair) and calculate the resulting matrix sum. This guarantees finding the optimal result by brute force, but it is extremely inefficient for large matrices due to an exponential number of possibilities.

How it works: We can model this as a state-space search. Each state is a particular configuration of the matrix (with certain elements flipped). From any state, we can apply one flip operation on any adjacent pair to get a new state. We explore all reachable states, tracking the highest sum seen. For example, for a very small matrix (like 2x2 or 2x3), we could enumerate all sequences of flips:

  1. Start with the original matrix and compute its sum.

  2. Recursively or iteratively try flipping each adjacent pair (one horizontal or vertical neighbor pair at a time) that hasn’t been tried in the current sequence.

  3. Compute the new sum, and continue flipping further pairs from that state.

  4. Use backtracking or breadth-first search (BFS) to explore other flip combinations. Keep a visited set of matrix states to avoid repeating configurations (since different sequences of flips can lead to the same final state).

  5. Track the maximum sum encountered.

Why it's impractical: Each flip operation is binary (you either perform it or not in a given sequence), so the number of combinations can be astronomically large. For an n x n matrix, there are roughly O(n*(n-1)*2) adjacent pairs (horizontal and vertical). Trying all combinations would be on the order of 2^{(number of pairs)}, which becomes infeasible even for moderate n. The brute force is only viable for very small matrices (like n=2 or n=3) to illustrate the concept or verify the solution.

Despite its impracticality for large inputs, we’ll show a brute force approach for completeness and to build intuition:

Python Code (Brute Force):

Python3
Python3

. . . .

Explanation: In this Python code, we perform a BFS over matrix states. We generate all adjacent pairs and for each state, try flipping each pair to reach new states. We use a visited set to avoid revisiting states and track max_sum. This will correctly find the maximum achievable sum for small matrices. (Note: For large n, this approach will not finish in a reasonable time due to the state space explosion.)

Java Code (Brute Force):

Java
Java

. . . .

Explanation: The Java code uses a BFS similar to the Python version. It uses Arrays.deepToString to serialize the matrix state for the visited set (for simplicity). We clone states when enqueuing to avoid mutating shared data. Like the Python solution, this will enumerate reachable states and find maxSum, but it’s only suitable for very small matrices.

Complexity (Brute Force): In the worst case, the time complexity is exponential (O(2^{n*n}) in the number of elements, or more precisely exponential in the number of adjacent pairs). The space complexity is also exponential due to storing many matrix states in the worst case. This approach becomes infeasible as soon as n grows beyond a very small value.

Optimal Approach (Greedy using Mathematical Properties)

Idea: We can determine the maximum sum without explicitly trying all flips by leveraging a few key observations:

  1. The best scenario is to have all numbers be non-negative (positive or zero), because negative numbers reduce the sum.

  2. Because each operation flips two values, the parity of negative-count (odd or even number of negative values) is an invariant unless we involve a zero. In other words, if you start with an even number of negatives, you can in theory flip pairs to get an even number (possibly zero) of negatives in the end (potentially all positives). If you start with an odd number of negatives and there’s no zero, you will always have at least one negative remaining (you can’t flip an odd number of negatives to positive because flips come in pairs).

  3. If there is a zero in the matrix, it acts as a "free agent" to absorb a sign flip. You can flip a lone negative with a zero: the negative becomes positive, and the zero stays 0 (it doesn’t turn negative). This effectively lets you change an odd count of negatives into an even count (zero makes the parity flip possible).

  4. To maximize sum, if we must end up with one negative (in the case of an odd count of negatives with no zero), we should choose the smallest absolute value number to be that lone negative. This minimizes the penalty to the sum.

Strategy:

  • First, imagine we could flip any single element freely. We would just take the absolute value of every element, and the sum of those absolute values would be the maximum sum (since every number is non-negative in that scenario).

  • Now account for the constraint of flipping two at a time. Compute:

    • Total Sum of Absolute Values: total_abs_sum = sum of |matrix[i][j]| for all i,j.
    • Count of Negative Numbers: neg_count = number of elements in matrix that are < 0.
    • Smallest Absolute Value: min_abs_val = the smallest among all |matrix[i][j]|.
  • If neg_count is even, that means we can pair up all negatives (or they are already paired) such that they can all be flipped to positive. In this case, the maximum sum is simply total_abs_sum (we can make every element non-negative).

  • If neg_count is odd:

    • If there is at least one zero in the matrix, we can still achieve total_abs_sum because one negative can be flipped with that zero, effectively removing the “odd negative” without introducing a new one (the zero stays zero). So the presence of a zero essentially makes the situation same as even neg_count.

    • If there are no zeros and neg_count is odd, one element will remain negative no matter what. In that case, to maximize the sum, we should leave as negative the element with the smallest absolute value. This is because switching that particular element to negative (if it was positive in our absolute sum tally) subtracts the least from the sum. Practically, we subtract twice that value from total_abs_sum (once because in our absolute sum we counted it as positive, and once more to account that it’s actually negative in the final configuration). So the maximum sum in this case is total_abs_sum - 2 * min_abs_val.

  • In summary: Max Sum =

    • If (neg_count is even or there is a zero): total_abs_sum (make everything non-negative)
    • Else (odd neg_count with no zero): total_abs_sum - 2 * min_abs_val (one smallest element stays negative) .

This greedy approach works because any optimal sequence of flips will result in either all positives (if possible) or exactly one negative. And that one negative can always be chosen to be the smallest absolute value through appropriate flip choices.

Python Code (Optimal):

Python3
Python3

. . . .

Java Code (Optimal):

Java
Java

. . . .

Explanation: This optimal solution scans the matrix once (O(n^2) time). It calculates the sum of absolute values (treating every number as positive), counts how many negatives are present, and finds the smallest absolute value. Then it adjusts the sum if needed. If there’s an odd number of negatives (and no zero to offset that), it subtracts 2 * min_abs_val from the total absolute sum – this is equivalent to forcing one smallest-magnitude number to be negative. This approach is greedy but it can be proven to always yield the optimal result for this problem.

Complexity Analysis

  • Brute Force Approach: Time complexity is exponential, as we might need to examine on the order of 2^K states (where K is the number of possible flip operations or effectively the number of edges in the adjacency graph). Even for small matrices this grows very fast. For example, a 3x3 matrix has 12 possible adjacent pairs, yielding up to 2^12 = 4096 combinations to consider (many leading to duplicate states). The space complexity is also exponential in the worst case due to storing a large number of matrix states in the search. This approach is more of a conceptual check and is not feasible for large n.

  • Optimal Greedy Approach: Time complexity is O(n^2), since we just need to iterate through the matrix once to compute sums and counts. For n up to 250, this is at most 62,500 elements, which is very efficient. Space complexity is O(1) extra space, since we use only a few counters/variables and do in-place calculations. (We are not using additional structures proportional to n, aside from output storage or the input itself).

In practice, the optimal solution is extremely fast even for the largest allowed matrix, whereas the brute force would run out of time or memory for anything beyond the tiniest matrices.

Common Mistakes

  • Ignoring the Flip Constraint: A common mistake is to assume you can flip each element independently. Simply turning all negatives to positive (i.e., summing absolute values) without considering parity might give a sum that isn’t actually achievable under the rules. Always remember that flips occur in pairs.

  • Forgetting the Parity Rule: Not recognizing that an odd number of negatives forces one negative to remain (when no zero is present) can lead to an incorrect solution. Some might incorrectly return total_abs_sum in cases where there’s an odd count of negatives but no zero, which would be wrong.

  • Not Accounting for Zero: If there’s a zero in the matrix, it’s a game-changer. Forgetting to handle the zero case could cause you to unnecessarily subtract the smallest value even when it’s not needed. (In the optimal approach code above, this is handled implicitly because if a zero exists, min_abs_val would be 0, making the subtraction effectively zero. Alternatively, one could explicitly check for zero.)

  • Using Wrong Data Types: The sum of absolute values can be large (up to n*n*100,000). For n=250, the maximum sum could be 250250100000 = 6.25 × 10^9, which exceeds the range of a 32-bit integer. In languages like Java or C++, using an int for the sum might overflow. Make sure to use a larger type (long in Java) for summing to avoid overflow errors.

  • Double Counting or Missing Elements: When implementing, be careful to include every element’s absolute value in the sum and check every element for negativity and for the smallest absolute. Skipping an element or counting something twice could bug the result.

  • Flipping the Wrong Element in Odd Case: If you do realize one element must remain negative, ensure it’s the one with the smallest absolute value globally, not just the smallest negative. For instance, if the smallest absolute value in the matrix is a positive number, you might want to sacrifice that one (by flipping it to negative via another operation) instead of keeping a larger-magnitude negative. The strategy should be global, not local per row/column.

Edge Cases to Consider

  • All Positive Matrix: If every element is already positive (or zero), then no flips are needed at all. The answer is just the sum of all elements. (Our formula would yield neg_count = 0 which is even, so total_abs_sum is returned, correctly handling this case).

  • All Negative Matrix: If all numbers are negative:

    • If the count of negatives is even, you can flip them in pairs to make all of them positive. The result will be the sum of absolute values of all numbers.
    • If the count of negatives is odd (and there’s no zero), one number will remain negative. For example, in a 3x3 all-negative matrix with an odd total count, the answer will be sum(|nums|) - 2 * min(|nums|) because one smallest-magnitude number stays negative.
  • Matrix with Zeroes: If any zero is present, you can always achieve the absolute sum of all numbers, even if there’s an odd number of negatives. The zero can be paired with any one negative to flip it to positive without introducing a new negative. For example, in a matrix [[ -5, 2], [0, 3]] (odd negatives count, but a zero present), the maximum sum would be | -5| + |2| + |0| + |3| = 10 (we can flip -5 with 0 to get 5 and 0).

  • Mix of Positives and Negatives: Ensure the logic covers scenarios like one negative among many positives, or one positive among many negatives. For instance, [[ -5, 2], [3, 4]] (one negative) should result in flipping that -5 with the smallest positive (2) to yield a negative 2 and positive 5, leaving matrix [[-2, -?], ...] etc. The optimal sum ends up with one negative (the 2) and is computed correctly by the formula.

  • Duplicate Minimum Values: If the smallest absolute value appears multiple times, any one of them being negative in the end yields the same result. The algorithm just needs one representative smallest value. (E.g., if two cells have value 1 and others are larger, and you have odd negatives, only one of those 1’s will end up negative – sum impact is the same no matter which one).

  • Large Magnitudes: Check that using the smallest value logic indeed picks the right candidate. If the smallest absolute value is, say, 0 (meaning a zero is present), the formula correctly doesn’t subtract anything. If it’s a very small positive number, the algorithm will choose to make that one negative if needed.

Alternative Variations

This problem can be adapted or viewed in different ways:

  • Single Element Flips: If the operation allowed flipping a single element’s sign (instead of two adjacent), the solution would be trivial – just flip every negative to positive. The interesting part of this problem is the adjacency (pair-flip) constraint which introduces the parity consideration.

  • Flipping Whole Rows/Columns: Consider a variation where instead of adjacent pairs, you could flip an entire row or entire column. This becomes a different puzzle (related to matrix parity and often solvable by greedily flipping rows with negative values). In fact, LeetCode’s “Score After Flipping Matrix” (problem 861) deals with flipping entire rows or columns of a binary matrix to maximize a binary number interpretation. The underlying idea is also to maximize the value by making most entries “positive” (1 in that case).

  • Limited Number of Flips: Another variant could be if you were only allowed a fixed number of flip operations (say at most K flips). Then you’d have to be strategic about which pairs to flip first (likely flip the largest-magnitude negatives first). That would turn it into an optimization problem with a budget on operations.

  • Different Adjacency Rules: Instead of flipping adjacent orthogonally, one could imagine a twist where any two elements (not necessarily adjacent) could be flipped together. That would actually simplify the problem because any negative could pair with any other negative or with the smallest positive, making it always possible to maximize sum similarly to our solution. The adjacency requirement in this problem is what ties the parity of negatives.

  • Minimizing Sum: As a spin-off, one could ask to minimize the matrix sum with similar operations. The strategy would then be the opposite: we’d want as many negatives as possible. By a similar parity argument, you’d try to make everything negative (take negatives of all abs values) unless prevented by parity (odd number of positives means one stays positive).

  • Higher Dimensions or Non-Square Grids: The concept could extend to 3D grids or non-square matrices (though the problem as stated requires a square matrix). The parity argument would remain similar: flipping an even number of negatives keeps parity, etc., just extended to that structure.

Each of these variations would require adjusting the approach, but understanding the parity and absolute value strategy from this problem provides a strong foundation for tackling them.

  • LeetCode 1005 – Maximize Sum of Array After K Negations: A one-dimensional analog of this problem. You are given an array and can flip the sign of at most K elements. The goal is to maximize the array sum. This can be solved greedily by repeatedly flipping the smallest negative value or, if no negatives left, possibly flipping the smallest positive (or zero) if you still have flips left.

  • LeetCode 861 – Score After Flipping Matrix: A greedy matrix problem where you can flip any row or any column (invert all bits in that row/column) of a binary matrix. The aim is to maximize the “score” of the matrix where each row is interpreted as a binary number. It also involves making decisions to maximize 1s (positives in a sense) in certain positions.

  • LeetCode 832 – Flipping an Image: In this problem, you flip each row of a binary matrix horizontally and then invert the bits (0->1, 1->0). It’s a simpler transformation problem, but it gets you comfortable with the idea of flipping matrix entries and thinking about how operations affect the whole matrix.

  • LeetCode 1252 – Cells with Odd Values in a Matrix: This involves adding 1 to all cells in a row or column (an operation that affects parity). While not about maximizing a sum, it explores the effect of toggling operations on a matrix and counting outcomes (in that case, how many cells end up odd). It’s another perspective on applying operations across rows/cols and their cumulative effect.

TAGS
leetcode
CONTRIBUTOR
Design Gurus Team
-

GET YOUR FREE

Coding Questions Catalog

Design Gurus Newsletter - Latest from our Blog
Boost your coding skills with our essential coding questions catalog.
Take a step towards a better tech career now!
Explore Answers
What is application development methodology?
Reflecting on past interviews to identify personal improvement areas
What is the best introduction for a software developer interview?
Related Courses
Image
Grokking the Coding Interview: Patterns for Coding Questions
Grokking the Coding Interview Patterns in Java, Python, JS, C++, C#, and Go. The most comprehensive course with 476 Lessons.
Image
Grokking Modern AI Fundamentals
Master the fundamentals of AI today to lead the tech revolution of tomorrow.
Image
Grokking Data Structures & Algorithms for Coding Interviews
Unlock Coding Interview Success: Dive Deep into Data Structures and Algorithms.
Image
One-Stop Portal For Tech Interviews.
Copyright © 2025 Design Gurus, LLC. All rights reserved.
;