알고리즘
bfs 탐색 깊이 기록하기
tose33
2021. 7. 19. 17:25
#include <iostream>
#include <vector>
#include <queue>
using namespace std;
vector<int> edge[10];
bool mark[10];
void bfs(int idx)
{
// {방문 정점, 깊이}
queue<pair<int,int>> q;
// 정점 idx, 시작 정점이므로 깊이는 0부터 시작
q.push({idx, 0});
// 방문 기록
mark[idx] = true;
while(!q.empty())
{
// 기준 정점
int vertex = q.front().first;
// 깊이
int depth = q.front().second;
q.pop();
cout << "depth: " << depth << endl;
cout << "vertex: " << vertex << endl;
// 기준 정점과 이어져 있는 모든 정점들 탐색
for(auto x : edge[vertex])
{
// 기준 정점과 이어져있지만 이미 방문했다면 continue
if(mark[x]) continue;
mark[x] = true;
// 이어진 정점과 깊이를 큐에 푸쉬
q.push({x, depth+1});
}
}
}
int main()
{
int v, e;
cin >> v >> e;
for(int i = 0; i < e; i++)
{
int f,t;
cin >> f >> t;
edge[f].push_back(t);
edge[t].push_back(f);
}
bfs(0);
}
input:
6 6. // 정점, 간선 갯수
0 1 // 서로 이어진 정점들
1 2
0 4
0 2
2 3
4 5
output: