文章

每日LeetCode 208

2021.8.23 ・ 共 258 字,您可能需要 1 分钟阅读

Tags: LeetCode

给你一个字符串 s,请你将 s 分割成一些子串,使每个子串都是 回文串 。返回 s 所有可能的分割方案。

回文串 是正着读和反着读都一样的字符串。

示例 1:

输入:s = "aab"
输出:[["a","a","b"],["aa","b"]]
class Solution {
    List<List<String>> result = new ArrayList<>();
    List<String> path = new ArrayList<>();

    public List<List<String>> partition(String s) {
        backtracking(s, 0);
        return result;
    }

    public void backtracking(String s, int start) {
        if (start >= s.length()) {
            result.add(new ArrayList<>(path));
        }

        for (int i = start; i < s.length(); i++) {
            if (judge(s, start, i)) {
                String str = s.substring(start, i + 1);
                path.add(str);
                backtracking(s, i + 1);
                path.remove(path.size() - 1);
            } else {
                continue;
            }

        }
    }

    public boolean judge(String s, int start, int end) {
        while (start < end) {
            if (s.charAt(start) != s.charAt(end)) {
                return false;
            }
            start++;
            end--;
        }
        return true;
    }
}