신종 바이러스인 웜 바이러스는 네트워크를 통해 전파된다. 한 컴퓨터가 웜 바이러스에 걸리면 그 컴퓨터와 네트워크 상에서 연결되어 있는 모든 컴퓨터는 웜 바이러스에 걸리게 된다.
예를 들어 7대의 컴퓨터가 <그림 1>과 같이 네트워크 상에서 연결되어 있다고 하자. 1번 컴퓨터가 웜 바이러스에 걸리면 웜 바이러스는 2번과 5번 컴퓨터를 거쳐 3번과 6번 컴퓨터까지 전파되어 2, 3, 5, 6 네 대의 컴퓨터는 웜 바이러스에 걸리게 된다. 하지만 4번과 7번 컴퓨터는 1번 컴퓨터와 네트워크상에서 연결되어 있지 않기 때문에 영향을 받지 않는다.
어느 날 1번 컴퓨터가 웜 바이러스에 걸렸다. 컴퓨터의 수와 네트워크 상에서 서로 연결되어 있는 정보가 주어질 때, 1번 컴퓨터를 통해 웜 바이러스에 걸리게 되는 컴퓨터의 수를 출력하는 프로그램을 작성하시오.
1번 컴퓨터가 웜 바이러스에 걸렸을 때, 1번 컴퓨터를 통해 웜 바이러스에 걸리게 되는 컴퓨터의 수를 첫째 줄에 출력한다.
vector
배열로 표시해주었다.boolean
배열을 True
로 바꾸어주었다.루프를 2부터 돌려서 1은 아예 안 셌다.
역시 코딩은 디테일이 생명이다.
편하게 컴퓨터 숫자 그대로 쓰겠다고 해놓고 등호 빼먹어서 틀렸다.
#include <iostream>
#include <vector>
using namespace std;
bool visited[101];
vector<int> computers[101];
int num_computers;
void dfs(int x) {
visited[x] = true;
for(int i = 0; i < computers[x].size(); i++){
int y = computers[x][i];
if(!visited[y]) dfs(y);
}
}
int main() {
cin >> num_computers;
int n;
cin >> n;
for (int i = 0; i < n; i++) {
int from, to;
cin >> from >> to;
computers[from].push_back(to);
computers[to].push_back(from); // 양방향 연결해준 곳
}
dfs(1);
int answer = 0;
for (int i=2; i<=num_computers; i++) // 등호 빼먹은 곳
if(visited[i]) answer++;
cout << answer << endl;
}
글을 수정 하던 중 분리 집합을 이용하면 좋을 것 같아서 풀이를 추가합니다.
#include <iostream>
#include <algorithm>
using namespace std;
int parent[101];
int n, m;
int findParent(int x) {
if (x == parent[x]) return x;
else return parent[x] = findParent(parent[x]);
}
void unionParent(int a, int b) {
a = findParent(a);
b = findParent(b);
if (a < b) parent[b] = a;
else parent[a] = b;
}
int main() {
cin.tie(NULL);
ios_base::sync_with_stdio(false);
cin >> n >> m;
for (int i = 1; i <= n; i++) {
parent[i] = i;
}
for (int i = 0; i < m; i++) {
int a, b;
cin >> a >> b;
unionParent(a, b);
}
int answer = 0;
for (int i = 2; i <= n; i++) {
if (findParent(i) == 1) answer++;
}
cout << answer;
}