给你一个字符串 s,请你将 s 分割成一些子串,使每个子串都是 回文串 。返回 s 所有可能的分割方案。
回文串 是正着读和反着读都一样的字符串。
示例 1:
输入:s = “aab”
输出:[[“a”,“a”,“b”],[“aa”,“b”]]
示例 2:
输入:s = “a”
输出:[[“a”]]
class Solution {
private List<List<String>> ans = new ArrayList<>();
private List<String> path = new ArrayList<>();
private String s;
public List<List<String>> partition(String s) {
this.s = s;
dfs(0);
return ans;
}
private void dfs(int i) {
if (i == s.length()) {
ans.add(new ArrayList<>(path));
return;
}
for (int j = i; j < s.length(); j++) {
if (isHuiwen(s.substring(i,j+1))) {
path.add(s.substring(i,j+1));
dfs(j+1);
path.remove(path.size()-1);
}
}
}
//双指针判断回文
private boolean isHuiwen(String s) {
int left = 0,right = s.length() - 1;
while(left < right) {
if (s.charAt(left) != s.charAt(right)) {
return false;
}
left++;
right--;
}
return true;
}
}
给定一个字符串 s ,通过将字符串 s 中的每个字母转变大小写,我们可以获得一个新的字符串。
返回 所有可能得到的字符串集合 。以 任意顺序 返回输出。
示例 1:
输入:s = “a1b2”
输出:[“a1b2”, “a1B2”, “A1b2”, “A1B2”]
示例 2:
输入: s = “3z4”
输出: [“3z4”,“3Z4”]
class Solution {
private List<String> ans = new ArrayList<>();
private char[] path;
public List<String> letterCasePermutation(String s) {
path = s.toUpperCase().toCharArray();//变为大写字母数组
dfs(0);
return ans;
}
private void dfs(int i) {
ans.add(new String(path));
for (int j = i; j < path.length; j++) {
if (Character.isAlphabetic(path[j])) {
path[j] = Character.toLowerCase(path[j]);//字母变为小写
dfs(j+1);
path[j] = Character.toUpperCase(path[j]);//返回原来的数组
}
}
}
}