• LeetCode 131. 分割回文串(Palindrome Partitioning)


    题目描述

    给定一个字符串 s,将 s 分割成一些子串,使每个子串都是回文串。

    返回 s 所有可能的分割方案。

    示例:

    输入: "aab"
    输出:
    [
      ["aa","b"],
      ["a","a","b"]
    ]

    解题思路

    回溯思想。首先遍历字符串的各个子字符串,记录它们是否为回文串,然后对字符串各个索引递归判断回文串并加入到结果集合中。

    代码

     1 class Solution {
     2 public:
     3     vector<vector<string>> partition(string s) {
     4         vector<vector<string>> res;
     5         vector<vector<int>> strHuiwen(s.length(), vector<int>(s.length(), 0));
     6         vector<string> temp;
     7         for(int i = 0; i < s.length(); i++)
     8             for(int j = i; j < s.length(); j++)
     9                 if(isHuiwen(s.substr(i, j - i + 1)))
    10                     strHuiwen[i][j] = 1;
    11         huiwen(s, 0, res, temp, strHuiwen);
    12         return res;
    13     }
    14     void huiwen(string s, int idx, vector<vector<string>> &res, vector<string> &temp, vector<vector<int>> strHuiwen){
    15         if(idx == s.length()){
    16             res.push_back(temp);
    17             return;
    18         }
    19         for(int i = idx; i < s.length(); i++){
    20             if(strHuiwen[idx][i]){
    21                 temp.push_back(s.substr(idx, i - idx + 1));
    22                 huiwen(s, i + 1, res, temp, strHuiwen);
    23                 temp.pop_back();
    24             }
    25         }
    26     }
    27     bool isHuiwen(string s){
    28         for(int i = 0; i < s.length() / 2; i++)
    29             if(s[i] != s[s.length() - i - 1]) return false;
    30         return true;
    31     }
    32 };
  • 相关阅读:
    LeetCode 501. 二叉搜索树中的众数
    LeetCode 404.左叶子之和
    LeetCode 450. 删除二叉搜索树中的节点
    LeetCode 437. 路径总和 III
    LeetCode 429. N 叉树的层序遍历
    LeetCode 213. 打家劫舍 II
    LeetCode 337. 打家劫舍 III
    LeetCode 198. 打家劫舍
    LeetCode 235. 二叉搜索树的最近公共祖先
    LeetCode 230. 二叉搜索树中第K小的元素
  • 原文地址:https://www.cnblogs.com/wmx24/p/9882297.html
Copyright © 2020-2023  润新知