1717. Maximum Score From Removing Substrings


Problem Description

You have a string s and two integers, x and y. Your task is to perform operations that involve removing specific substrings from s in order to gain points. The two operations you can perform are:

  1. Remove the substring "ab" to gain x points.
  2. Remove the substring "ba" to gain y points.

These operations can be done any number of times, in any order, wherever the substrings occur in s. The goal is to maximize the number of points obtained through these operations.

For example, if s is "cabbbae", by removing "ab" you could transform it to "cbbbae" and gain x points, or by removing "ba" you could transform it to "cabae" and gain y points.

The question asks for the maximum points that can be gained after applying the above operations on string s.

Intuition

The solution hinges on the idea that "ab" and "ba" substrings do not overlap. Therefore, we can treat the operations independently and order them to maximize our points. The optimal strategy is to always remove the most valuable substring first, which depends on whether x is greater than y or vice versa.

We use a two-pass algorithm incorporating stack data structures to ensure we always remove the most valuable substring first.

  1. First, determine which of the substrings "ab" or "ba" is more valuable by comparing x and y.
  2. Knowing which substring is more valuable, perform a single pass on the string s (reversed if "ba" is more valuable), removing all instances of the most valuable substring first and accumulating points. This is done using stack stk1.
  3. With the residual string where the most valuable substring has been removed, perform a second pass to remove the less valuable substring and accumulate points. This is accomplished using the stack stk2.
  4. The total points are the sum of points from both passes.

This approach ensures that we always prioritize the operation with higher points and leave the other operation for the remaining string, thereby guaranteeing the maximum points that can be gained.

Learn more about Stack and Greedy patterns.

Not Sure What to Study? Take the 2-min Quiz to Find Your Missing Piece:

The three-steps of Depth First Search are:

  1. Identify states;
  2. Draw the state-space tree;
  3. DFS on the state-space tree.

Solution Approach

The implemented solution adopts a twin stack approach for efficiently identifying and removing the substring with the higher point value ("ab" or "ba") and then the one with the lower point value. The code goes as follows:

  1. Checking whether to reverse the string: The solution first checks which of the two substrings, "ab" or "ba", will gain more points (x > y or y > x). If "ba" is more valuable (y > x), the string is reversed and the function is called recursively with the values of x and y swapped. This is because we can treat the reversed string the same way as we treat the non-reversed string just by swapping "ab" with "ba". It ensures that we always remove "ab" substrings first from the string when we start processing, thereby generalizing the approach.

    1if x < y:
    2    return self.maximumGain(s[::-1], y, x)
  2. First pass with stack stk1: The first pass through the string s uses a stack stk1 to remove all occurrences of the substring "ab" (which is deemed more valuable following the first step). While iterating through the string, every time a 'b' is encountered and the top of the stack is an 'a', that signifies an "ab" substring, and so the 'a' is popped from stk1, and x points are accumulated.

    1stk1 = []
    2for c in s:
    3    if c != 'b':
    4        stk1.append(c)
    5    else:
    6        if stk1 and stk1[-1] == 'a':
    7            stk1.pop()
    8            ans += x
    9        else:
    10            stk1.append(c)
  3. Second pass with stack stk2: After completing the first pass, we are left with a string in stk1 with all "ab" substrings removed. We then repeat the process with another stack stk2 during the second pass over this residual string to remove all occurrences of "ba". Now, while popping elements from stk1, every time we encounter 'b' and the top of stk2 is an 'a', we have a "ba" substring, hence we pop from stk2, and y points are accumulated.

    1stk2 = []
    2while stk1:
    3    c = stk1.pop()
    4    if c != 'b':
    5        stk2.append(c)
    6    else:
    7        if stk2 and stk2[-1] == 'a':
    8            stk2.pop()
    9            ans += y
    10        else:
    11            stk2.append(c)
  4. Output the total points: Finally, the ans variable, which was used to accumulate points across both passes, now holds the maximum number of points that can be gained and is returned.

