forked from kamyu104/LeetCode-Solutions
-
Notifications
You must be signed in to change notification settings - Fork 0
/
maximum-length-of-a-concatenated-string-with-unique-characters.py
75 lines (67 loc) · 1.9 KB
/
maximum-length-of-a-concatenated-string-with-unique-characters.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
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
# Time: O(n) ~ O(2^n)
# Space: O(1) ~ O(2^n)
power = [1]
log2 = {1:0}
for i in xrange(1, 26):
power.append(power[-1]<<1)
log2[power[i]] = i
class Solution(object):
def maxLength(self, arr):
"""
:type arr: List[str]
:rtype: int
"""
def bitset(s):
result = 0
for c in s:
if result & power[ord(c)-ord('a')]:
return 0
result |= power[ord(c)-ord('a')]
return result
def number_of_one(n):
result = 0
while n:
n &= n-1
result += 1
return result
dp = [0]
for x in arr:
x_set = bitset(x)
if not x_set:
continue
curr_len = len(dp)
for i in xrange(curr_len):
if dp[i] & x_set:
continue
dp.append(dp[i] | x_set)
return max(number_of_one(s_set) for s_set in dp)
# Time: O(2^n)
# Space: O(1)
class Solution2(object):
def maxLength(self, arr):
"""
:type arr: List[str]
:rtype: int
"""
def bitset(s):
result = 0
for c in s:
if result & power[ord(c)-ord('a')]:
return 0
result |= power[ord(c)-ord('a')]
return result
bitsets = [bitset(x) for x in arr]
result = 0
for i in xrange(power[len(arr)]):
curr_bitset, curr_len = 0, 0
while i:
j = i & -i # rightmost bit
i ^= j
j = log2[j] # log2(j)
if not bitsets[j] or (curr_bitset & bitsets[j]):
break
curr_bitset |= bitsets[j]
curr_len += len(arr[j])
else:
result = max(result, curr_len)
return result