알고리즘/PS

[C++] 백준 2178 : 미로찾기

BigmacGood 2022. 3. 18. 00:30

https://www.acmicpc.net/problem/2178

 

2178번: 미로 탐색

첫째 줄에 두 정수 N, M(2 ≤ N, M ≤ 100)이 주어진다. 다음 N개의 줄에는 M개의 정수로 미로가 주어진다. 각각의 수들은 붙어서 입력으로 주어진다.

www.acmicpc.net

 

백준 2178번 미로찾기를 풀어봤습니다.

최단경로를 찾을 때 BFS를 사용합니다.

 

아래는 전체 코드입니다.

#include <iostream>
#include <vector>
#include <algorithm>
#include <queue>
using namespace std;

bool visited[100][100];
int map[100][100];
int depth[100][100];	// Distance
int dx[4] = { -1,0,1,0 };
int dy[4] = { 0,-1,0,1 };
queue<pair<int, int>> q;
vector<pair<int, int>> graph[100][100];
int n, m;

void BFS(int x,int y) {
	int count = 1;
	visited[x][y] = 1;
	q.push(pair<int, int>(x, y));

	while (!q.empty()) {
		int f = q.front().first;
		int s = q.front().second;
		q.pop();

		for (int i = 0; i < graph[f][s].size(); i++) {
			int xx = graph[f][s][i].first;
			int yy = graph[f][s][i].second;

			if (visited[xx][yy] == 0) {
				visited[xx][yy] = 1;
				depth[xx][yy] = depth[f][s] + 1;
				q.push(pair<int, int>(xx, yy));
			}
		}
	}

	cout << (depth[n - 1][m - 1] + 1) << '\n';
	exit(0);
}

int main() {
	string input[100];

	cin >> n >> m;

	for (int i = 0; i < n; i++) {
		cin >> input[i];
	}

	for (int i = 0; i < n; i++) {
		for (int j = 0; j < m; j++) {
			if (input[i][j] == '1') {	// Input is string
				map[i][j] = 1;
			}
		}
	}

	for (int i = 0; i < n; i++) {
		for (int j = 0; j < m; j++) {
			if (map[i][j] == 1) {
				for (int k = 0; k < 4; k++) {
					int xx = i + dx[k];
					int yy = j + dy[k];

					if (xx >= 0 && yy >= 0 && xx <= 99 && yy <= 99 && map[xx][yy] == 1) {
						graph[i][j].push_back(pair<int, int>(xx, yy));
					}
				}
			}
		}
	}


	BFS(0, 0);

	return 0;
}

 

 

'알고리즘 > PS' 카테고리의 다른 글

[C++] 백준 1003 : 피보나치 함수  (0) 2022.03.21
[C++] 백준 7576 : 토마토  (0) 2022.03.18
[C++] 백준 1012 : 유기농 배추  (0) 2022.03.17
[C++] 백준 2667 : 단지번호붙이기  (0) 2022.03.17
[C++] 백준 2606 : 바이러스  (0) 2022.03.15