原题地址:
https://leetcode.com/problems/palindrome-partitioning/description/
题目:
Given a string s, partition s such that every substring of the partition is a palindrome.
Return all possible palindrome partitioning of s.
For example, given s = "aab"
,
Return
[ ["aa","b"], ["a","a","b"] ]
解法:
这道题目给了一个字符串,让我们把字符串拆分成一组子回文字符串,然后把所有的拆分情况找出来。这道题目只需要用到dfs+回溯即可解决,时间复杂度比较高,但只要能AC也不管那么多了。
用for循环,逐个逐个字符地加到一个字符串里面,假如字符串是回文的,就把它加到vector里面,然后把它从原字符串里面去掉,递归执行函数。当函数传入的字符串的长度为0时,我们就成功地找到了一种拆分的方法了。
代码如下:
class Solution { public: vector<vector<string>> partition(string s) { vector<vector<string>> res; vector<string> temp; helper(res, temp, s); return res; } void helper(vector<vector<string>> & res, vector<string> temp, string s){ if (s.size() == 0) { res.push_back(temp); } for (int i = 0; i < s.size(); i++) { string t = s.substr(0, i + 1); if (isPalindrome(t)) { temp.push_back(t); helper(res, temp, s.substr(i + 1, s.size() - t.size())); temp.pop_back(); } } } bool isPalindrome(string s) { for (int i = 0; i < s.size() / 2; i++) { if (s[i] != s[s.size() - i - 1]) return false; } return true; } };
这是很简单的一道题目,但让我理解了用什么方法去处理一个字符串,复习了对回溯法的使用。