1745. Palindrome Partitioning IV
Problem Description
The problem requires us to determine whether a given string s
can be divided into three non-empty substrings that each form a palindrome. A palindrome is a string that reads the same forward and backward—for example, racecar
or madam
. If it is possible to split the input string into such three palindromic segments, we return true
; otherwise, we return false
.
Intuition
The solution approach involves first understanding the characteristics of a palindrome. A string is a palindrome if the first and last characters are the same, and if the substring between them (if any) is also a palindrome. The intuition behind the solution involves checking all possible ways of splitting the string into three substrings and testing for each split if all three resulting substrings are palindromes.
To decide whether a substring is a palindrome, we can precompute the palindromic status of all possible substrings. We create a 2D array g
where g[i][j]
is True
if the substring from index i
to index j
is a palindrome. This precomputation uses dynamic programming. Once we have this 2D array, we can iterate through all possible splits with two nested loops, using the g
array to check if each potential three-segment split consists of palindromes. If such a three-palindrome partitioning exists, we return True
; if we finish our iterations without finding one, we return False
.
The dynamic programming part to fill the g
array checks palindromes by comparing the characters at the indices i
and j
, and by ensuring that the substring between them is a palindrome (by checking the entry g[i+1][j-1]
).
By precomputing the palindrome statuses, we save time in the later stage where we're iterating over potential partition indices, allowing this solution to be efficient and effective for the problem.
Learn more about Dynamic Programming patterns.
Solution Approach
The solution employs dynamic programming and precomputation to determine the palindromic nature of all substrings in the string s
. The data structure used for this is a 2-dimensional array g
where g[i][j]
holds a boolean value indicating whether the substring starting at index i
and ending at index j
is a palindrome.
Here's a step-by-step breakdown of the implementation:
-
Initialize a 2D array
g
of sizen * n
filled withTrue
, wheren
is the length of the strings
. Since a substring of length 1 is trivially a palindrome, the diagonal of the arrayg
(wherei==j
) represents these substrings and is thus initialized toTrue
. -
Populate the
g
array using a nested loop. Starting from the end of the string, we move towards the beginning (decreasingi
). For eachi
, we iteratej
fromi+1
to the end of the string. We updateg[i][j]
toTrue
only if the characters ati
andj
are equal and the substringg[i+1][j-1]
is a palindrome. This check ensures that we confirm the palindromic property for a substring by comparing its outer characters and using the previously computed statuses of its inner substrings. -
Once the
g
array is computed, we use two nested loops to try all possible partitions. The first loop iterates over the first potential cut in the string (denoted byi
; it marks the end of the first substring), which goes from index0
ton-3
. The second loop goes over the second potential cut (denoted byj
; it marks the end of the second substring), which starts one position afteri
and goes untiln-2
. These loops make sure that each of the three resulting substrings is non-empty. -
For each pair of positions
(i, j)
, we check if the substringss[0...i]
,s[i+1...j]
, ands[j+1...end]
(end beingn-1
, inclusive) are palindromes. This is done using theg
array: ifg[0][i]
,g[i+1][j]
, andg[j+1][n-1]
are allTrue
, this means that the current partition forms three palindromic substrings. -
If a valid partition is found, we immediately return
True
. -
If no valid partition is found after going through all possible pairs of
(i, j)
, then it's not possible to split the string into three palindromic substrings, and we returnFalse
.
The use of dynamic programming makes this process efficient since we avoid recomputing the palindrome status of substrings when checking possible partition positions.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's use the string "abacaba"
to illustrate the solution approach.
-
We first initialize the 2D array
g
of size7 x 7
(since "abacaba" has 7 characters) withTrue
on the diagonal, as any single character is a palindrome by itself. -
We then fill the
g
array with the palindromic status for all substrings. For example,g[0][1]
will beFalse
becauses[0]
is 'a' ands[1]
is 'b', and "ab" is not a palindrome. We continue this for all possible substrings, ending up withg[0][6]
beingTrue
because "abacaba" is a palindrome, and similarlyg[2][4]
beingTrue
for the substring "aca". -
Next, we iterate over all possible pairs of indices
(i, j)
to find valid partitions. Our first loop with variablei
will run from 0 to 4 (since we need at least two characters after the first partition for the remaining two palindromic substrings to be non-empty), and our nested loop with variablej
will run fromi+1
to 5. -
For each pair
(i, j)
, we check the 2D arrayg
to see ifg[0][i]
,g[i+1][j]
, andg[j+1][6]
are allTrue
. -
When
i
is2
(end of the first substring) andj
is4
(end of the second substring), we find that:g[0][2]
which represents "aba" isTrue
,g[3][4]
which represents "ca" isFalse
, andg[5][6]
which represents "ba" isFalse
.
-
So the substring partitions "aba|ca|ba" are not palindromes collectively. We continue searching.
-
We eventually find that when
i
is0
andj
is3
, we get:g[0][0]
which represents "a" isTrue
,g[1][3]
which represents "bac" isFalse
, andg[4][6]
which represents "aba" isTrue
.
No palindromic partition here, so we keep searching.
-
Continuing this, we finally hit a combination when
i
is2
andj
is5
, resulting in the partitions "aba|cac|aba":g[0][2]
isTrue
for "aba",g[3][5]
isTrue
for "cac", andg[6][6]
isTrue
for "a".
-
Thus, "abacaba" can be split into three palindromic substrings: "aba", "cac", and "a". At this point, we return
True
.
No further searching is needed; we have successfully found a split of the example string "abacaba" into three palindromic substrings using the outlined solution approach.
Solution Implementation
1class Solution:
2 def checkPartitioning(self, s: str) -> bool:
3 # Get the length of the string
4 length = len(s)
5
6 # Initialize a matrix to keep track of palindrome substrings
7 palindrome = [[True] * length for _ in range(length)]
8
9 # Fill the palindrome matrix with correct values
10 # A substring s[i:j+1] is a palindrome if s[i] == s[j] and
11 # the substring s[i+1:j] is also a palindrome
12 for start in range(length - 1, -1, -1):
13 for end in range(start + 1, length):
14 palindrome[start][end] = s[start] == s[end] and (start + 1 == end or palindrome[start + 1][end - 1])
15
16 # Attempt to partition the string into three palindromes
17 # The external two loops iterate over every possible first and second partition
18 for first_cut in range(length - 2):
19 for second_cut in range(first_cut + 1, length - 1):
20 # If the three substrings created by first_cut and second_cut are all palindromes,
21 # return True, as it is possible to partition the string into three palindromes
22 if palindrome[0][first_cut] and palindrome[first_cut + 1][second_cut] and palindrome[second_cut + 1][-1]:
23 return True
24 # If no partitioning into three palindromes is found, return False
25 return False
26
1class Solution {
2 public boolean checkPartitioning(String s) {
3 int length = s.length();
4
5 // dp[i][j] will be 'true' if the string from index i to j is a palindrome.
6 boolean[][] dp = new boolean[length][length];
7
8 // Initial fill of dp array with 'true' for all single letter palindromes.
9 for (boolean[] row : dp) {
10 Arrays.fill(row, true);
11 }
12
13 // Fill the dp array for substrings of length 2 to n.
14 for (int start = length - 1; start >= 0; --start) {
15 for (int end = start + 1; end < length; ++end) {
16 // Check for palindrome by comparing characters and checking if the substring
17 // between them is a palindrome as well.
18 dp[start][end] = s.charAt(start) == s.charAt(end) && dp[start + 1][end - 1];
19 }
20 }
21
22 // Try to partition the string into 3 palindrome parts by checking all possible splits.
23 for (int i = 0; i < length - 2; ++i) {
24 for (int j = i + 1; j < length - 1; ++j) {
25 // If the three parts [0, i], [i+1, j], [j+1, length-1] are all palindromes,
26 // return true indicating the string can be partitioned into 3 palindromes.
27 if (dp[0][i] && dp[i + 1][j] && dp[j + 1][length - 1]) {
28 return true;
29 }
30 }
31 }
32
33 // If no partitioning was found, return false.
34 return false;
35 }
36}
37
1class Solution {
2public:
3 bool checkPartitioning(string str) {
4 int strSize = str.size();
5 // A 2D dynamic programming matrix to store palindrome status
6 vector<vector<bool>> isPalindrome(strSize, vector<bool>(strSize, true));
7
8 // Fill the dp matrix for all substrings
9 for (int start = strSize - 1; start >= 0; --start) {
10 for (int end = start + 1; end < strSize; ++end) {
11 // Check and set palindrome status
12 isPalindrome[start][end] = (str[start] == str[end]) &&
13 (start + 1 == end || isPalindrome[start + 1][end - 1]);
14 }
15 }
16
17 // Check all possible partitions
18 // The outer loop is for the first cut
19 for (int firstCut = 0; firstCut < strSize - 2; ++firstCut) {
20 // The inner loop is for the second cut
21 for (int secondCut = firstCut + 1; secondCut < strSize - 1; ++secondCut) {
22 // If the three partitions are palindromes, return true
23 if (isPalindrome[0][firstCut] &&
24 isPalindrome[firstCut + 1][secondCut] &&
25 isPalindrome[secondCut + 1][strSize - 1]) {
26 return true;
27 }
28 }
29 }
30
31 // If no partitioning satisfies the condition, return false
32 return false;
33 }
34};
35
1// Method to check if a string can be partitioned into three palindromic substrings
2function checkPartitioning(str: string): boolean {
3 const strSize = str.length;
4 // A 2D array to store palindrome status
5 const isPalindrome: boolean[][] = Array.from({length: strSize}, () => Array(strSize).fill(true));
6
7 // Fill the array for checking palindrome substrings
8 for (let start = strSize - 1; start >= 0; --start) {
9 for (let end = start + 1; end < strSize; ++end) {
10 // Check and set palindrome status
11 isPalindrome[start][end] = (str[start] === str[end]) &&
12 (start + 1 === end || isPalindrome[start + 1][end - 1]);
13 }
14 }
15
16 // Try all possible partitions with two cuts
17 // The outer loop is for the position of the first cut
18 for (let firstCut = 0; firstCut < strSize - 2; ++firstCut) {
19 // The inner loop is for the position of the second cut
20 for (let secondCut = firstCut + 1; secondCut < strSize - 1; ++secondCut) {
21 // Check if the partitions created by these cuts are palindromic
22 if (isPalindrome[0][firstCut] &&
23 isPalindrome[firstCut + 1][secondCut] &&
24 isPalindrome[secondCut + 1][strSize - 1]) {
25 // If all three partitions are palindromes, return true
26 return true;
27 }
28 }
29 }
30
31 // If no partition satisfies the condition, return false
32 return false;
33}
34
Time and Space Complexity
Time Complexity
The time complexity of the provided code is O(n^3)
. Here's a breakdown:
- Building the
g
matrix involves a nested loop that compares each character to every other character, resulting in aO(n^2)
time complexity. - The nested loops where
i
ranges from0
ton-3
andj
ranges fromi+1
ton-2
have a combined time complexity ofO(n^2)
. - Within the innermost loop, the code checks if three substrings (
g[0][i]
,g[i+1][j]
, andg[j+1][-1]
) are palindromes, which is anO(1)
operation since theg
matrix already contains this information.
These two processes are sequential, so we consider the larger of the two which is O(n^3)
as the time complexity. This comes from the fact that for each potential partition point j
, we consider each i
and for each i
and j
, we check a constant-time condition.
Space Complexity
The space complexity of the code is O(n^2)
. This stems from the space required to store a 2D list (g
) that maintains whether each substring from i
to j
is a palindrome. Since g
is an n
by n
matrix, the space required is proportional to the square of the length of string s
.
Learn more about how to find time and space complexity quickly using problem constraints.
In a binary min heap, the minimum element can be found in:
Recommended Readings
What is Dynamic Programming Prerequisite DFS problems dfs_intro Backtracking problems backtracking Memoization problems memoization_intro Pruning problems backtracking_pruning Dynamic programming is an algorithmic optimization technique that breaks down a complicated problem into smaller overlapping sub problems in a recursive manner and uses solutions to the sub problems to construct a solution
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Want a Structured Path to Master System Design Too? Don’t Miss This!