回溯法
class Solution {
public:
vector<vector<string>> res; //都整成全局变量,免得回溯的时候传来传去的
vector<string> tmp;
vector<vector<string>> partition(string s) {
dfs(s);
return res;
}
void dfs(string s)
{
if (s.size() == 0) //字符串已经分割完,当前路径存到结果中
{
res.push_back(tmp);
return;
}
for (int i = 1; i <= s.size(); i ++ )
{
string str = s.substr(0, i);
if (check(str))
{
tmp.push_back(str);
dfs(s.substr(i)); //去掉前i个字符,继续递归
tmp.pop_back(); //恢复现场
}
}
}
bool check(string s) //判断回文字符串模板
{
int l = 0, r = s.size() - 1;
while (l <= r)
{
if (s[l] != s[r])
return false;
l ++ , r -- ;
}
return true;
}
};