1072. Flip Columns For Maximum Number of Equal Rows - Detailed Explanation
Problem Statement
You are given an m x n
binary matrix matrix
(each element is either 0 or 1). You can choose any subset of columns and flip all cells in those columns (change 0 to 1, and 1 to 0 in that column). The goal is to perform some number of column flips (possibly zero) such that the maximum possible number of rows in the matrix have all their values equal (all 0s or all 1s). You need to return this maximum number of rows that can be made uniform in values after the optimal column flips.
Example 1:
- Input:
matrix = [[0,1], [1,1]]
- Output:
1
- Explanation: Without any flips, the second row
[1,1]
is already uniform (all values equal). We cannot make both rows uniform at the same time with any single set of flips, so the answer is 1.
Example 2:
- Input:
matrix = [[0,1], [1,0]]
- Output:
2
- Explanation: Flip the first column. The matrix becomes
[[1,1], [0,0]]
. Now both rows are uniform: the first row is all1
s and the second row is all0
s, so we achieve 2 uniform rows.
Example 3:
- Input:
matrix = [[0,0,0], [0,0,1], [1,1,0]]
- Output:
2
- Explanation: By flipping the first two columns, the matrix becomes
[[1,1,0], [1,1,1], [0,0,0]]
. After these flips, the last two rows are uniform ([1,1,1]
and[0,0,0]
), so the maximum number of uniform rows is 2.
Constraints:
m == matrix.length
,n == matrix[i].length
1 <= m, n <= 300
matrix[i][j]
is either0
or1
.
Hints
-
Understand the Flip Effect: Flipping a column toggles that bit in every row. To make a row uniform (all 0s or all 1s), you must flip exactly those columns where that row has a different value than the value you want the entire row to be. For example, to make a specific row all 0s, flip every column where that row currently has a 1 (and vice versa to make it all 1s).
-
Two Ways to Uniform: For any given row, there are two specific column-flip combinations that can make it uniform: one yields the row all 0s, and the other yields the row all 1s. These two flip sets are complements of each other (flipping a column set
K
yields all 0s; flipping the opposite set of columns yields all 1s for that row). -
Group Rows by Patterns: If you want to make multiple rows uniform with the same set of column flips, those rows must share a certain relationship. Think about two different rows – under what conditions could one set of flips make them both uniform? Consider how their patterns of 0s and 1s relate. (Hint: If two rows are exactly the same or exactly opposite (complements), they will respond to flips in a compatible way.)
-
Use a Hash or Mapping: Instead of brute-forcing flip combinations, try to categorize each row by a pattern that represents its relationship to flips. Rows that can be made uniform together will share this pattern. This usually involves treating each row and its binary complement as equivalent cases.
Approach 1: Brute Force (Exhaustive Search)
Explanation
A straightforward (but inefficient) approach is to try all possible combinations of column flips and check how many rows become uniform for each combination. There are n
columns, so there are 2^n
possible subsets of columns to flip (including flipping none). For each such combination, we would flip those columns in the matrix and then count how many rows become all 0s or all 1s. We keep track of the maximum count found.
This approach is conceptually simple: for each subset of columns, simulate the flips and evaluate the result. However, it is extremely inefficient for anything but very small n
. Even for moderate column counts, 2^n
grows exponentially (for example, if n = 20
, there are over one million combinations; if n = 30
, over one billion). Given the problem constraints (n
can be up to 300), this brute force approach is completely impractical to run. We describe it here only to illustrate the problem by exhaustive search, but then we'll refine the approach.
Algorithm Steps (Brute Force)
-
Enumerate Flip Sets: Generate all possible subsets of the column indices (from 0 to
n-1
). Each subset represents a set of columns to flip. For example, forn=2
columns, the subsets are:{}
(no flip),{0}
,{1}
,{0,1}
. -
Apply Flips: For each subset, create a copy of the matrix (or conceptually simulate on the fly) and flip all columns in that subset. Flipping a column means toggling each value in that column for every row.
-
Count Uniform Rows: After flips, check each row to see if all its values are equal (either all 0s or all 1s). Count the number of uniform rows.
-
Track Maximum: Keep track of the maximum count of uniform rows achieved among all flip combinations.
-
Result: The highest count found is the answer.
Brute Force Example
Imagine a small matrix where matrix = [[0,1], [1,0]]
(from Example 2). All possible column flip sets are:
- No flips: matrix stays
[[0,1],[1,0]]
– Row1 = not uniform, Row2 = not uniform (0 rows uniform). - Flip column 0: matrix becomes
[[1,1],[0,0]]
– Row1 =[1,1]
(uniform), Row2 =[0,0]
(uniform) → 2 rows uniform. - Flip column 1: matrix becomes
[[0,0],[1,1]]
– Row1 = uniform, Row2 = uniform → 2 rows uniform. - Flip columns 0 and 1: matrix becomes
[[1,0],[0,1]]
(which is actually the original matrix swapped) – neither row uniform (0 uniform rows).
The best outcome here is 2 uniform rows (achieved by flipping either column 0 or column 1 in this case).
Complexity (Brute Force)
-
Time Complexity: O(2^n * m * n). There are
2^n
possible flip sets. For each set, flipping columns and checking rows takes O(m*n) time (m rows, n columns). This complexity is exponential inn
, which is infeasible for largen
(e.g., if n = 300, 2^300 combinations is astronomically large). -
Space Complexity: O(m * n) in the simulation worst-case, because we might create a copy of the matrix to apply flips for checking (though we could do it in-place and flip back, using O(1) extra, or generate flipped values on the fly). The main issue is time, not space, for this approach.
Because of the exponential time complexity, the brute force approach will not work within the problem constraints except for very tiny matrices. We need to find a more clever solution.
Brute Force Implementation (Conceptual Example in Python)
Below is a conceptual Python implementation for brute force. This code is only practical for very small n
(like n <= 10
) to demonstrate the idea. It enumerates flips using bit masks for subsets of columns. (Do not use this for large inputs!)
def max_equal_rows_after_flips_bruteforce(matrix): m, n = len(matrix), len(matrix[0]) max_count = 0 # Iterate through all subsets of columns represented by bit masks 0 to 2^n - 1 for mask in range(1 << n): # 1<<n is 2^n count = 0 # Check each row against this mask for row in matrix: # Determine if this row becomes all 0s or all 1s with this flip mask. # We apply the mask: if a bit in mask is 1, that column is flipped. # Simulate flipping: if mask has a 1 at j, take 1-row[j], else row[j] as is. flipped_row = [(1 - val) if (mask >> j) & 1 else val for j, val in enumerate(row)] # Check if flipped_row is uniform (all 0s or all 1s) if all(x == flipped_row[0] for x in flipped_row): count += 1 max_count = max(max_count, count) return max_count # Example usage (small matrix): print(max_equal_rows_after_flips_bruteforce([[0,1],[1,0]])) # Output: 2
This brute force approach correctly finds the result for small examples, but it will not scale to larger inputs due to the exponential number of combinations.
Approach 2: Using Patterns and Hash Map (Optimized Solution)
Explanation
The key observation is that we don't actually need to test every combination of flips. Instead, we can identify groups of rows that will always behave the same under any set of column flips. If two rows are identical, then any set of column flips will affect them in the same way, meaning they will either both become uniform or both not become uniform under that flips set. Similarly, if two rows are complements of each other (one is the exact inverse of the other, i.e., wherever one has 0 the other has 1, and vice versa), then any set of flips that makes one row all 0s will make the other all 1s, and vice versa. In other words, identical or complementary rows are tied together in terms of the flip outcomes. This suggests we should group rows into clusters where each cluster contains rows that are all identical or complementary to each other.
Within one such cluster, we can find a single flip strategy that makes all those rows uniform simultaneously:
-
If the rows are identical originally, flipping the columns where those rows have 1s will turn all of them into all-0s (uniform). Alternatively, flipping the columns where those rows have 0s will turn them into all-1s – either yields uniform rows.
-
If the rows are complements of each other, one flip strategy can make one row all 0s and at the same time make its complement all 1s. For example, if Row A =
[0,1,0,1]
and Row B =[1,0,1,0]
(which is the complement of A), flipping the appropriate set of columns (columns where Row A has 1s) will result in Row A becoming all 0s and Row B becoming all 1s – both uniform.
Therefore, the maximum number of uniform rows we can achieve is simply the size of the largest group of rows that are all identical to each other or are complements of each other . We don't need to actually simulate flips; we just need to identify these groups.
How to group rows efficiently? We can use a hash map (dictionary) to count occurrences of each "row pattern" where we treat each row as equivalent to its complement:
- We choose a canonical representation for each row such that a row and its complement map to the same representation. For instance, we can define the canonical form as follows: if a row's first element is
0
, we represent the row as-is; if a row's first element is1
, we represent the row by its bitwise complement (flip all 0s to 1s and vice versa). This way, the first bit of the canonical form is always0
(or always1
– either consistent choice works as long as it's consistent for all rows). Rows that are complements of each other will end up with the same canonical representation. - We then use a hash map to count how many rows map to each canonical pattern. The answer will be the largest count in this map, because that represents the largest set of rows that are identical or complementary (all mapped to the same canonical form).
Why this works
By normalizing rows in this way, we essentially assume a particular flip strategy without actually flipping: we treat any row that starts with 1
as if we have flipped all bits in that row. This is equivalent to saying we plan to flip every column where that row has a 1
in the first position (to make that first position 0). Applying this consistently, two originally complementary rows will both normalize to the same pattern. Two identical rows will either both stay the same or both get flipped (if they start with 1) under this rule, so they too normalize to the same pattern. Thus, identical rows share a canonical form, and complementary rows share a canonical form. No other distinct rows will share a canonical form, because if two rows are neither identical nor opposites, one of them cannot be turned into the other by flipping all columns – hence their normalized patterns will differ.
Once we have these groups (by counting canonical patterns), the largest group size is the maximum uniform rows possible, because we can choose the flip strategy corresponding to that canonical pattern to make all those rows uniform. That flip strategy is essentially: if the canonical form was the row as-is, flip the columns where that pattern has 1s (to make them all 0s); if the canonical form was obtained by flipping (meaning the original row started with 1), then the flip strategy corresponds to flipping the opposite set. In either case, all rows in that group will end up either all 0s or all 1s.
Algorithm Steps (Optimized)
- Normalize Each Row: For each row in the matrix, create a normalized pattern:
-
Check the first element of the row (or any fixed reference bit, but the first is convenient).
-
If the first element is
0
, use the row as the pattern (e.g., row =[0,1,0,1]
-> pattern =0101
). -
If the first element is
1
, flip all bits in the row to get the pattern (e.g., row =[1,0,1,0]
-> flipped to[0,1,0,1]
-> pattern =0101
). This ensures that if two rows were[0,1,0,1]
and[1,0,1,0]
(complements), they both produce the same pattern"0101"
.
-
- Count Patterns: Use a hash map (dictionary) to count how many times each normalized pattern occurs.
- Find Max Group: Scan the counts in the hash map to find the largest value. This value represents the maximum number of rows that share an identical/complement pattern group.
- Return that maximum count. (We do not need to actually output which rows or what flips, just the number.)
Walkthrough Example (Optimized Approach)
Let's walk through the algorithm with the matrix from Example 3:
matrix = [
[0,0,0],
[0,0,1],
[1,1,0]
]
We will normalize each row (using the rule "if first element is 1, flip the row; if first element is 0, leave it") and then count patterns:
Row Index | Original Row | Normalized Pattern (first bit -> 0) | Pattern Key |
---|---|---|---|
0 | [0, 0, 0] | [0, 0, 0] (first bit is 0, no flip) | "000" |
1 | [0, 0, 1] | [0, 0, 1] (first bit is 0, no flip) | "001" |
2 | [1, 1, 0] | [0, 0, 1] (first bit is 1, flipped) | "001" |
Now we count the occurrences of each pattern key:
- Pattern
"000"
occurs 1 time (from Row 0). - Pattern
"001"
occurs 2 times (from Row 1 and Row 2).
The largest count is 2 for pattern "001"
. This tells us the maximum uniform rows we can get is 2. Indeed, as the example showed, by flipping the first two columns we achieved 2 uniform rows. In our normalized view, pattern "001"
corresponds to treating [0,0,1]
as the base pattern (which was row1 unchanged and row2 flipped). The flip strategy that makes pattern "001"
all zeros (for instance) will make both original Row 1 and Row 2 uniform.
Another quick verification: Rows 1 and 2 of the original matrix are complements of each other ([0,0,1]
vs [1,1,0]
), which is why they ended up in the same group. Row 0 ([0,0,0]
) did not pair with any other, so it could at best be made uniform by itself (hence only count 1).
Complexity (Optimized)
-
Time Complexity: O(m * n). We iterate through each of the m rows and perform an O(n) operation to build the normalized pattern (flipping if needed and creating a key). Inserting into the hash map and counting is O(1) average per row. Thus total time ~ m*n, which for m,n up to 300 is at most 90,000 operations, very efficient.
-
Space Complexity: O(m * n) in the worst case. In the hash map we may store up to m pattern keys, each of length n (in the form of a string or tuple of length n). In the worst case (e.g., all rows different and no complements), we store m distinct keys of length n, which is O(mn) space. However, this at most would be 300300 = 90,000 characters/entries, which is fine for modern memory. In practice, the space is often less due to grouping. Additional space is used for the pattern generation (which could be done in-place to reduce overhead).
The optimized approach is efficient and will comfortably run within the problem's constraints.
Optimized Approach Implementation (Core Logic in Python)
Here is a Python function implementing the above logic. We will provide full implementations in Python and Java in the next section, including example runs.
def max_equal_rows_after_flips(matrix): from collections import defaultdict pattern_counts = defaultdict(int) for row in matrix: # Determine normalized pattern if row[0] == 1: # Flip the row for canonical pattern pattern = tuple(1 - x for x in row) else: # Keep the row as is pattern = tuple(row) pattern_counts[pattern] += 1 # Find the maximum count among all patterns return max(pattern_counts.values())
This function creates a dictionary of pattern frequencies. Note that we use a tuple to represent the row pattern (immutable and hashable), but we could also use a string of '0'/'1'. If the first element is 1, we flip each bit (using 1 - x
) to form the pattern; if first element is 0, we use the row as is. Finally, we return the largest frequency found in the dictionary, which is the answer.
Step-by-Step Walkthrough of Optimal Approach
Let's break down the optimal approach with another example and illustrate each step clearly using a table.
Consider a matrix:
matrix = [
[0, 1, 1, 0],
[1, 0, 0, 1],
[0, 1, 0, 0]
]
This matrix has 3 rows and 4 columns. We will go through normalization and grouping:
Step 1: Choose a Normalization Rule.
We'll use the rule: if a row's first value is 1, flip the entire row; if it's 0, leave it. This will make every normalized pattern start with 0.
Step 2: Normalize each row:
- Row0 =
[0, 1, 1, 0]
– First value is 0, so we do not flip. Normalized pattern =[0, 1, 1, 0]
(as a string,"0110"
). - Row1 =
[1, 0, 0, 1]
– First value is 1, so flip all bits. Flipped row becomes[0, 1, 1, 0]
. Normalized pattern =[0, 1, 1, 0]
("0110"
). - Row2 =
[0, 1, 0, 0]
– First value is 0, no flip. Normalized pattern =[0, 1, 0, 0]
("0100"
).
We can tabulate this:
Row | Original | First Bit | Normalized (flipped if needed) | Pattern Key |
---|---|---|---|---|
0 | [0, 1, 1, 0] | 0 | [0, 1, 1, 0] (unchanged) | "0110" |
1 | [1, 0, 0, 1] | 1 | [0, 1, 1, 0] (all bits flipped) | "0110" |
2 | [0, 1, 0, 0] | 0 | [0, 1, 0, 0] (unchanged) | "0100" |
Step 3: Group by Pattern and Count Frequencies.
From the table:
- Pattern
"0110"
appears for Row0 and Row1. - Pattern
"0100"
appears for Row2.
Count them:
"0110"
: 2 occurrences (Rows 0 and 1)."0100"
: 1 occurrence (Row 2).
Step 4: Identify the Largest Group.
The largest group is pattern "0110"
with count 2. This means there are 2 rows that are identical/complement under flips.
Interpretation: Rows 0 and 1 of the original matrix turned out to have the same normalized pattern "0110"
. This implies Row0 and Row1 are complements of each other originally (we can verify: Row0 was [0,1,1,0]
, Row1 was [1,0,0,1]
, indeed one is the inverse of the other). So with the right flips, we can make both of those rows uniform. Row2 did not match these patterns, so at best it could be uniform by itself. Therefore, the answer for this matrix would be 2 (by choosing the flip strategy that targets the pattern of Row0/Row1).
To confirm, let's apply the flip strategy for pattern "0110"
: The pattern "0110"
in normalized form corresponds to original Row0 (since Row0 was already "0110"
) and original Row1 (which was flipped to become "0110"
). For normalized "0110"
, the flip rule was "first bit 0 means we didn't flip those rows individually", which suggests the flip set is columns where this pattern has 1 (to make them all zeros, for example). Pattern "0110"
has 1s in columns 1 and 2 (0-indexed). If we flip columns 1 and 2 in the original matrix:
- Original matrix
[0 1 1 0; 1 0 0 1; 0 1 0 0]
(rows separated by semicolons) - Flip col1 and col2 → New matrix:
[0 0 0 0; 1 1 1 1; 0 0 1 0]
.
Now Row0 =[0,0,0,0]
(uniform), Row1 =[1,1,1,1]
(uniform), Row2 =[0,0,1,0]
(not uniform). We got 2 uniform rows, matching our computation.
This step-by-step process shows how the grouping method works on a concrete example without brute force searching. We identified the largest complement/identical group via patterns, and that directly gave us the answer.
Implementation
Below are implementations of the optimal solution in both Python and Java. Each implementation includes a simple example test to demonstrate usage.
Python Implementation
Java Implementation
The Java code uses a HashMap<String, Integer>
to count patterns. Each row is converted to a string pattern: if the first element is 1, we flip each bit using XOR with 1; if the first is 0, we append the bits as is. This yields a normalized pattern string (like "0110"
in the earlier example). We then count occurrences of each pattern and determine the largest count.
Common Mistakes
-
Misinterpreting the Problem: A common mistake is misunderstanding what "rows that have all values equal" means. It does not mean the rows have to be equal to each other or to some target row; it means each row individually is uniform (all 0s or all 1s). Ensure you're counting rows that are internally uniform, not trying to make all chosen rows identical to one another (the rows could end up one all-0s and another all-1s and both count).
-
Trying All Flip Combos: Attempting a brute force search over all column flip combinations will time out for large inputs. This is a trap if you don't recognize the exponential nature. Always check constraints and realize that
2^300
is impossible to iterate. -
Not Considering Complement Rows: Some solutions fail by only grouping identical rows and not accounting for the fact that a row and its exact opposite can both be made uniform together. If you only count identical rows, you'll miss cases like Example 2 where the two rows are different but complementary. Always group complement patterns as well.
-
Incorrect Normalization: When implementing the grouping, it's easy to mix up the normalization logic. For example, if you choose to normalize such that each pattern starts with
0
, ensure you flip the entire row when the first bit is1
. A bug here could lead to treating non-complement rows as same or splitting complement rows incorrectly. Double-check with simple tests like a row and its inverse to see if they map to the same key. -
Ignoring One-Row or One-Column Cases: Edge scenarios like a single row or single column might break an overly complicated solution. For instance, if
m=1
, the answer is trivially 1 (one row is always uniform by itself). Ifn=1
, then every row is already uniform (single bit), so the answer ism
. Make sure your solution covers these without error (the algorithm above does handle these naturally).
Edge Cases
-
Single Row: If there's only one row, the answer is 1, since that one row can always be flipped into all 0s or all 1s (or even without flips it counts as uniform if it's just one row).
-
Single Column: If there's only one column, then every row has just one element, which means every row is already uniform. The answer in this case would be
m
(all rows). -
All Rows Already Uniform: If every row in the input is already all 0s or all 1s, then flipping no columns already gives you
m
uniform rows. The algorithm will group identical rows (which might all share the pattern of all 0s or all 1s) and yieldm
as the result. Just ensure not to do anything that breaks an already uniform row (the grouping method naturally handles this by grouping them together). -
No Two Rows Related: If no two rows are identical or complements (each row has a unique pattern and none is the inverse of another), then no single set of flips can make more than one of them uniform at a time. In this case, the answer will be 1 (you can always at least make one row uniform by flipping the columns to match that row fully). The hash map in our solution would just count each pattern as 1, and max would be 1.
-
Half Complement Groups: If there are multiple groups of rows where each group consists of complement pairs/sets, the algorithm will handle each group and pick the largest. Just be aware that you only get to choose one set of flips globally. For example, if you have two separate pairs of complementary rows that are unrelated to each other, you can only satisfy one pair with the appropriate flips. The other pair won't both be uniform under that same flip set. The output correctly reflects picking the larger pair (or one pair if equal).
-
Matrix with all combinations: If the matrix contains all possible 0/1 patterns of length
n
(wherem = 2^n
and each row is unique and includes every possible combination of bits), then each pattern is unique and each has a unique complement present in the set. In this scenario, every row has its complement also in the matrix. The grouping will pair each row with its complement. Ifm
is even, the maximum group size might be 2 (each complement pair), and answer would be 2. Ifm
is odd and somehow one pattern is its own complement (not possible with binary unless n=0), but ignoring that, basically answer 2. This is a theoretical edge case showing the limit of grouping (no group bigger than 2).
The provided solution addresses these edge cases by construction, since it naturally counts identical and complementary rows together. It's always good to test a few edge configurations to be sure the logic holds.
Alternative Variations
-
Flipping Rows Instead of Columns: Imagine a variation where instead of flipping columns, you could flip entire rows. In that scenario, the problem simplifies drastically: you could make each row uniform independently by flipping that row entirely if needed (turning it either all 0s or all 1s). The maximum number of uniform rows would then trivially be
m
(all of them). This highlights that the challenge in the given problem comes from the flips being column-wise (which affect all rows simultaneously), creating a coupling between rows. -
Both Row and Column Flips Allowed: If a problem allowed flipping both rows and columns, it would become more complex or in some ways too flexible (you could potentially make the entire matrix all 0s or all 1s by flipping appropriately, leading to all
m
rows uniform). The interest in the current problem is the restriction to column flips only. -
Non-binary Matrix (e.g., Ternary values): If the matrix had more than two possible values (say {0,1,2}) and flips cycled through these values, grouping logic would be very different. The binary nature and flipping as bitwise NOT are what allow the complement grouping solution.
-
Maximize Equal Columns by Flipping Rows: A transposed version of this problem could ask to maximize the number of columns that are all equal by flipping rows. Due to symmetry, the logic would be analogous: group columns that are identical or complements, etc., by analyzing row patterns.
-
Partial Flip (Submatrix flips): Another variation could be flipping a submatrix or contiguous segment of columns instead of any arbitrary set. That would change the problem significantly and likely require different techniques (possibly dynamic programming or more complex bit masking).
Understanding the pattern-grouping technique used in this problem can be useful in many variations where an operation (like flipping) has a global effect and we want to maximize a certain uniformity or equality measure.
Related Problems
-
LeetCode 49: Group Anagrams: While a very different problem in content (grouping words that are anagrams), the solution technique of grouping items by a canonical representative (sorted word or frequency count signature) is analogous to grouping rows by a normalized pattern in this problem. It reinforces the idea of using hashing to group equivalent entities.
-
LeetCode 1128: Number of Equivalent Domino Pairs: This is about counting domino pairs that are identical or flipped. The way to solve is to normalize each domino (e.g., sort the two numbers or represent in a canonical order) so that two dominos that are essentially the same in either orientation map to the same key. This is similar to mapping a row and its complement to the same key.
-
LeetCode 861: Score After Flipping Matrix: This problem also involves flipping operations on a binary matrix (you can flip any rows or any columns) to maximize a numeric "score" (interpreting each row as a binary number). The strategy there also uses the idea of making decisions based on leading bits (ensuring the first bit of each row is 1 by possibly flipping rows, then flipping columns with majority 0s, etc.). It's a greedy approach, but the notion of normalizing by the first bit being 1 is reminiscent of our approach to ensure a consistent pattern starting point. This is a good follow-up to practice understanding how flipping operations can be leveraged for an objective.
GET YOUR FREE
Coding Questions Catalog
