Given a string s of '(' , ')' and lowercase English characters.
Your task is to remove the minimum number of parentheses ( '(' or ')', in any positions ) so that the resulting parentheses string is valid and return any valid string.
Formally, a parentheses string is valid if and only if:
- It is the empty string, contains only lowercase characters, or
- It can be written as
AB(Aconcatenated withB), whereAandBare valid strings, or - It can be written as
(A), whereAis a valid string.
Example 1:
Input: s = "lee(t(c)o)de)" Output: "lee(t(c)o)de" Explanation: "lee(t(co)de)" , "lee(t(c)ode)" would also be accepted.
Example 2:
Input: s = "a)b(c)d" Output: "ab(c)d"
Example 3:
Input: s = "))(("
Output: ""
Explanation: An empty string is also valid.
Example 4:
Input: s = "(a(b(c)d)" Output: "a(b(c)d)"
Constraints:
1 <= s.length <= 10^5s[i]is one of'(',')'and lowercase English letters.
// OJ: https://leetcode.com/problems/minimum-remove-to-make-valid-parentheses/
// Author: github.com/lzl124631x
// Time: O(N)
// Space: O(1)
class Solution {
public:
string minRemoveToMakeValid(string s) {
int left = 0, i, j;
for (i = 0, j = 0; i < s.size(); ++i) {
if (isalpha(s[i]) || (s[i] == '(' && ++left) || (s[i] == ')' && --left >= 0)) s[j++] = s[i];
left = max(left, 0);
}
s.resize(j);
reverse(begin(s), end(s));
left = 0;
for (i = 0, j = 0; i < s.size(); ++i) {
if (isalpha(s[i]) || (s[i] == ')' && ++left) || (s[i] == '(' && --left >= 0)) s[j++] = s[i];
left = max(left, 0);
}
s.resize(j);
reverse(begin(s), end(s));
return s;
}
};Or
// OJ: https://leetcode.com/problems/minimum-remove-to-make-valid-parentheses/
// Author: github.com/lzl124631x
// Time: O(N)
// Space: O(1)
class Solution {
public:
string minRemoveToMakeValid(string s) {
int left = 0, N = s.size();
for (int i = 0; i < N; ++i) {
if (isalpha(s[i])) continue;
if (s[i] == '(') ++left;
else if (left) --left;
else s[i] = ' ';
}
left = 0;
for (int i = N - 1; i >= 0; --i) {
if (isalpha(s[i]) || s[i] == ' ') continue;
if (s[i] == ')') ++left;
else if (left) --left;
else s[i] = ' ';
}
s.erase(remove(begin(s), end(s), ' '), end(s));
return s;
}
};// OJ: https://leetcode.com/problems/minimum-remove-to-make-valid-parentheses/
// Author: github.com/lzl124631x
// Time: O(N)
// Space: O(N)
class Solution {
public:
string minRemoveToMakeValid(string s) {
stack<int> st;
for (int i = 0; i < s.size(); ++i) {
if (s[i] == '(') st.push(i);
else if (s[i] == ')') {
if (st.empty()) s[i] = ' ';
else st.pop();
}
}
while (st.size()) {
s[st.top()] = ' ';
st.pop();
}
s.erase(remove(begin(s), end(s), ' '), end(s));
return s;
}
};