代码随想录 Leetcode1047. 删除字符串中的所有相邻重复项

题目:

代码随想录 Leetcode1047. 删除字符串中的所有相邻重复项_第1张图片


代码(首刷自解 2024年1月21日):

class Solution {
public:
    string removeDuplicates(string s) {
        if (s.size() < 2) return s;
        stack t;
        for (int i = 0; i < s.size(); ++i) {
            if (t.empty()) t.push(s[i]);
            else {
                if (s[i] == t.top()) {
                    t.pop();
                    continue;
                } else {
                    t.push(s[i]);
                }
            }
        }
        string res = "";
        while (!t.empty()) {
            res = t.top() + res;
            t.pop();
        }
        return res;
    }
};

        时间复杂度高

代码(二刷看解析 2024年1月21日)

class Solution {
public:
    string removeDuplicates(string s) {
        string res = "";
        for (auto it : s) {
            if (res.empty() || it != res.back()) {
                res.push_back(it);
            } else {
                res.pop_back();
            }
        } 
        return res;
    }
};

        写完代码多思考怎么优化

你可能感兴趣的:(#,leetcode,---,easy,算法)