Leetcode——Generate Parenthese

問題描述:        函數

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

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

"((()))", "(()())", "(())()", "()(())", "()()()"orm

        針對一個長度爲2n的合法排列,第1到2n個位置都知足以下規則:左括號的個數大於等於右括號的個數。因此,咱們就能夠按照這個規則去打印括號:假設在位置k咱們還剩餘left個左括號和right個右括號,若是left>0,則咱們能夠直接打印左括號,而不違背規則。可否打印右括號,咱們還必須驗證left和right的值是否知足規則,若是left>=right,則咱們不能打印右括號,由於打印會違背合法排列的規則,不然能夠打印右括號。若是left和right均爲零,則說明咱們已經完成一個合法排列,能夠將其打印出來。遞歸

        這個題第一眼看上去就應該使用遞歸來解決,然而Leetcode給處的函數原形是這樣的:
string

class Solution {
public:
    vector<string> generateParenthesis(int n) {
        
    }
};

         我只想說臥槽,在這種狀況下把結果做爲函數的返回值返回臣妾真心作不到啊!默默地把代碼寫成了這樣:it

void generate(int count1, int count2, string current, int n, vector<string>& combinations)
{
	if (count1 == n && count2 == n)		//掃描完了
	{
		combinations.push_back(current);
	}
	else {
		if (count1 < count2) {
			return;
		}
		//打印左括號
		if (count1 < n)
		{
			generate(count1 + 1, count2, current + "(", n, combinations);
		}
		//打印右括號
		if (count1 > count2 && count1 <= n)
		{
			generate(count1, count2 + 1, current + ")", n, combinations);
		}
	}
}

class Solution 
{
public:
	vector<string> generateParenthesis(int n) 
	{
		string current = "";
		generate(0, 0, current, n, combinations);
		
		return combinations;
	}
	vector<string> combinations;
};
相關文章
相關標籤/搜索