当前位置:   article > 正文

回溯算法 131.分割回文串_回溯算法:分割回文串

回溯算法:分割回文串

在处理组合问题的时候,递归参数需要传入startIndex,表示下一轮递归遍历的起始位置,这个startIndex就是切割线。

所以终止条件代码如下:

  1. void backtracking (const string& s, int startIndex) {
  2. // 如果起始位置已经大于s的大小,说明已经找到了一组分割方案了
  3. if (startIndex >= s.size()) {
  4. result.push_back(path);
  5. return;
  6. }
  7. }

 

  • 单层搜索的逻辑

来看看在递归循环中如何截取子串呢?

for (int i = startIndex; i < s.size(); i++)循环中,我们 定义了起始位置startIndex,那么 [startIndex, i] 就是要截取的子串。

首先判断这个子串是不是回文,如果是回文,就加入在vector<string> path中,path用来记录切割过的回文子串。

代码如下:

  1. for (int i = startIndex; i < s.size(); i++) {
  2. if (isPalindrome(s, startIndex, i)) { // 是回文子串
  3. // 获取[startIndex,i]在s中的子串
  4. string str = s.substr(startIndex, i - startIndex + 1);
  5. path.push_back(str);
  6. } else { // 如果不是则直接跳过
  7. continue;
  8. }
  9. backtracking(s, i + 1); // 寻找i+1为起始位置的子串
  10. path.pop_back(); // 回溯过程,弹出本次已经填在的子串
  11. }

注意切割过的位置,不能重复切割,所以,backtracking(s, i + 1); 传入下一层的起始位置为i + 1

  1. class Solution {
  2. public:
  3. vector<string> path;
  4. vector<vector<string>> result;
  5. void backstring(string s,int startIndex)
  6. {
  7. if(startIndex>=s.size())
  8. {
  9. result.push_back(path);
  10. return;
  11. }
  12. for(int i=startIndex;i<s.size();i++)//横向遍历
  13. {
  14. if(isPalindrome(s,startIndex,i))//回溯算法中 横向就看i 纵向看回溯
  15. {
  16. string s1=s.substr(startIndex,i-startIndex+1);//判断(start,i] 判断的是i+1的情况
  17. //substr() 是 C++ 标准库中的一个函数,用于从一个字符串中提
  18. //从startIndex开始提取 提取长度为i-startIndex+1
  19. path.push_back(s1);
  20. }
  21. else{continue;}//如果不是直接continue 不会导致path有多余的数据因为这里path还没有push_back新的数据
  22. //里面的还是已经是回文子串的数据 因此会继续到横向到下一个
  23. backstring(s,i+1);//纵向遍历 寻找i+1为起始位置的子串
  24. //纵向递归中 起初i=0;由于i+1为startIndex=1 传入导致了第二层是i=1开始for 切割点也是i=1
  25. //横向遍历i++,i=2 此时的下一层会导致i+1 i=3 就是末尾是切割点
  26. //再下一层纵向遍历i=2,从i=2开始for 到达终点 横向遍历i++ i=2
  27. path.pop_back();//回退
  28. }
  29. }
  30. bool isPalindrome(const string &s,int start,int end)//判断是否是字符串
  31. {
  32. for(int i=start,j=end;i<j;i++,j--)
  33. {
  34. if(s[i]!=s[j])
  35. return false;
  36. }
  37. return true;
  38. }
  39. vector<vector<string>> partition(string s) {
  40. result.clear();
  41. path.clear();
  42. backstring(s, 0);
  43. return result;
  44. }
  45. };

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/盐析白兔/article/detail/676820
推荐阅读
相关标签
  

闽ICP备14008679号