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
- ViewModel
- Coroutine
- CustomView
- CoordinatorLayout
- 알림
- activity
- 알고리즘
- 안드로이드
- LiveData
- BOJ
- HTTP
- hilt
- notification
- 코틀린
- CollapsingToolbarLayout
- recyclerview
- 백준
- View
- Behavior
- lifecycle
- AppBarLayout
- Android
- onLayout
- DataBinding
- Algorithm
- Navigation
- kotlin
- onMeasure
- room
- sqlite
Archives
- Today
- Total
개발일지
Algorithm in A..Z - BFS 본문
개념
그래프를 탐색할 때 인접한 노드를 우선적으로 탐색한다.
작동원리
1. Queue에 방문할 노드를 PUSH한다.
2. Queue에서 POP하고 인접한 노드를 Queue에 PUSH한다.
3. Queue가 비어있을 때까지 반복한다.
주의할 점
인접한 노드를 방문할 수 있는지 검사해야한다.
- 인덱스
- 방문여부
시간복잡도
O(V + E)
문제
7576 토마토
코드
#include <bits/stdc++.h>
using namespace std;
constexpr int RIPED = 1;
constexpr int NOT_RIPED = 0;
constexpr int EMPTY = -1;
constexpr int dx[] = {-1, 0, 1, 0};
constexpr int dy[] = {0, -1, 0, 1};
class Node {
public:
int x, y;
Node(int x = 0, int y = 0) : x(x), y(y) {
}
};
int main() {
ios::sync_with_stdio(false); cin.tie(nullptr); cout.tie(nullptr);
int n, m;
cin >> m >> n;
vector<vector<int>> map(n, vector<int>(m));
for (auto &ve : map) {
for (auto &i : ve) {
cin >> i;
}
}
int rest = 0;
queue<Node> que;
vector<vector<bool>> isVisited(n, vector<bool>(m, false));
for (int y = 0;y < n;++y) {
for (int x = 0;x < m;++x) {
switch (map[y][x]) {
case RIPED:
que.emplace(x, y);
isVisited[y][x] = true;
break;
case NOT_RIPED:
rest++;
break;
}
}
}
int day = 0;
while (!que.empty() && rest != 0) {
auto k = que.size();
while (k--) {
auto now = que.front();que.pop();
if (map[now.y][now.x] == NOT_RIPED) {
rest--;
}
for (int i = 0;i < 4;++i) {
int x = now.x + dx[i];
int y = now.y + dy[i];
if (x < 0 || x >= m || y < 0 || y >= n || isVisited[y][x] || map[y][x] == EMPTY) {
continue;
}
que.emplace(x, y);
isVisited[y][x] = true;
}
}
if (rest == 0) {
break;
} else {
day++;
}
}
if (rest) {
cout << -1 << "\n";
} else {
cout << day << "\n";
}
}
'Algorithm (알고리즘)' 카테고리의 다른 글
Algorithm in A..Z - 에라토스테네스의 체 (0) | 2020.11.28 |
---|---|
Android in A..Z - DFS (0) | 2020.11.28 |
Algorithm in A..Z - Binary Matching (Hopcroft-Karp) (0) | 2020.10.16 |
Algorithm - Fermat's little theorem(페르마의 소정리) (0) | 2020.10.08 |
Algorithm in A..Z - SSC(Tarjans) (0) | 2020.10.07 |
Comments