题目描述:
LeetCode 336. Palindrome Pairs
Given a list of unique words. Find all pairs of 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"]
题目描述:
给定一组唯一的单词。从中寻找所有的下标对(i, j),使得对应下标的单词拼接,亦即:words[i] + words[j]是回文。
测试用例如题目描述。
解题思路:
O(k * n ^2)解法 其中k为单词个数,n为单词的长度:
利用字典wmap保存单词 -> 下标的键值对 遍历单词列表words,记当前单词为word,下标为idx: 1). 若当前单词word本身为回文,且words中存在空串,则将空串下标bidx与idx加入答案 2). 若当前单词的逆序串在words中,则将逆序串下标ridx与idx加入答案 3). 将当前单词word拆分为左右两半left,right。 3.1) 若left为回文,并且right的逆序串在words中,则将right的逆序串下标rridx与idx加入答案 3.2) 若right为回文,并且left的逆序串在words中,则将left的逆序串下标idx与rlidx加入答案
Python代码:
class Solution(object):
def palindromePairs(self, words):
"""
:type words: List[str]
:rtype: List[List[int]]
"""
wmap = {y : x for x, y in enumerate(words)}
def isPalindrome(word):
size = len(word)
for x in range(size / 2):
if word[x] != word[size - x - 1]:
return False
return True
ans = set()
for idx, word in enumerate(words):
if "" in wmap and word != "" and isPalindrome(word):
bidx = wmap[""]
ans.add((bidx, idx))
ans.add((idx, bidx))
rword = word[::-1]
if rword in wmap:
ridx = wmap[rword]
if idx != ridx:
ans.add((idx, ridx))
ans.add((ridx, idx))
for x in range(1, len(word)):
left, right = word[:x], word[x:]
rleft, rright = left[::-1], right[::-1]
if isPalindrome(left) and rright in wmap:
ans.add((wmap[rright], idx))
if isPalindrome(right) and rleft in wmap:
ans.add((idx, wmap[rleft]))
return list(ans)
本文链接:http://bookshadow.com/weblog/2016/03/10/leetcode-palindrome-pairs/
请尊重作者的劳动成果,转载请注明出处!书影博客保留对文章的所有权利。
byvoid 发布于 2016年3月23日 11:08 #
这没超时?
在线疯狂 发布于 2016年3月23日 18:13 #
Accepted 1500ms+ :P
huashui 发布于 2016年9月27日 11:44 #
您好我想问一下 最终结果list中的每一个不是一个tuple嘛而不是list 为什么可以通过呢
在线疯狂 发布于 2016年9月27日 13:57 #
可能和LeetCode OJ的评判策略有关,通过比较tupe/list的值来判断答案,没有做类型比较
huashui 发布于 2016年9月27日 15:14 #
好的好的 谢谢~
Inoration 发布于 2016年10月11日 00:09 #
这是n^3吧
在线疯狂 发布于 2016年10月11日 11:15 #
应该是O( ∑(Xi^2) ) Xi是第i个单词的长度