-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathPalindromeSplitting.java
35 lines (33 loc) · 1.17 KB
/
PalindromeSplitting.java
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
/*https://binarysearch.com/problems/Palindrome-Splitting*/
import java.util.*;
class Solution {
Integer[][] dp;
public int solve(String s) {
if (s.length() == 0) return 1;
dp = new Integer[s.length()+1][s.length()+1];
return recur(s,-1,-1,s.length());
}
public int recur(String s, int index, int last, int n)
{
if (index == n-1) //if whole string traversed
{
dp[index][last] = 1; //store 1
return 1; //return 1
}
if (index!= -1 && last != -1 && dp[index][last] != null) return dp[index][last]; //return stored value in table
int result = 0;
for (int i = index+1; i < n; ++i) //for every next index
{
if (isPalindrome(s.substring(last+1,i+1))) //if the substring is palindrome
result += recur(s, i, i, n); //recursion call
}
if (index != -1 && last != -1) dp[index][last] = result; //store the result
return result; //return
}
public boolean isPalindrome(String s)
{
StringBuffer buffer = new StringBuffer(s);
String newStr = new String(buffer.reverse());
return s.equals(newStr);
}
}