Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 시뮬레이션
- 유니온 파인드
- 유니티
- Team Fortress 2
- BFS
- 백트래킹
- VR
- 문자열
- 알고리즘
- 자료구조
- 누적 합
- 트리
- 우선순위 큐
- Unreal Engine 5
- 그리디 알고리즘
- 스택
- ue5
- c++
- 백준
- 브루트포스
- 재귀
- 구현
- 다이나믹 프로그래밍
- 수학
- 그래프
- 정렬
- DFS
- 투 포인터
- 다익스트라
- XR Interaction Toolkit
Archives
- Today
- Total
1일1알
백준 6118번 숨바꼭질 C++ 본문
bfs탐색을 이용하여 해결할 수 있는 문제이다.
2차원 벡터로 그래프를 나타내고 노드와 거리를 저장하도록 pair<int, int> 를 이용하고 found벡터와 함께 bfs탐색을 하면서 문제를 해결하였다.
탐색을 하다가 거리가 갱신되면 답을 갱신하고 cnt를 0으로 초기화 해주고, 만약 거리가 같다면 기존 답과 비교해서 새로 찾은 헛간의 번호가 더 작다면 갱신해주고, cnt를 1 늘려주었다.
#include <iostream>
#include <string>
#include <vector>
#include <math.h>
#include <algorithm>
#include <utility>
#include <stack>
#include <queue>
#include <math.h>
#include <set>
#include <map>
#include <unordered_map>
#include <unordered_set>
using namespace std;
typedef long long ll;
int n, m;
int main() {
ios_base::sync_with_stdio(false);
cin.tie(NULL);
cout.tie(NULL);
cin >> n >> m;
int node1, node2;
vector<vector<int>> graph(n + 1, vector<int>());
vector<bool> found(n + 1, false);
for (int i = 0; i < m; i++) {
cin >> node1 >> node2;
graph[node1].push_back(node2);
graph[node2].push_back(node1);
}
queue<pair<int, int>> q;
q.push({ 1,0 });
found[1] = true;
int ans = 1;
int dist = 0;
int cnt = 0;
while (!q.empty()) {
auto a = q.front();
q.pop();
if (a.second > dist) {
cnt = 0;
dist = a.second;
ans = a.first;
}
if (a.second == dist) {
cnt++;
ans = min(ans, a.first);
}
for (int next : graph[a.first]) {
if (found[next]) continue;
found[next] = true;
q.push({ next,a.second + 1 });
}
}
cout << ans << " " << dist << " " << cnt;
};
'알고리즘' 카테고리의 다른 글
백준 16198번 에너지 모으기 C++ (1) | 2021.11.20 |
---|---|
백준 16948번 데스 나이트 C++ (0) | 2021.11.19 |
백준 13335번 트럭 C++ (0) | 2021.11.17 |
백준 14225번 부분수열의 합 C++ (1) | 2021.11.16 |
백준 17609번 회문 C++ (1) | 2021.11.15 |