个人记录-LeetCode 22. Generate Parentheses

问题:
Given n pairs of parentheses, write a function to generate all combinations of well-formed parentheses.

For example, given n = 3, a solution set is:

[
  "((()))",
  "(()())",
  "(())()",
  "()(())",
  "()()()"
]

问题的要求是:写出所有符合正常使用方式的括号组合。
最直观的思路就是穷举出所有组合,然后判断每个组合是否有效。

代码示例:

public class Solution {
    public List<String> generateParenthesis(int n) {
        List<String> result = new ArrayList<>();

        //利用递归的方式得到所有的组合,并判断
        createString(result, "", n, n);

        return result;
    }

    //numF表示有"("的数量,numB表示")"的数量
    private void createString(List<String> result, String str, int numF, int numB) {
        if (numF == 0 && numB == 0) {
            //此时,组合构造完毕,判断是否有效
            if (isValid(str)) {
                result.add(str);
            }
        } else {
            if (numF > 0) {
                //添加"(", 并修改传入参数
                String newStrF = str + "(";
                createString(result, newStrF, numF - 1, numB);
            }

            if (numB > 0) {
                //添加")", 并修改传入参数
                String newStrB = str + ")";
                createString(result, newStrB, numF, numB - 1);
            }
        }
    }

    //判断是否有效
    private boolean isValid(String str) {
        boolean result = true;

        Stack<Character> stack = new Stack<>();
        for (int i = 0; i < str.length(); ++i) {
            if (str.charAt(i) == '(') {
                stack.push('(');
            } else {
                if (!stack.empty() && stack.peek() == '(') {
                    stack.pop();
                } else {
                    result = false;
                    break;
                }
            }
        }

        return stack.empty() && result;
    }
}

你可能感兴趣的:(个人记录-LeetCode 22. Generate Parentheses)