forked from kamyu104/LeetCode-Solutions
-
Notifications
You must be signed in to change notification settings - Fork 14
/
satisfiability-of-equality-equations.py
85 lines (75 loc) · 2.28 KB
/
satisfiability-of-equality-equations.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
76
77
78
79
80
81
82
83
84
85
# Time: O(n)
# Space: O(1)
class UnionFind(object):
def __init__(self, n):
self.set = range(n)
def find_set(self, x):
if self.set[x] != x:
self.set[x] = self.find_set(self.set[x]) # path compression.
return self.set[x]
def union_set(self, x, y):
x_root, y_root = map(self.find_set, (x, y))
if x_root == y_root:
return False
self.set[min(x_root, y_root)] = max(x_root, y_root)
return True
class Solution(object):
def equationsPossible(self, equations):
"""
:type equations: List[str]
:rtype: bool
"""
union_find = UnionFind(26)
for eqn in equations:
x = ord(eqn[0]) - ord('a')
y = ord(eqn[3]) - ord('a')
if eqn[1] == '=':
union_find.union_set(x, y)
for eqn in equations:
x = ord(eqn[0]) - ord('a')
y = ord(eqn[3]) - ord('a')
if eqn[1] == '!':
if union_find.find_set(x) == union_find.find_set(y):
return False
return True
# Time: O(n)
# Space: O(1)
class Solution2(object):
def equationsPossible(self, equations):
"""
:type equations: List[str]
:rtype: bool
"""
graph = [[] for _ in xrange(26)]
for eqn in equations:
x = ord(eqn[0]) - ord('a')
y = ord(eqn[3]) - ord('a')
if eqn[1] == '!':
if x == y:
return False
else:
graph[x].append(y)
graph[y].append(x)
color = [None]*26
c = 0
for i in xrange(26):
if color[i] is not None:
continue
c += 1
stack = [i]
while stack:
node = stack.pop()
for nei in graph[node]:
if color[nei] is not None:
continue
color[nei] = c
stack.append(nei)
for eqn in equations:
if eqn[1] != '!':
continue
x = ord(eqn[0]) - ord('a')
y = ord(eqn[3]) - ord('a')
if color[x] is not None and \
color[x] == color[y]:
return False
return True