首页 > 其他分享 >LeetCode 131 Palindrome Partitioning

LeetCode 131 Palindrome Partitioning

时间:2022-08-16 03:22:14浏览次数:50  
标签:Partitioning Palindrome string int res pos 131 palindrome ans

Given a string s, partition s such that every substring of the partition is a palindrome. Return all possible palindrome partitioning of s.

A palindrome string is a string that reads the same backward as forward.

Solution

将字符串分割为所有可能的回文串。 首先用 \(check\) 来判断是否为回文串。接着用回溯来进行 \(dfs\):对当前位置 \(pos\) 和下一个位置 \(i\) 之间的字符串来判断是否为回文串,接着从 \(i+1\) 处开始

点击查看代码
class Solution {
private:
    vector<vector<string>> ans;
    vector<string> res;
    
    bool check(string x, int st, int ed){
        while(st<=ed){
            if(x[st++]!=x[ed--])return false;
        }
        return true;
    }
    
    void dfs(string s, int pos, vector<string>& res){
        if(pos==s.size()){
            ans.push_back(res);return;
        }
        for(int i=pos;i<s.size();i++){
            string tmp = s.substr(pos,i-pos+1);
            if(check(s, pos, i)){
                res.push_back(tmp);
                dfs(s, i+1, res);
                res.pop_back();
            }
        }
    }
    
public:
    vector<vector<string>> partition(string s) {
        dfs(s, 0, res);
        return ans;
    }
};

标签:Partitioning,Palindrome,string,int,res,pos,131,palindrome,ans
From: https://www.cnblogs.com/xinyu04/p/16590265.html

相关文章

  • P5131 荷取融合——计数dp,组合计数
    本题是一个计数类的问题,其中需要有一些优化。简单思路从题面和数据范围,可以猜测算法时间复杂度大概是\(O(nk)\),所以不难想到用动态规划:设\(f(i,j)\)为前\(i\)个数中选\(......
  • CF EDU 131 D - Permutation Restoration
    贪心、扫描线思想D-PermutationRestoration题意有\(1-n\)的一个排列\(a_i\),给定\(b_i\),满足\(b_i=\lfloor\fraci{a_i}\rfloor\),求\(a_i\)(n<=5e5)......