[LeetCode] 131. Palindrome Partitioning Java
Posted BrookLearnData
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了[LeetCode] 131. Palindrome Partitioning Java相关的知识,希望对你有一定的参考价值。
题目:
Given a string s, partition s such that every substring of the partition is a palindrome.
Return all possible palindrome partitioning of s.
For example, given s = "aab"
,
Return
[
["aa","b"],
["a","a","b"]
]
题意及分析:给出一个字符串,分割之后所有的子串都是回文串,求出所有可能的分割方法。
方法一:使用DFS方法查找,每次查找字符串头可能的回文串,然后切割掉,继续查找剩余的字符串s,如果最后s.length ==0 ,那么说明字符串可以全部分割为回文串,满足条件。添加到结果集中。
代码:
class Solution { public List<List<String>> partition(String s) { List<List<String>> res = new ArrayList<>(); if(s==null || s.length() ==0 ) return res; //dfs??分割出每一个回文 DFS(res,new ArrayList<String>(),s); return res; } private void DFS(List<List<String>> res ,List<String> arrayList,String s){ if(s.length() == 0){ res.add(new ArrayList<>(arrayList)); return; } for(int i = 0;i<s.length();i++){ String str = s.substring(0,i+1); if(isPalindrome(str)){ arrayList.add(str); DFS(res,arrayList,s.substring(str.length())); arrayList.remove(arrayList.size()-1); } } } private boolean isPalindrome(String s ){ //判断s是否是回文 for(int i = 0;i<s.length()/2;i++){ if(s.charAt(i) != s.charAt(s.length()-1-i)) return false; } return true; } }
以上是关于[LeetCode] 131. Palindrome Partitioning Java的主要内容,如果未能解决你的问题,请参考以下文章
LeetCode 131. 分割回文串(Palindrome Partitioning)