-

[프로그래머스] 레벨 3 - 네트워크 본문

1-4. 프로그래머스

[프로그래머스] 레벨 3 - 네트워크

asdklfjlasdlfkj 2020. 2. 9. 21:11

https://programmers.co.kr/learn/courses/30/lessons/43162

 

코딩테스트 연습 - 네트워크 | 프로그래머스

네트워크란 컴퓨터 상호 간에 정보를 교환할 수 있도록 연결된 형태를 의미합니다. 예를 들어, 컴퓨터 A와 컴퓨터 B가 직접적으로 연결되어있고, 컴퓨터 B와 컴퓨터 C가 직접적으로 연결되어 있을 때 컴퓨터 A와 컴퓨터 C도 간접적으로 연결되어 정보를 교환할 수 있습니다. 따라서 컴퓨터 A, B, C는 모두 같은 네트워크 상에 있다고 할 수 있습니다. 컴퓨터의 개수 n, 연결에 대한 정보가 담긴 2차원 배열 computers가 매개변수로 주어질 때, 네트워크

programmers.co.kr

서로 분리된 그래프의 개수를 찾는 문제다.

양방향 간선으로 연결된 그래프들의 정보가 인접행렬로 주어지는데 이를 활용해 

분리된 그래프가 몇 개인지 확인하는 문제다.

 

나는 BFS로 해답을 찾았다. 

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
#include <string>
#include <vector>
#include <queue>
using namespace std;
bool check[200];
int answer = 0;
void falsing(int n){
    for(int i=0; i<n; i++) check[i] = false;
}
int solution(int n, vector<vector<int>> computers) {
    falsing(n);
    for(int i=0; i<n; i++){
        if(!check[i]){
            queue<int> q;
            check[i] = true;
            q.push(i);
            while(!q.empty()){
                int front = q.front();
                q.pop();
                for(int j=0; j<n; j++){
                    int whether = computers[front][j];
                    if(whether == 1 && !check[j]){
                        check[j] = true;
                        q.push(j);
                    }
                }
            }
            answer++;
        }
    }
    return answer;
}
http://colorscripter.com/info#e" target="_blank" style="color:#4f4f4ftext-decoration:none">Colored by Color Scripter
http://colorscripter.com/info#e" target="_blank" style="text-decoration:none;color:white">cs

Comments