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:java
"((()))", "(()())", "(())()", "()(())", "()()()"
給定n對括號,輸出他們全部正確的組合算法
採用遞歸求解試數組
算法實現類app
import java.util.ArrayList; import java.util.LinkedList; import java.util.List; /** * Author: 王俊超 * Date: 2015-06-22 * Time: 11:13 * Declaration: All Rights Reserved !!! */ public class Solution { public List<String> generateParenthesis(int n) { // 保存結果的隊列 List<String> result = new ArrayList<>(); // 括號數大於0 if (n > 0) { // 捛使用數組 char[] parentheses = new char[2 * n]; // 問題求解 solve(n, n, parentheses, result); } return result; } /** * @param left 剩餘可用的左括號數 * @param right 剩餘可用的右括號數 * @param parentheses 到上一次爲止括號使用的狀況 * @param result 存放結果的集合 */ public void solve(int left, int right, char[] parentheses, List<String> result) { // 剩下的括號數不能小於0,而且每次剩下的右括號數都不能小於左括號數 if (left < 0 || right < 0 || right < left) { // 什麼都不用作 } // 左右括號都被使用完了 else if (left == 0 && right == 0) { result.add(new String(parentheses)); } // 能夠使用 else { // 當前使用的位置 int idx = parentheses.length - left - right; // 使用左括號 parentheses[idx] = '('; // 遞歸求解 solve(left - 1, right, parentheses, result); // 使用右括號 parentheses[idx] = ')'; solve(left, right - 1, parentheses, result); } } }
描述測試
如今,有一行括號序列,請你檢查這行括號是否配對。spa
輸入.net
第一行輸入一個數N(0<N<=100),表示有N組測試數據。後面的N行輸入多組輸入數據,每組輸入數據都是一個字符串S(S的長度小於10000,且S不是空串),測試數據組數少於5組。數據保證S中只含有"[","]","(",")"四種字符code
輸出orm
每組輸入數據的輸出佔一行,若是該字符串中所含的括號是配對的,則輸出Yes,若是不配對則輸出Noblog
樣例輸入
3 [(]) (]) ([[]()])
樣例輸出
No No Yes
[java] view plain copy
根據題意分析。咱們先取n=3.畫出全部的狀況。
代碼
[java] view plain copy