赞
踩
在处理组合问题的时候,递归参数需要传入startIndex,表示下一轮递归遍历的起始位置,这个startIndex就是切割线。
所以终止条件代码如下:
- void backtracking (const string& s, int startIndex) {
- // 如果起始位置已经大于s的大小,说明已经找到了一组分割方案了
- if (startIndex >= s.size()) {
- result.push_back(path);
- return;
- }
- }
来看看在递归循环中如何截取子串呢?
在for (int i = startIndex; i < s.size(); i++)
循环中,我们 定义了起始位置startIndex,那么 [startIndex, i] 就是要截取的子串。
首先判断这个子串是不是回文,如果是回文,就加入在vector<string> path
中,path用来记录切割过的回文子串。
代码如下:
- for (int i = startIndex; i < s.size(); i++) {
- if (isPalindrome(s, startIndex, i)) { // 是回文子串
- // 获取[startIndex,i]在s中的子串
- string str = s.substr(startIndex, i - startIndex + 1);
- path.push_back(str);
- } else { // 如果不是则直接跳过
- continue;
- }
- backtracking(s, i + 1); // 寻找i+1为起始位置的子串
- path.pop_back(); // 回溯过程,弹出本次已经填在的子串
- }
注意切割过的位置,不能重复切割,所以,backtracking(s, i + 1); 传入下一层的起始位置为i + 1。
- class Solution {
- public:
- vector<string> path;
- vector<vector<string>> result;
- void backstring(string s,int startIndex)
- {
- if(startIndex>=s.size())
- {
- result.push_back(path);
- return;
- }
- for(int i=startIndex;i<s.size();i++)//横向遍历
- {
- if(isPalindrome(s,startIndex,i))//回溯算法中 横向就看i 纵向看回溯
- {
- string s1=s.substr(startIndex,i-startIndex+1);//判断(start,i] 判断的是i+1的情况
- //substr() 是 C++ 标准库中的一个函数,用于从一个字符串中提
- //从startIndex开始提取 提取长度为i-startIndex+1
- path.push_back(s1);
- }
- else{continue;}//如果不是直接continue 不会导致path有多余的数据因为这里path还没有push_back新的数据
- //里面的还是已经是回文子串的数据 因此会继续到横向到下一个
- backstring(s,i+1);//纵向遍历 寻找i+1为起始位置的子串
- //纵向递归中 起初i=0;由于i+1为startIndex=1 传入导致了第二层是i=1开始for 切割点也是i=1
- //横向遍历i++,i=2 此时的下一层会导致i+1 i=3 就是末尾是切割点
- //再下一层纵向遍历i=2,从i=2开始for 到达终点 横向遍历i++ i=2
- path.pop_back();//回退
- }
-
-
- }
- bool isPalindrome(const string &s,int start,int end)//判断是否是字符串
- {
- for(int i=start,j=end;i<j;i++,j--)
- {
- if(s[i]!=s[j])
- return false;
- }
- return true;
- }
-
-
- vector<vector<string>> partition(string s) {
- result.clear();
- path.clear();
- backstring(s, 0);
- return result;
-
- }
- };
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。