-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathnumber_of_provinces.py
63 lines (46 loc) · 1.56 KB
/
number_of_provinces.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
"""
547. Number of Provinces
https://leetcode.com/problems/number-of-provinces/
"""
"""
To know how many provinces we have, we can connect
the cities in a UnionFind data structure.
Then, we look at the parents and check how many are different.
One optimization is to consider each city as a province and then
decrement 1 at each union operation.
Time Complexity: O(n*n) since we have to go through all connections
Space Complexity: O(n) because of the UnionFind data structure
"""
from typing import List
class UnionFind:
def __init__(self, n):
self.parents = list(range(n))
self.ranks = [1] * n
def find(self, city):
if self.parents[city] == city:
return city
self.parents[city] = self.find(self.parents[city])
return self.parents[city]
def union(self, city1, city2):
root1 = self.find(city1)
root2 = self.find(city2)
if root1 == root2:
return False
if self.ranks[root1] > self.ranks[root2]:
self.parents[root2] = root1
elif self.ranks[root1] < self.ranks[root2]:
self.parents[root1] = root2
else:
self.parents[root2] = root1
self.ranks[root1] += 1
return True
class Solution:
def findCircleNum(self, isConnected: List[List[int]]) -> int:
n = len(isConnected)
uf = UnionFind(n)
provinces = n
for i in range(n):
for j in range(n):
if isConnected[i][j] == 1 and uf.union(i, j):
provinces -= 1
return provinces