const fs = require('fs');
const filePath = process.platform === 'linux' ? '/dev/stdin' : '../input.txt';
// const filePath = process.platform === 'linux' ? '/dev/stdin' : 'BOJ/input.txt';
const input = fs.readFileSync(filePath).toString().trim().split('\n');
const [M, N] = input.shift().split(' ').map(Number);
const GRID = input.map((row) => {
return row.split('').map(Number);
});
function solution(M, N, GRID) {
let result = 'NO';
const DIR = [
[-1, 0], // 상
[1, 0], // 하
[0, -1], // 좌
[0, 1], // 우
];
const isValidIndex = (row, col) => {
// overflow or underflow
if (row < 0 || col < 0 || row >= M || col >= N) return false;
// 전류가 안통하는 곳이면 false
if (GRID[row][col] === 1) return false;
return true;
};
const DFS = (row, col) => {
for(const [DIR_X, DIR_Y] of DIR) {
const [NEW_ROW, NEW_COL] = [row + DIR_X, col + DIR_Y];
if(isValidIndex(NEW_ROW, NEW_COL)) {
// 방문처리
GRID[NEW_ROW][NEW_COL] = 1;
// 새로운 좌표가 마지막 행에 도달했다면 true
if(NEW_ROW === M - 1) return true;
// DFS를 계속 진행했을 경우 마지막에 true를 return하면
// Back Tracking으로 결국 결과값은 true
if(DFS(NEW_ROW, NEW_COL)) return true;
}
}
};
for(let j=0; j<N; j++) {
if(GRID[0][j] === 0) {
GRID[0][j] = 1; // 방문처리
if(DFS(0, j)) { // 가능한 방법 하나를 찾으면 break
result = 'YES';
break;
}
}
}
console.log(result);
}
solution(M, N, GRID);
방문처리만 잘해주면 전형적인 탐색문제였다.
이 경우에는 끝까지 갈 수 있는 경우가 한가지만이라도 있으면 'YES'를 출력해주면 되므로 DFS를 모든 경우를 하지말고,
한번이라도 가능하면 break를 걸어서 그 뒤는 진행되지 않도록 하였다.
'PS > 백준' 카테고리의 다른 글
백준 / 누적 합 / 11659번 / 구간 합 구하기 4 / JS (0) | 2023.01.16 |
---|---|
백준 / 이분 탐색 / 16401번 / 과자 나눠주기 / JS (0) | 2022.11.17 |
백준 / 그래프 - BFS / 1926번 / 그림 / JS (0) | 2022.10.27 |
백준 / 백트래킹 / 10819번 / 차이를 최대로 / JS (0) | 2022.10.05 |