Using stacks allows for only traversing the string twice, making the algorithm time complexity O(n), where n is the length of the string s. The space complexity is also O(n) due to the additional stacks used to keep track of characters for potential removal.

Discover Your Strengths and Weaknesses: Take Our 2-Minute Quiz to Tailor Your Study Plan:

A person thinks of a number between 1 and 1000. You may ask any number questions to them, provided that the question can be answered with either "yes" or "no".

What is the minimum number of questions you needed to ask so that you are guaranteed to know the number that the person is thinking?

Example Walkthrough

Let’s take an example to walk through the solution approach. Suppose we are given the string s = "babab", with x = 3 and y = 4. Remember that removing "ab" gives us x points and removing "ba" gives us y points.

Step 1: Check Substring Value Priority

First, we compare x and y to determine which substring removal is more valuable. In this case, since y > x, the "ba" substring is more valuable. Therefore, we reverse the string and swap the values of x and y, making the problem equivalent to first removing "ab" from "babab" reversed (which is "babab" itself, as the string is symmetric), and then removing "ba".

Step 2: First Pass with stack stk1

We initiate the first pass with stk1 which starts as an empty stack. We want to remove all instances of "ab".

We iterate over s = "babab":

  • We push the first 'b' onto stk1.
  • Next, we encounter an 'a'. We cannot form "ab" yet, so 'a' also gets pushed.
  • When we meet the second 'b', 'a' is on top of stk1, we have found "ab", so we remove 'a' and accumulate 3 points (former value of x).
  • Now we only have 'b' in stk1.
  • The process continues, and each time we see an "ab", we remove it and gain 3 points.

After the first pass, stk1 will have "bb". We have removed two "ab" substrings for a total of 6 points.

Step 3: Second Pass with stack stk2

Now it’s time for the second pass with stk2 for residual "ba" substrings in the string leftover in stk1 ("bb").

During this pass, we pop elements from stk1 and push them onto stk2 unless we encounter a 'b' and 'a' is at the top of stk2, which would signify a "ba" substring.

Since during the first pass we removed all instances of "ab", stk1 only has 'b's at this stage, so, 'b's are just moved to stk2 without any "ba" removals or additional points gained.

Step 4: Output the Total Points

With both passes completed, the total points accumulated are 6. As there are no "ba" substrings in the modified "babab" string after the first pass, no additional points were gained in the second pass.

Using the described twin-stacks approach, we efficiently calculated the maximum points that could be gained from transforming “babab”, which in this specific case was 6 points.

Not Sure What to Study? Take the 2-min Quiz:

Breadth first search can be used to find the shortest path between two nodes in a directed graph.

Python Solution

1class Solution:
2    def maximum_gain(self, string: str, value_a: int, value_b: int) -> int:
3        # If value_a is less than value_b, reverse the string and swap the values
4        # then call the function again with the new parameters
5        if value_a < value_b:
6            return self.maximum_gain(string[::-1], value_b, value_a)
7      
8        # Initialize the answer counter and two stacks to keep track of characters
9        answer = 0
10        stack_ab, stack_ba = [], []
11      
12        # Iterate over each character in the string to handle 'ab' pairs
13        for char in string:
14            # If the character is not 'b', simply add it to the first stack
15            if char != 'b':
16                stack_ab.append(char)
17            else:
18                # If the character is 'b' and there's an 'a' on top of the first stack,
19                # we found an 'ab' pair and we can add value_a to the answer
20                if stack_ab and stack_ab[-1] == 'a':
21                    stack_ab.pop()
22                    answer += value_a
23                else:
24                    # Otherwise, just add the character to the first stack
25                    stack_ab.append(char)
26      
27        # Iterate over the remaining elements in stack_ab to handle 'ba' pairs
28        while stack_ab:
29            char = stack_ab.pop()
30            # If the character is not 'b', simply add it to the second stack
31            if char != 'b':
32                stack_ba.append(char)
33            else:
34                # If the character is 'b' and there's an 'a' on top of the second stack,
35                # we found a 'ba' pair and can add value_b to the answer
36                if stack_ba and stack_ba[-1] == 'a':
37                    stack_ba.pop()
38                    answer += value_b
39                else:
40                    # Otherwise, just add the character to the second stack
41                    stack_ba.append(char)
42      
43        # Return the total gain from forming 'ab' and 'ba' pairs
44        return answer
45

