241. Different Ways to Add Parentheses - Detailed Explanation
Problem Statement
Given a string expression containing digits and the operators '+'
, '-'
, and '*'
, the task is to compute all possible results from evaluating the expression with different valid parenthesizations (different ways of grouping the operations). In other words, we insert parentheses in all possible ways to change the order of operations, then calculate each resulting expression. The output should be a list of all these possible results (duplicates are allowed if different parenthesizations lead to the same result), and the results can be in any order.
- The expression length is between 1 and 20 characters.
- The expression consists of only digits and the operators
'+'
,'-'
,'*'
(no other operators, and no spaces). - All numbers in the input are in the range 0 to 99 (which means numbers can have one or two digits).
- You can assume the expression is valid (it won’t start or end with an operator, and there won’t be two operators in a row).
- The output values will fit in a 32-bit integer, and the total number of possible results will not exceed 10,000.
- You may return the results in any order.
Example 1:
- Input:
"2-1-1"
- Output:
[0, 2]
- Explanation:
- ((2-1) - 1) = 0
- (2 - (1-1)) = 2
In this example, there are two different ways to parenthesize the expression "2-1-1"
, resulting in two different outcomes 0 and 2.
Example 2:
- Input:
"2*3-4*5"
- Output:
[-34, -14, -10, -10, 10]
- Explanation:
- (2 * (3 - (4*5))) = -34
- ((23) - (45)) = -14
- ((2 * (3-4)) * 5) = -10
- (2 * ((3-4) * 5)) = -10
- (((2*3) - 4) * 5) = 10
This example has five possible ways to add parentheses, producing results -34, -14, -10 (two ways yield -10), and 10. Note that duplicate results (-10 appears twice) are included because they come from different parenthesizations.
Example 3:
- Input:
"1+2*3"
- Output:
[7, 9]
- Explanation:
- 1 + (2*3) = 1 + 6 = 7
- (1+2) * 3 = 3 * 3 = 9
Even though normal operator precedence would evaluate 1+2*3
as 7, adding parentheses in the second way changes the order to produce 9. This shows how different groupings can lead to different results.
Hints
-
Recursion and Divide-and-Conquer: Think about splitting the expression at each operator. Each operator can act as a “pivot” where the expression is divided into a left part and a right part. Recursively compute all possible values for the left side and right side, then combine them using the operator. This will explore all groupings of that operator.
-
Base Case: If the expression has no operators (i.e. it’s just a number), that’s a base case – the only result is the number itself. Make sure to handle this to stop the recursion.
-
Overlapping Subproblems: Notice that the same sub-expression might be calculated multiple times in the above recursive approach. Can you store results of sub-expressions to avoid re-computation? (Hint: Use a memoization technique such as caching results in a dictionary.)
Approaches
1. Brute Force Approach (Recursive Split and Compute)
Idea: This approach uses divide-and-conquer with recursion. We try every possible place to put a parenthesis by splitting the expression on each operator. For each operator, we treat it as the last operation to perform: the expression is split into a left sub-expression (everything before the operator) and a right sub-expression (everything after the operator). We recursively solve for all possible results of the left and right sub-expressions, then combine those results with the current operator to form all possible results for the current expression.
How it works:
-
Base Case: If the string contains no operators (meaning it’s just a number), simply return that number as the only result in a list. This is the termination of recursion.
-
Recursion (Divide step): If the string does contain operators, iterate through each character in the string. Whenever an operator (
+
,-
, or*
) is found at indexi
, split the expression into two parts: the substring beforei
(left part) and the substring afteri
(right part). Recursively compute the possible results for the left part and for the right part. -
Combine (Conquer step): After obtaining the list of results for the left sub-expression and the right sub-expression, use the current operator to combine each left result with each right result. For example, if the operator is
-
, you subtract every right-side value from each left-side value. Collect all these computed values as the results for the current expression. -
This process is done for each operator in the expression. The union of all those results gives all possible outcomes for the expression. If multiple operators are present, the recursion will branch out at each operator, exploring all groupings.
Walkthrough (Example): Consider the expression "2-1-1"
:
-
We scan the expression and find an operator at index 1 (
'-'
). Split into left ="2"
and right ="1-1"
.- Solve left
"2"
: it’s just a number, so left results = [2]. - Solve right
"1-1"
: it has an operator at index 1 ('-'
again). Split into sub-left ="1"
and sub-right ="1"
. Both are numbers, so sub-left results = [1], sub-right results = [1]. Combine with-
: 1 - 1 = 0, so right results = [0]. - Now combine left and right results with the first
-
: 2 - 0 = 2, so one result is [2] for this split.
- Solve left
-
Next, we find another operator at index 3 (the second
'-'
in"2-1-1"
). Split into left ="2-1"
and right ="1"
.- Solve left
"2-1"
: split at the-
-> left part"2"
→ [2], right part"1"
→ [1], combine2-1 = 1
→ left results = [1]. - Solve right
"1"
: it’s a number, so right results = [1]. - Combine left and right with
-
: 1 - 1 = 0, so another result is [0].
- Solve left
-
All possible results from
"2-1-1"
are [2, 0], which we can output as[0, 2]
in any order.
This brute-force recursion will correctly find all outcomes. It essentially builds an implicit binary tree of all ways to parenthesize the expression (each operator is like a node, splitting into left and right sub-trees of smaller expressions).
Python Implementation (Brute Force):
Java Implementation (Brute Force):
Complexity Analysis: This brute-force solution explores every possible way to place parentheses, which grows super-exponentially with the number of operators. If there are n
numbers (and thus n-1
operators), the number of different expression groupings corresponds to the (n-1)
-th Catalan number. In the worst case with many operators, the time complexity is on the order of Catalan numbers (which is roughly O(4^m / (m√m))
for m
operators) – essentially exponential time. For example, with 10 operators, there are 4862 possible groupings to evaluate. Space complexity is also exponential in the number of results, because we store all intermediate outcomes in lists. Each recursive call uses additional stack space, so the recursion depth is O(n) (linear in the length of the expression). For small expressions (length ≤ 20 as per constraints), this brute force is feasible, but it does a lot of repeated calculations for larger expressions.
2. Optimized Approach Using Memoization
Idea: This approach improves the brute-force recursion by using memoization (caching) to avoid recomputing results for the same sub-expression multiple times. The core recursion and splitting logic remains the same as Approach 1, but we store the results of each sub-expression (substring of the input) in a cache (e.g., a dictionary or Python’s functools.lru_cache
) after computing it once. Next time we need the results of that sub-expression, we retrieve it from the cache instead of computing it again. This technique reduces the number of recursive computations dramatically in cases where the expression has overlapping sub-problems.
How it works:
- Maintain a memoization map (cache) where the keys are sub-expression strings and the values are lists of results for those sub-expressions.
- When the recursive function is called on an expression:
-
If the expression is already in the cache, immediately return the cached results (no need to recompute).
-
If not, compute the results as in the brute-force approach (split on each operator, solve left and right, combine results).
-
Store the computed results in the cache before returning.
-
- This way, each unique sub-expression is solved only once. For example, in the expression
"2*3-4*5"
, the sub-expression"3-4"
appears in more than one grouping. With memoization, we would compute the results of"3-4"
just one time, and reuse it thereafter, instead of recomputing it for each occurrence.
Step-by-step (Why it saves work): If we take "2*3-4*5"
as an example, the brute force recursion might evaluate the sub-expression "3-4"
twice (once when splitting around the first *
and once when splitting around the second *
). With memoization, the first time "3-4"
is evaluated, its result (which is [-1]
) is stored. The next time the recursion needs to evaluate "3-4"
, it finds it in the cache and avoids redundant calculations. The same goes for other repeated parts like "2*3"
or "4*5"
. Memoization ensures each sub-expression is only processed once, dramatically reducing the number of recursive calls.
Python Implementation (with Memoization):
Explanation: Here we use @lru_cache
to automatically cache results of the helper function compute(expr)
. We convert the list of results to a tuple for caching (since lists are not hashable in Python). The logic inside compute
is the same as before – it splits the expression at each operator and combines results. The first time compute
sees a new substring expr
, it will populate the cache. Subsequent calls with the same expr
will return instantly from the cache.
Java Implementation (with Memoization):
In the Java solution, we use a HashMap<String, List<Integer>>
to cache results. Before computing a new expression, we check if it exists in memo
. The rest of the logic (splitting and combining) remains the same as the brute force approach.
Complexity Analysis: The memoized approach still has to explore all distinct ways to parenthesize the expression (which is inherently exponential in the number of operators), so the worst-case time complexity remains exponential. However, memoization significantly cuts down on redundant computation. Each unique sub-expression (substring of the input) is computed only once. In the worst case, the number of unique sub-expressions is O(N^2) (for an expression of length N, there are that many possible substrings), but practically it’s much less because we only split at operators. The time complexity with memoization is improved roughly to O(Catalan(m)) where m
is the number of operators, but without the repetitive multiplier from recomputation. In other words, it still grows quickly (exponential), but it will be several times faster than brute force for larger expressions due to caching. The space complexity is higher for memoization because we store results for sub-expressions in the cache. The cache can contain up to O(N^2) entries of lists of results. In the worst-case scenario, space usage is also exponential in terms of output size (since we might store thousands of results across all sub-expressions). Given the constraints (expression length ≤ 20), this is manageable.
Step-by-Step Walkthrough (Recursive Breakdown)
To better understand the recursion, let’s walk through a smaller example and visualize how the expression is broken down:
Consider the expression "1+2*3"
. We will find all possible results by adding parentheses in different ways.
- Original expression:
"1+2*3"
- It has two operator positions: index 1 (
'+'
) and index 3 ('*'
).
- It has two operator positions: index 1 (
Step 1: Choose the first operator ('+'
at index 1) as the last operation to perform:
-
Split into left =
"1"
and right ="2*3"
around the'+'
.- Evaluate left part
"1"
: This is just a number, so left results = [1]. - Evaluate right part
"2*3"
:- There is an operator
'*'
in"2*3"
. Split into sub-left ="2"
and sub-right ="3"
. - sub-left
"2"
→ [2], sub-right"3"
→ [3] (both are base cases). - Combine sub-left and sub-right with
*
: 2 * 3 = 6, so right results = [6] for the sub-expression"2*3"
.
- There is an operator
- Now combine the left and right results with the
'+'
we split on: 1 + 6 = 7. - Result from this parenthesization: 7 (which corresponds to the expression
1 + (2*3)
).
- Evaluate left part
Step 2: Choose the second operator ('*'
at index 3) as the last operation:
- Split into left =
"1+2"
and right ="3"
around the'*'
.-
Evaluate left part
"1+2"
:-
It has an operator
'+'
. Split into sub-left ="1"
and sub-right ="2"
. -
sub-left
"1"
→ [1], sub-right"2"
→ [2]. -
Combine with
+
: 1 + 2 = 3, so left results = [3] for"1+2"
.
-
-
Evaluate right part
"3"
: it’s a number, so right results = [3]. -
Combine left and right results with
*
: 3 * 3 = 9. -
Result from this parenthesization: 9 (which corresponds to the expression
(1+2) * 3
).
-
Step 3: Collect all results. From the two different ways we parenthesized "1+2*3"
, we got results 7 and 9. So the final output list is [7, 9] (order doesn’t matter).
This breakdown shows how the recursion explores different split points. Each indentation level in the above steps represents a recursive call diving into a sub-expression. By following this process, we ensure all possible groupings are covered.
(You can imagine a recursion tree where the root is "1+2*3"
, which branches into two nodes: one for splitting at '+'
and one for splitting at '*'
. Each of those branches further breaks down the expression until only numbers remain.)
Common Mistakes
-
Not handling single-number expressions: Forgetting to handle the case where the input has no operators. If you don’t return the number itself as a result, your recursion might return an empty list or not terminate. Always include a base case to convert a pure-number string into an integer result.
-
Splitting multi-digit numbers incorrectly: Treating each character as a potential number can be problematic. For example, in
"10+5"
, you should recognize"10"
as a single number, not"1"
and"0"
separately. The solutions above handle this by only splitting at operator characters and treating any substring with no operator as a whole number (usingparseInt
in Java orisdigit()
check in Python). -
Recomputing sub-expressions: A brute-force recursive solution without memoization might recalculate the same sub-expression many times, leading to timeouts on larger inputs. A common mistake is not realizing you can cache results. The optimized approach addresses this; forgetting to use it (when needed) can make your solution inefficient.
-
Incorrect combination logic: When combining results from left and right sides, ensure you apply the correct operator. It’s easy to mix up the order or the operation itself. Using a clear
if/else
orswitch
for'+'
,'-'
,'*'
as shown in the implementations helps avoid mistakes. -
Not clearing global caches between calls (in certain environments): If you use a static/global memoization map (like the Java solution above), be careful if your code is run multiple times with different inputs. The cache should be cleared for each new input expression. In competitive programming or some platforms, this can cause one test’s results to leak into another if not handled. A simple fix is to define the cache inside the function that does the computation, or re-initialize it at the start of that function.
Edge Cases to Consider
-
Single number: e.g.
"5"
. The output should just be[5]
. Make sure your base case handles this (and does not try to split further or return an empty list). -
No operators (length 1 input): Same as single number case. Also consider a number with multiple digits and no operators, e.g.
"17"
should return[17]
. -
All same operator: e.g.
"4-3-2-1"
or"2+2+2"
. These should still produce all combinations even if mathematically some groupings give the same result. For"2+2+2"
, all parenthesizations yield 6 actually, but your program should output[6,6]
(three 6’s, or possibly duplicate values) depending on how the question expects duplicates. Usually, as in the examples, if different parenthesizations yield the same result, that result will appear multiple times in the output list. Verify that your solution does not accidentally remove duplicates. -
Mix of operators: e.g.
"2*2-2"
,"2-2*2"
, etc., to ensure the order of operations is indeed changed by parentheses. Check that your code isn’t assuming normal operator precedence (it should treat all splits equally regardless of operator precedence, since parentheses can override it). -
Expression resulting in negative or zero: e.g.
"2-3-4"
. Make sure negative results are handled (they will be stored as negative integers in the list, which is fine). -
Largest size input: The expression length can be up to 20. For example, a worst-case might be something like
"1*1*1*1*1*1*1*1*1*1"
(with 9 operators, 10 numbers) or a mix of plus/minus. Ensure your solution can handle the maximum length (with memoization, it should be fine). Without memoization, it might still run given the constraint, but it will be slower.
Alternative Variations and Related Problems
-
Binary Tree Parenthesization: This problem is essentially about forming different binary computation trees. A related concept is Catalan Numbers, which count the number of ways to fully parenthesize an expression (or the number of full binary trees with a given number of leaves). If you found this problem interesting, you might explore the idea of Catalan numbers in problems like Unique Binary Search Trees II (LeetCode 95), where you generate all structurally unique BSTs for
n
nodes (a similar divide-and-conquer recursion pattern is used there). -
Boolean Parenthesization Problem: A classic variation (not on LeetCode, but common in algorithm courses) is evaluating expressions with boolean values and operators (
AND
,OR
,XOR
) and counting the ways to parenthesize them to make the expression true. It uses a similar recursion and dynamic programming approach, but it’s more complex because you track true/false counts. -
Expression Add Operators (LeetCode 282): Although a different problem (there you insert operators to reach a target value), it also involves recursion and exploring different ways to form an expression. It’s a backtracking problem that could be good practice after this one.
-
Matrix Chain Multiplication: In algorithm design, the problem of finding the optimal parenthesization of a chain of matrix multiplications is a famous one. While that problem focuses on minimizing the multiplication cost (and uses DP for optimization), it conceptually relates to different ways of parenthesizing a product – showing how rapidly the possibilities grow.
GET YOUR FREE
Coding Questions Catalog
