336. Palindrome Pairs

Given a list of unique words, find all pairs of distinct indices (i, j) in the given list, so that the concatenation of the two words, i.e. words[i] + words[j] is a palindrome.

Example 1:
Given words = ["bat", "tab", "cat"]
Return [[0, 1], [1, 0]]
The palindromes are ["battab", "tabbat"]

Example 2:
Given words = ["abcd", "dcba", "lls", "s", "sssll"]
Return [[0, 1], [1, 0], [3, 2], [2, 4]]
The palindromes are ["dcbaabcd", "abcddcba", "slls", "llssssll"]

一刷:题解
先把字符串全部存入一个hashmap<字符串, index>


336. Palindrome Pairs_第1张图片

如果[l,r]这段的reverse在array中存在,那么如果left左边的子串为palindrome,再在前面加上reverse段则满足要求。

336. Palindrome Pairs_第2张图片
Screen Shot 2017-07-29 at 14.43.22.png

如果是这种情况,如果如果[l,r]这段的reverse在array中存在,那么如果right右边的子串为palindrome,那么把[l,r]这段的reverse append在最后,就构成了满足要求的pair

public class Solution {
    public List> palindromePairs(String[] words) {
        List> pairs = new LinkedList<>();
        if (words == null) return pairs;
        HashMap map = new HashMap<>();
        for (int i = 0; i < words.length; ++ i) map.put(words[i], i);
        for (int i = 0; i < words.length; ++ i) {
            int l = 0, r = 0;
            while (l <= r) {
                String s = words[i].substring(l, r);
                Integer j = map.get(new StringBuilder(s).reverse().toString());
                if (j != null && i != j && isPalindrome(words[i].substring(l == 0 ? r : 0, l == 0 ? words[i].length() : l)))//exlude l, r
                    pairs.add(Arrays.asList(l == 0 ? new Integer[]{i, j} : new Integer[]{j, i}));
                if (r < words[i].length()) ++r;
                else ++l;
            }
        }
        return pairs;
    }
    
    private boolean isPalindrome(String s) {
        for (int i = 0; i < s.length()/2; ++ i)
            if (s.charAt(i) != s.charAt(s.length()-1-i))
                return false;
        return true;
    }
}

二刷
思路同上

class Solution {
    public List> palindromePairs(String[] words) {
        List> pairs = new LinkedList<>();
        if(words == null) return pairs;
        Map map = new HashMap<>();
        for(int i=0; i

你可能感兴趣的:(336. Palindrome Pairs)