给定一个含有数字和运算符的字符串,为表达式添加括号,改变其运算优先级以求出不同的结果。你需要给出所有可能的组合的结果。有效的运算符号包含 +
,-
以及*
。
示例一
输入: "2-1-1"
输出: [0, 2]
解释:
((2-1)-1) = 0
(2-(1-1)) = 2
示例二
输入: "2*3-4*5"
输出: [-34, -14, -10, -10, 10]
解释:
(2*(3-(4*5))) = -34
((2*3)-(4*5)) = -14
((2*(3-4))*5) = -10
(2*((3-4)*5)) = -10
(((2*3)-4)*5) = 1
解题思路
1.按照运算符做分割,然后用分治算法解。
2.边界条件为:如果剩下的的字符串中没有运算符,即剩下的字符串中有且仅有数字。
答案
class Solution {
public:
vector<int> diffWaysToCompute(string input) {
vector<int> res;
for(unsigned int i = 0; i <input.size(); i++)
{
char c = input[i];
auto res1 = diffWaysToCompute(input.substr(0, i));
auto res2 = diffWaysToCompute(input.substr(i+1));
for(int r1:res1)
for(int r2:res2)
{
if(c=='+')
res.push_back(r1 + r2);
if(c=='-')
res.push_back(r1 - r2);
if(c=='*')
res.push_back(r1 * r2);
}
}
if(res.empty())
res.push_back(atoi(input.c_str()));
return res;
}
};