-
Notifications
You must be signed in to change notification settings - Fork 10
/
Copy path524.Longest-Word-in-Dictionary-through-Deleting.py
49 lines (40 loc) · 1.29 KB
/
524.Longest-Word-in-Dictionary-through-Deleting.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
# https://leetcode.com/problems/longest-word-in-dictionary-through-deleting/
#
# algorithms
# Medium (45.11%)
# Total Accepted: 38,788
# Total Submissions: 85,993
# beats 94.13% of python submissions
from collections import defaultdict
from bisect import bisect
class Solution(object):
def findLongestWord(self, s, d):
"""
:type s: str
:type d: List[str]
:rtype: str
"""
hash_map = defaultdict(list)
for idx, ch in enumerate(s):
hash_map[ch] += idx,
res = ''
for w in d:
is_found = False
len_w = len(w)
pre_idx = -1
for idx, ch in enumerate(w):
if len(hash_map[ch]) == 0:
break
insert_idx = bisect(hash_map[ch], pre_idx)
if insert_idx == len(hash_map[ch]):
break
pre_idx = hash_map[ch][insert_idx]
if idx == len_w - 1:
is_found = True
if is_found:
len_res = len(res)
if len_w > len_res:
res = w
elif len_w == len_res and w < res:
res = w
return res