-
1926번 그림 | BFS, DFS | Baekjoon BOJ 백준 1926 C++ 코드[백준 알고리즘]/[C++] 2021. 2. 11. 00:28728x90반응형
이번 포스팅은 백준 1926번 그림입니다.
아래 url를 클릭하시면 백준 사이트에서 문제를 볼 수 있습니다.
기본 알고리즘
BFS 너비 우선 탐색
DFS 깊이 우선 탐색
전체 코드
BFS 깊이 우선 탐색
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475#include <iostream>#include <queue>#include <vector>#include <algorithm>using namespace std;int n, m;const int MAX = 501;int map[MAX][MAX] = { 0, };bool visited[MAX][MAX] = { 0, };int dy[] = { 0,0,-1,1 };int dx[] = { 1,-1,0,0 };queue<pair<int,int>> q; //BFS 사용 큐vector<int> v; //그림 개수 저장 벡터int s = 1; //그림 넓이void BFS(int y, int x) {visited[y][x] = true;q.push(make_pair(y, x));while (!q.empty()) {y = q.front().first;x = q.front().second;q.pop();for (int i = 0; i < 4; i++) {int ny = y + dy[i];int nx = x + dx[i];if (ny < 0 || nx < 0 || ny >= n || nx >= m)continue;if (map[ny][nx] == 1 && visited[ny][nx] == 0) {visited[ny][nx] = true;s++;q.push(make_pair(ny, nx));}}}}bool compare(int i, int j) {return i > j;}int main() {cin >> n >> m;for (int i = 0; i < n; i++) {for (int j = 0; j < m; j++) {cin >> map[i][j];}}int cnt = 0; //영역 개수for (int i = 0; i < n; i++) {for (int j = 0; j < m; j++) {if (map[i][j] == 1 && visited[i][j] == 0) {BFS(i, j);v.push_back(s);cnt++;s = 1;}}}sort(v.begin(), v.end(), compare); //벡터 오름차순 정렬cout << cnt << endl;if (cnt == 0) {cout << 0 << endl;}else {cout << v[0] << endl;}}cs DFS 너비 우선 탐색
12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667#include <iostream>#include <vector>#include <algorithm>using namespace std;int n, m;const int MAX = 501;int map[MAX][MAX] = { 0, };bool visited[MAX][MAX] = { 0, };int dy[] = { 0,0,-1,1 };int dx[] = { 1,-1,0,0 };vector<int> v; //그림 개수 저장 벡터int s = 1; //그림 넓이void DFS(int y, int x) {visited[y][x] = true;for (int i = 0; i < 4; i++) {int ny = y + dy[i];int nx = x + dx[i];if (ny < 0 || nx < 0 || ny >= n || nx >= m)continue;if (map[ny][nx] == 1 && visited[ny][nx] == 0) {visited[ny][nx] = true;s++;DFS(ny, nx);}}}bool compare(int i, int j) {return i > j;}int main() {cin >> n >> m;for (int i = 0; i < n; i++) {for (int j = 0; j < m; j++) {cin >> map[i][j];}}int cnt = 0; //영역 개수for (int i = 0; i < n; i++) {for (int j = 0; j < m; j++) {if (map[i][j] == 1&&visited[i][j]==0) {DFS(i, j);v.push_back(s);cnt++;s = 1;}}}sort(v.begin(), v.end(), compare); //벡터 오름차순 정렬cout << cnt << endl;if (cnt == 0) {cout << 0 << endl;}else {cout << v[0] << endl;}}cs 728x90반응형'[백준 알고리즘] > [C++]' 카테고리의 다른 글
10026번 적록색약 | DFS | 백준 10026 C++ 코드 (0) 2021.02.11 1303번 전쟁-전투 | BFS, DFS | Baekjoon BOJ 백준 1303 C++ 코드 (0) 2021.02.11 11050번 이항 계수 1 | Baekjoon BOJ 백준 11050 C++ 코드, 해설, 풀이 (0) 2021.02.09 11725번 트리의 부모 찾기 | BFS, DFS | Baekjoon BOJ 백준 11725 C++ 코드, 해설, 풀이 (0) 2021.02.09 2644번 촌수계산 | BFS | Baekjoon BOJ 백준 2644 C++ 코드, 해설, 풀이 (0) 2021.02.09