top of page
Caută
  • Poza scriitoruluioanaunciuleanu

Palindrome Partitioning in JAVA

Starting from a string, we determine it’s a palindrome partitioning by diving it into substrings, each being a palindrome. In our problem we will find out how many times we must cut the string in order to obtain a palindrome partitioning. So, if the string is divided into 2 subsequences, then it needs 1 cut. If all the letters from the string are different, then we need length -1 cuts.


Input: String input = "aabbbbabbabbaba"; Output: 3 Explanation: The Subsequences are: a, abbbba, bbabb, aba, so we need 3 cuts.


Solution:


1. static int minimumPalindromePartitioning(String input) { 2. int inputLength = input.length(); 3. 4. int[] cuts = new int[inputLength]; 5. boolean[][] palindromes = new boolean[inputLength][inputLength]; 6. 7. for (int i = 0; i < inputLength; i++) { 8. palindromes[i][i] = true; 9. } 10. 11. for (int substringLength = 2; substringLength <= inputLength; substringLength++) { 12. for (int i = 0; i < inputLength - substringLength + 1; i++) { 13. int endingIndex = i + substringLength - 1; 14. boolean isPalindrome = input.charAt(i) == input.charAt(endingIndex); 15. palindromes[i][endingIndex] = (substringLength == 2) ? isPalindrome : (isPalindrome && palindromes[i + 1][endingIndex - 1]); 16. } 17. } 18. 19. for (int i = 0; i < inputLength; i++) { 20. if (palindromes[0][i]) { 21. cuts[i] = 0; 22. } else { 23. cuts[i] = Integer.MAX_VALUE; 24. for (int j = 0; j < i; j++) { 25. if (palindromes[j + 1][i] && 1 + cuts[j] < cuts[i]) { 26. cuts[i] = 1 + cuts[j]; 27. } 28. } 29. } 30. } 31. 32. return cuts[inputLength - 1]; 33. } 34.

4 afișări0 comentarii

Postări recente

Afișează-le pe toate

Weighted Job Scheduling in JAVA

You receive a list of jobs that have three elements: start time, finish time and profit. You have to schedule the jobs with no overlapping, in order to obtain the maximum profit. Solution: 1. static

Tiling Problem in JAVA

You can use a board that is 2 x n size. The tiles are of size 2 x 1. Count the number of ways to tile the board. Tiles can be placed vertically 2 x 1 or horizontally as 1 x 2. Solution: 1. static

bottom of page