leetcode 131.分割回文串
给定一个字符串 s,将 s 分割成一些子串,使每个子串都是回文串。
返回 s 所有可能的分割方案。
示例:
输入: “aab”
输出:
[
[“aa”,“b”],
[“a”,“a”,“b”]
]
递归三部曲
1.参数和返回值:结果集保存在全局变量result,输入字符串和当前的切割indexStart
2.单层递归逻辑:遍历字符串的每一个切割点,将字符串划分成两个部分,当前字符串为回文串则添加到结果集
3.当切割点到字符串末尾退出
class Solution {
public:
vector<vector<string>> result;
vector<string> path;
bool judgeStr(string& str, int begin, int end)
{
for(int i = begin, j = end; i < j; ++i, --j)
{
if(str[i] != str[j])
return false;
}
return true;
}
void backTrace(string s, int indexStart)
{
if(indexStart >= s.size())
{
result.push_back(path);
return;
}
for(int i = indexStart; i<s.size(); ++i)
{
if(!judgeStr(s, indexStart, i)) continue;
string str = s.substr(indexStart,i - indexStart + 1);
path.push_back(str);
backTrace(s, i + 1);
path.pop_back();
}
}
vector<vector<string>> partition(string s) {
backTrace(s, 0);
return result;
}
};