1. 程式人生 > >282 Expression Add Operators 給表達式添加運算符

282 Expression Add Operators 給表達式添加運算符

AR express res code div nbsp ++ -a ++i

給定一個僅包含0-9的字符串和一個目標值,返回在數字之間添加了二元運算符(不是一元的) +、-或*之後所有能得到目標值的情況。
例如:
"123", 6 -> ["1+2+3", "1*2*3"]
"232", 8 -> ["2*3+2", "2+3*2"]
"105", 5 -> ["1*0+5","10-5"]
"00", 0 -> ["0+0", "0-0", "0*0"]
"3456237490", 9191 -> []
詳見:https://leetcode.com/problems/expression-add-operators/description/

class Solution {
public:
    vector<string> addOperators(string num, int target) {
        vector<string> res;
        addOperatorsDFS(num, target, 0, 0, "", res);
        return res;
    }
    void addOperatorsDFS(string num, int target, long long diff, long long curNum, string out, vector<string> &res) {
        if (num.size() == 0 && curNum == target) 
        {
            res.push_back(out);
        }
        for (int i = 1; i <= num.size(); ++i) 
        {
            string cur = num.substr(0, i);
            if (cur.size() > 1 && cur[0] == ‘0‘)
            {
                return;
            }
            string next = num.substr(i);
            if (out.size() > 0)
            {
                addOperatorsDFS(next, target, stoll(cur), curNum + stoll(cur), out + "+" + cur, res);
                addOperatorsDFS(next, target, -stoll(cur), curNum - stoll(cur), out + "-" + cur, res);
                addOperatorsDFS(next, target, diff * stoll(cur), (curNum - diff) + diff * stoll(cur), out + "*" + cur, res);
            }
            else 
            {
                addOperatorsDFS(next, target, stoll(cur), stoll(cur), cur, res);
            }
        }
    }
};

參考:https://www.cnblogs.com/grandyang/p/4814506.html

282 Expression Add Operators 給表達式添加運算符