Java Solution

1public class Solution {
2
3    // Method to calculate the maximum gain by removing pairs of 'ab' or 'ba'.
4    public int maximumGain(String s, int x, int y) {
5        // If the gain from 'ba' is higher, reverse the string and swap the gains to reuse the same logic.
6        if (x < y) {
7            return maximumGain(new StringBuilder(s).reverse().toString(), y, x);
8        }
9      
10        int totalGain = 0; // Initialize total gain to 0.
11        Deque<Character> stack1 = new ArrayDeque<>(); // Use a stack for checking 'ab' pairs.
12        Deque<Character> stack2 = new ArrayDeque<>(); // Use a secondary stack for checking 'ba' pairs after 'ab'.
13      
14        // Process the string for 'ab' pairs first, which has a higher or equal gain compared to 'ba'.
15        for (char charInString : s.toCharArray()) {
16            // If the current character is not 'b', push onto the stack.
17            if (charInString != 'b') {
18                stack1.push(charInString);
19            } else {
20                // If the top of stack is 'a', we found an 'ab' pair; pop 'a' and add the gain of 'ab' to totalGain.
21                if (!stack1.isEmpty() && stack1.peek() == 'a') {
22                    stack1.pop();
23                    totalGain += x;
24                } else {
25                    // Else, push 'b' onto the stack to check for future pairs.
26                    stack1.push(charInString);
27                }
28            }
29        }
30      
31        // Process the remaining characters in stack1 for 'ba' pairs.
32        while (!stack1.isEmpty()) {
33            char currentChar = stack1.pop();
34            if (currentChar != 'b') {
35                stack2.push(currentChar);
36            } else {
37                // If the top of stack2 is 'a', we found a 'ba' pair; pop 'a' and add the gain of 'ba' to totalGain.
38                if (!stack2.isEmpty() && stack2.peek() == 'a') {
39                    stack2.pop();
40                    totalGain += y;
41                } else {
42                    // Else, push 'b' onto stack2 to continue checking.
43                    stack2.push(currentChar);
44                }
45            }
46        }
47      
48        return totalGain; // Return the total gain calculated.
49    }
50}
51

C++ Solution

1class Solution {
2public:
3    // Function to calculate the maximum gain by removing "ab" or "ba" substrings
4    int maximumGain(string s, int x, int y) {
5        // If x is less than y, reverse the string and swap values of x and y to 
6        // prioritize removing "ba" before "ab" since we want to maximize the gain
7        if (x < y) {
8            reverse(s.begin(), s.end());
9            return maximumGain(s, y, x);
10        }
11        // Variable to store the total gain
12        int totalGain = 0;
13        stack<char> stkAb; // Stack to manage "ab" pairs
14        stack<char> stkBa; // Stack to manage "ba" pairs
15
16        // Iterate through the characters of the string
17        for (char c : s) {
18            // If the current character is 'a' or it's not 'b', push it onto stkAb
19            if (c != 'b')
20                stkAb.push(c);
21            else {
22                // If the top of stkAb is 'a', we found "ab" so we pop 'a' and 
23                // add x to totalGain
24                if (!stkAb.empty() && stkAb.top() == 'a') {
25                    stkAb.pop();
26                    totalGain += x;
27                } else {
28                    // Otherwise, push 'b' to stkAb
29                    stkAb.push(c);
30                }
31            }
32        }
33
34        // While stkAb is not empty, we will manage "ba" pairs
35        while (!stkAb.empty()) {
36            char c = stkAb.top();
37            stkAb.pop();
38            // If the current character is 'a' or it's not 'b', push it onto stkBa
39            if (c != 'b')
40                stkBa.push(c);
41            else {
42                // If the top of stkBa is 'a', we found "ba" so we pop 'a' and 
43                // add y to totalGain
44                if (!stkBa.empty() && stkBa.top() == 'a') {
45                    stkBa.pop();
46                    totalGain += y;
47                } else {
48                    // Otherwise, push 'b' to stkBa
49                    stkBa.push(c);
50                }
51            }
52        }
53
54        // Return the calculated total gain
55        return totalGain;
56    }
57};
58

