일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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
- scanf
- 매크로
- Django란
- 장고란
- 엑셀
- iOS14
- Django의 편의성
- 알고리즘 공부방법
- string 메소드
- 입출력 패턴
- string 함수
- 프레임워크와 라이브러리의 차이
- double ended queue
- 연결요소
- correlation coefficient
- 시간복잡도
- 2557
- 자료구조
- vscode
- EOF
- 표준 입출력
- Django Nodejs 차이점
- UI한글변경
- 이분그래프
- k-eta
- c++
- 구조체와 클래스의 공통점 및 차이점
- 백준
- getline
- 입/출력
Archives
- Today
- Total
Storage Gonie
(9) [C++, Java] 백준 No.2178 : 미로탐색 본문
반응형
문제
풀이
자세한 풀이 : https://ldgeao99.tistory.com/400?category=864321
# C++
#include<cstdio>
#include<queue>
using namespace std;
int miro[101][101]; // 0 : 이동할 수 없는 칸, 1 : 이동할 수 있는 칸
int dist[101][101]; // check배열의 역할 및 0 : 방문 안한 것, 1이상 : 방문한 것이면서 1,1로부터의 거리
int dx[4] = {0, -1, 0, 1};
int dy[4] = {-1, 0, 1, 0};
int h, w;
int main()
{
scanf("%d %d", &h, &w);
for(int i = 1; i <= h; i++){
for(int j = 1; j <= w; j++){
miro[i][j] = 0;
dist[i][j] = 0;
}
}
for(int i = 1; i <= h; i++){
for(int j = 1; j <= w; j++){
scanf("%1d", &miro[i][j]);
}
}
//BFS탐색을 진행하면서 거리를 구해준다.
queue<pair<int, int>> q;
q.push(make_pair(1, 1)); // 1, 1부터 탐색 시작
dist[1][1] = 1;
while(!q.empty()){
pair<int, int> p = q.front();
q.pop();
int cx = p.first;
int cy = p.second;
for(int k = 0; k < 4; k++){
int nx = cx + dx[k];
int ny = cy + dy[k];
if(nx >= 1 && nx <= h && ny >= 1 && ny <= w){
if(dist[nx][ny] == 0 && miro[nx][ny] == 1){
q.push(make_pair(nx, ny));
dist[nx][ny] = dist[cx][cy] + 1;
}
}
}
}
printf("%d\n", dist[h][w]);
}
# Java
import java.util.*;
class Pair {
int x;
int y;
Pair(int x, int y) {
this.x = x;
this.y = y;
}
}
public class Main {
public static final int[] dx = {0, 0, 1, -1};
public static final int[] dy = {1, -1, 0, 0};
public static void main(String args[]) {
Scanner sc = new Scanner(System.in);
int n = sc.nextInt();
int m = sc.nextInt();
int[][] a = new int[n][m];
sc.nextLine();
for (int i=0; i<n; i++) {
String s = sc.nextLine();
for (int j=0; j<m; j++) {
a[i][j] = s.charAt(j) - '0';
}
}
int[][] dist = new int[n][m];
boolean[][] check = new boolean[n][m];
Queue<Pair> q = new LinkedList<Pair>();
q.add(new Pair(0, 0));
check[0][0] = true;
dist[0][0] = 1;
while (!q.isEmpty()) {
Pair p = q.remove();
int x = p.x;
int y = p.y;
for (int k=0; k<4; k++) {
int nx = x+dx[k];
int ny = y+dy[k];
if (0 <= nx && nx < n && 0 <= ny && ny < m) {
if (check[nx][ny] == false && a[nx][ny] == 1) {
q.add(new Pair(nx, ny));
dist[nx][ny] = dist[x][y] + 1;
check[nx][ny] = true;
}
}
}
}
System.out.println(dist[n-1][m-1]);
}
}
반응형
'알고리즘 > 백준풀이9. 그래프' 카테고리의 다른 글
(11) [C++, Java] 백준 No.2146 : 다리 만들기 (0) | 2019.06.02 |
---|---|
(10) [C++, Java] 백준 No.7576 : 토마토 (0) | 2019.06.02 |
(8) [C++, Java] 백준 No.4963 : 섬의 개수 (0) | 2019.06.01 |
(7) [C++, Java] 백준 No.2667 : 단지번호붙이기 (0) | 2019.05.31 |
(6) [C++] 백준 No.9466 : 텀 프로젝트 (0) | 2019.05.31 |
Comments