A valid parentheses string is either empty
(""),"(" + A + ")", orA + B, whereAandBare valid parentheses strings, and+represents string concatenation. For example,"","()","(())()", and"(()(()))"are all valid parentheses strings.A valid parentheses string
Sis primitive if it is nonempty, and there does not exist a way to split it intoS = A+B, withAandBnonempty valid parentheses strings.Given a valid parentheses string
S, consider its primitive decomposition:S = P_1 + P_2 + ... + P_k, whereP_iare primitive valid parentheses strings.Return
Safter removing the outermost parentheses of every primitive string in the primitive decomposition ofS.
Example 1:
Input: "(()())(())" Output: "()()()" Explanation: The input string is "(()())(())", with primitive decomposition "(()())" + "(())". After removing outer parentheses of each part, this is "()()" + "()" = "()()()".Example 2:
Input: "(()())(())(()(()))" Output: "()()()()(())" Explanation: The input string is "(()())(())(()(()))", with primitive decomposition "(()())" + "(())" + "(()(()))". After removing outer parentheses of each part, this is "()()" + "()" + "()(())" = "()()()()(())".Example 3:
Input: "()()" Output: "" Explanation: The input string is "()()", with primitive decomposition "()" + "()". After removing outer parentheses of each part, this is "" + "" = "".
Note:
S.length <= 10000S[i]is"("or")"Sis a valid parentheses string
public String removeOuterParentheses(String S) {
int count = 0, l = 0, r = 0;
StringBuilder sb = new StringBuilder();
for (int i = 0; i < S.length(); i++) {
char ch = S.charAt(i);
if (ch == '(') count++;
else count--;
if (count == 0) {
r = i;
sb.append(S.substring(l+1, r));
l = r + 1;
}
}
return sb.toString();
}

本文介绍了一种算法,用于从有效的括号字符串中移除每个原始字符串的最外层括号。通过分解原始字符串并应用特定逻辑实现此目标。
435

被折叠的 条评论
为什么被折叠?



