题目链接:131. 分割回文串 - 力扣(LeetCode)
要找出所有分割这个字符串的方案使得每个子串都是回文串,写一个判断回文串的函数,深度遍历回溯去找出所有分割方案,判断分割的子串是否是回文串
class Solution {
public:
vector<vector<string> > ans;
vector<string> an;
string s;
bool isPalindromes(int left, int right) {
while (left < right) {
if (s[left++] != s[right--])
return false;
}
return true;
}
void dfs(int i) {
if (i == s.size()) {
ans.push_back(an);
return;
}
for (int j = i; j < s.size(); ++j) {
if (isPalindromes(i, j)) {
an.push_back(s.substr(i, j - i + 1));
dfs(j + 1);
an.pop_back();
}
}
}
vector<vector<string> > partition(string s) {
this->s = move(s);
dfs(0);
return ans;
}
};