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 | 31 |
Tags
- kotlin in action 정리
- 객체 지향 설계와 스프링
- 스프링 핵심 원리 이해
- Python
- Kotlin in action 5장
- 코틀린인액션
- spring
- Kotlin
- 백준 20055 컨베이어 벨트 위의 로봇
- Kotlin in action 3장
- 자바 ORM 표준 JPA 프로그래밍 7장
- 20055 컨베이어 벨트 위의 로봇
- KotlinInAction
- 백준 13460 Python
- 코틀린
- 컨베이어 벨트 위의 로봇 Python
- 스프링 핵심 원리
- 20055
- 고급매핑
- 싱글톤 컨테이너
- 13460 구슬탈출 2
- 7장 고급매핑
- 코틸린인액션
- 스프링 핵심 원리 - 기본편
- Kotlin in action 10장
- Kotlin in action 6장
- 백준
- 기능개발 python
- Kotlin In Action
- 스프링 컨테이너와 스프링 빈
Archives
- Today
- Total
기록하는 습관
[알고리즘] 탐색 - BFS 본문
BFS : queue를 사용하여 구현
시간복잡도
- 인접 리스트 : O(V + E)
- 인접 행렬 : O(V * V)
- DFS 처럼 Sparse Graph 일 때 인접 리스트 사용이 효율적이다.
1. queue의 front의 노드를 기준으로 연결된 간선이 있고, 방문하지 않은 노드를 찾는다.
2. 조건에 맞는 노드들은 모두 큐에 넣는다.
#include <iostream>
#include <vector>
#include <queue>
#include <algorithm>
using namespace std;
void bfs(int start, vector<vector<int>> graph, vector<bool> check) {
queue<int> q;
int current_node, next_node;
q.push(start);
check[start] = true;
while (!q.empty()) { // queue가 비어 있을 때까지 반복
current_node = q.front();
q.pop();
printf("%d ", current_node);
for (int i = 0; i < graph[current_node].size(); i++) {
int next = graph[current_node][i];
if (!check[next]) { // 아직 방문하지 않은 노드라면..
check[next] = true; // 방문 완료 표시
q.push(next);
}
}
}
}
int main() {
int N, M, start;
int u, v;
vector<vector<int>> graph;
vector<bool> check;
cin >> N >> M >> start;
graph.resize(N + 1);
check.resize(N + 1);
for (int i = 0; i < M; i++) {
cin >> u >> v;
graph[u].push_back(v);
graph[v].push_back(u);
}
for (int i = 1; i <= N; i++) {
sort(graph[i].begin(), graph[i].end());
}
bfs(start, graph, check);
return 0;
}
Sample Input | Sample Output |
5 5 3 5 4 5 2 1 2 3 4 3 1 |
3 1 4 2 5 |
BFS를 이용할 수 있는 문제
- 최소 비용 문제
- 간선의 가중치가 1이다.
- 간선의 개수가 적다.
'알고리즘 > [개념] 알고리즘' 카테고리의 다른 글
[알고리즘] DFS, BFS Python 핵심 코드 정리 (0) | 2021.06.06 |
---|---|
[알고리즘] 탐색 - DFS vs BFS (0) | 2020.01.09 |
[알고리즘] 탐색 - DFS(C++) (0) | 2020.01.08 |
[알고리즘] 그래프(Graph) 구현 (0) | 2020.01.08 |
[알고리즘] Greedy Algorithm (0) | 2020.01.07 |
Comments