Palindrome Partitioning Problem


Description

LeetCode Problem 131.

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.

Example 1:

1
2
Input: s = "aab"
Output: [["a","a","b"],["aa","b"]]

Example 2:

1
2
Input: s = "a"
Output: [["a"]]

Constraints:

  • 1 <= s.length <= 16
  • s contains only lowercase English letters.


Sample C++ Code

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
class Solution {
public:
    void dfs(vector<vector<int>>& dp, vector<vector<string>>& ans, 
            vector<string>& line, int idx, string& s) {
        if (idx >= s.size()) {
            ans.push_back(line);
            return;
        }
        for (int i = idx; i < s.size(); i ++) {
            if (dp[idx][i]) {
                string t = s.substr(idx, i - idx + 1);
                line.push_back(t);
                dfs(dp, ans, line, i+1, s);
                line.pop_back();
            }
        }
        return;
    }
    vector<vector<string>> partition(string s) {
        int len = s.size();
        vector<vector<int>> dp(len, vector<int>(len, 1));
        
        for (int i = 0; i < len; i ++) {
            for (int j = i-1; j >= 0; j --) {
                if (s[j] != s[i])
                    dp[j][i] = 0;
                if (!dp[j+1][i-1])
                    dp[j][i] = 0;
            }
        }
        
        vector<vector<string>> ans;
        vector<string> line;
        dfs(dp, ans, line, 0, s);
        return ans;
    }
};




Related Posts

Unique Paths III Problem

LeetCode 980. You are given an m x n integer...

Split Array Into Fibonacci Sequence Problem

LeetCode 842. You are given a string of digits num,...

Partition To K Equal Sum Subsets Problem

LeetCode 698. Given an integer array nums and an integer...

Letter Case Permutation Problem

LeetCode 784. Given a string s, we can transform every...

24 Game Problem

LeetCode 679. You are given an integer array cards of...

Matchsticks To Square Problem

LeetCode 473. You are given an integer array matchsticks where...