네트워크란 컴퓨터 상호 간에 정보를 교환할 수 있도록 연결된 형태를 의미합니다. 예를 들어, 컴퓨터 A와 컴퓨터 B가 직접적으로 연결되어있고, 컴퓨터 B와 컴퓨터 C가 직접적으로 연결되어 있을 때 컴퓨터 A와 컴퓨터 C도 간접적으로 연결되어 정보를 교환할 수 있습니다. 따라서 컴퓨터 A, B, C는 모두 같은 네트워크 상에 있다고 할 수 있습니다.
컴퓨터의 개수 n, 연결에 대한 정보가 담긴 2차원 배열 computers가 매개변수로 주어질 때, 네트워크의 개수를 return 하도록 solution 함수를 작성하시오.
n computers return
3 [[1, 1, 0], [1, 1, 0], [0, 0, 1]] 2
3 [[1, 1, 0], [1, 1, 1], [0, 1, 1]] 1
Code_1 - 런타임 에러
def dfs(v, cnt, visited, link, net): visited[v] = cnt link[v] = True for n in net[v]: if not visited[n] and visited[n] != cnt: dfs(n, cnt, visited, link, net) def solution(n, computers): visited = [0]*(n+1) link = [False]*(n+1) net = [[]] for i in range(len(computers)): # 연결 정보를 graph 형식으로 변환 ne = [] for j in range(len(computers)): if i != j and computers[i][j] == 1: ne.append(j+1) net.append(ne) # visited : 네트워크 종류, link : 방문 여부 v_idx, cnt = 1, 1 while v_idx <= n: if link[v_idx] == False and visited[v_idx] == 0 and net[v_idx] != []: # 방문한 적이 없고 네트워크 종류가 정해지지 않은 경우 dfs 수행 dfs(v_idx, cnt, visited, link, net) v_idx += visited.count(cnt) # cnt 수에 맞는 네트워크 수를 idx에 더하여 다음 dfs 시작 idx를 구함 elif link[v_idx] == False and visited[v_idx] == 0 and net[v_idx] == []: visited[v_idx] = cnt link[v_idx] = True v_idx += 1 cnt += 1 return cnt - 1
- 연결 정보를 graph 형식으로 변환한 후 dfs를 수행하도록 구현함
- 코드를 더 간결하게 작성하도록 공부해야겠음...
Code_2 - 성공
def solution(n, computers): def dfs(v): visited[v] = 1 for i in range(n): if computers[v][i] and not visited[i]: dfs(i) answer = 0 visited = [0 for i in range(len(computers))] for j in range(n): if not visited[j]: dfs(j) answer += 1 return answer
- dfs 알고리즘을 활용한 구현
Code_3 - 성공
def solution(n, computers): def bfs(v): q = deque() q.append(v) while q: v = q.popleft() visited[v] = 1 for i in range(n): if computers[v][i] and not visited[i]: q.append(i) answer = 0 visited = [0 for i in range(len(computers))] for j in range(n): if not visited[j]: bfs(j) answer += 1 return answer
- bfs 알고리즘을 활용한 구현