We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Maximum Score After Splitting a String

Difficulty: Easy


Problem Description

Given a string s of zeros and ones, return the maximum score after splitting the string into two non-empty substrings (i.e. left substring and right substring). The score after splitting a string is the number of zeros in the left substring plus the number of ones in the right substring.


Key Insights

  • The string can be split at any point between the first and last character.
  • The score is calculated as the sum of the number of zeros in the left substring and the number of ones in the right substring.
  • By iterating through the string while maintaining counts of zeros and ones, we can efficiently compute scores for each possible split.

Space and Time Complexity

Time Complexity: O(n) - We iterate through the string once to calculate scores. Space Complexity: O(1) - We use a constant amount of space for counters.


Solution

To solve this problem, we can use a single pass approach. We'll maintain two counters: one for the number of zeros in the left substring (left_zeros) and another for the number of ones in the right substring (right_ones). We initialize right_ones with the total number of ones in the string. As we iterate through the string, we increment left_zeros for each '0' in the left substring and decrement right_ones for each '1' in the right substring. At each valid split point, we calculate the score and keep track of the maximum score encountered.


Code Solutions

def maxScore(s: str) -> int:
    left_zeros = 0
    right_ones = s.count('1')  # Count total ones in the string
    max_score = 0
    
    for i in range(len(s) - 1):  # Split must be non-empty
        if s[i] == '0':
            left_zeros += 1
        else:
            right_ones -= 1
        
        # Calculate the current score
        current_score = left_zeros + right_ones
        max_score = max(max_score, current_score)
    
    return max_score
← Back to All Questions