Typescript Solution

1// Function to calculate the maximum gain by removing "ab" or "ba" substrings
2function maximumGain(s: string, x: number, y: number): number {
3  // If x is less than y, reverse the string and swap values of x and y to 
4  // prioritize removing "ba" before "ab" since we want to maximize the gain
5  if (x < y) {
6    s = s.split('').reverse().join('');
7    return maximumGain(s, y, x);
8  }
9
10  // Variable to store the total gain
11  let totalGain: number = 0;
12  const stackAb: string[] = []; // Stack to manage "ab" pairs
13  const stackBa: string[] = []; // Stack to manage "ba" pairs
14
15  // Iterate through the characters of the string
16  for (const c of s) {
17    // If the current character is not 'b', push it onto stackAb
18    if (c !== 'b') {
19      stackAb.push(c);
20    } else {
21      // If the top of stackAb is 'a', we found "ab": pop 'a' and add x to totalGain
22      if (stackAb.length > 0 && stackAb[stackAb.length - 1] === 'a') {
23        stackAb.pop();
24        totalGain += x;
25      } else {
26        // Otherwise, push 'b' onto stackAb
27        stackAb.push(c);
28      }
29    }
30  }
31
32  // While stackAb is not empty, we will manage "ba" pairs
33  while (stackAb.length > 0) {
34    const topChar = stackAb.pop(); // Top character from stackAb
35    // If the current character is not 'b' or stackBa is empty, push it onto stackBa
36    if (topChar !== 'b' || stackBa.length === 0) {
37      stackBa.push(topChar);
38    } else {
39      // If the top of stackBa is 'a', we found "ba": pop 'a' and add y to totalGain
40      if (stackBa.length > 0 && stackBa[stackBa.length - 1] === 'a') {
41        stackBa.pop();
42        totalGain += y;
43      } else {
44        // Otherwise, push 'b' onto stackBa
45        stackBa.push(topChar);
46      }
47    }
48  }
49
50  // Return the calculated total gain
51  return totalGain;
52}
53
Fast Track Your Learning with Our Quick Skills Quiz:

Which two pointer technique does Quick Sort use?

Time and Space Complexity

Time Complexity

The time complexity of the provided code is mainly determined by iterating through the string s twice, once in the main function and once in the recursive call (when x < y). This is because the string reversal s[::-1] is O(n) and the iteration over the string s is also O(n), where n is the length of the string.

Moreover, operations with stack stk1 and stack2, such as appending and popping elements, are O(1) operations. However, since these operations occur within the loop that iterates over the string, they do not contribute additional complexity beyond what is already accounted for by the iteration.

Consequently, the overall time complexity is O(n).

Space Complexity

The space complexity of the code is driven by the storage required for the stacks, stk1 and stk2. In the worst case, all the characters of the string could be stored in the stacks if they do not form the defined pairs that trigger a pop operation—namely, 'ab' and 'ba' pairs depending on the values of x and y. Therefore, the space complexity is proportional to the length of the string s, which is O(n).

In summary, both the time complexity and space complexity of the code are O(n), where n is the length of the input string s.

Learn more about how to find time and space complexity quickly.


Recommended Readings


Got a question? Ask the Teaching Assistant anything you don't understand.

Still not clear? Ask in the Forum,  Discord or Submit the part you don't understand to our editors.


TA 👨‍🏫