Algorithm/BOJ
[알고리즘/백준/17836] 공주님을 구해라!(BFS, Nodejs)
개발자 김비숑
2023. 7. 4. 10:23
반응형
문제
https://www.acmicpc.net/problem/17836
17836번: 공주님을 구해라!
용사는 마왕이 숨겨놓은 공주님을 구하기 위해 (N, M) 크기의 성 입구 (1,1)으로 들어왔다. 마왕은 용사가 공주를 찾지 못하도록 성의 여러 군데 마법 벽을 세워놓았다. 용사는 현재의 가지고 있는
www.acmicpc.net
풀이
class Queue {
constructor() {
this.data = [];
this.head = 0;
this.tail = 0;
}
push(item) {
this.data[this.tail++] = item;
}
pop() {
this.head++;
}
front() {
return this.data[this.head];
}
rear() {
return this.data[this.tail - 1];
}
isEmpty() {
return this.head === this.tail;
}
size() {
return Math.abs(this.head - this.tail);
}
}
const fs = require("fs");
const filePath = process.platform === "linux" ? "/dev/stdin" : "./input.txt";
let [input, ...arr] = fs.readFileSync(filePath).toString().trim().split("\n");
const [N, M, T] = input.split(" ").map(Number);
const board = arr.map((row) => row.split(" ").map(Number));
const dir = [
[-1, 0],
[1, 0],
[0, -1],
[0, 1],
];
const ch = Array.from({ length: N }, () => Array(M).fill(0)); // 공주님에게 직진
const chGram = Array.from({ length: N }, () => Array(M).fill(0)); // 그람 들고 가기
function bfs() {
const queue = new Queue();
queue.push([0, 0, 0, false]); // [x, y, time, hasGram]
ch[0][0] = 1;
while (!queue.isEmpty()) {
const [x, y, time, hasGram] = queue.front();
queue.pop();
if (time > T) break;
for (let i = 0; i < 4; i++) {
const nx = x + dir[i][0];
const ny = y + dir[i][1];
if (nx < 0 || ny < 0 || nx >= N || ny >= M) continue;
if (nx === N - 1 && ny === M - 1) return time + 1;
if (hasGram ? chGram[nx][ny] === 1 : ch[nx][ny] === 1) continue;
if (!hasGram && board[nx][ny] === 1) continue;
const gram = hasGram || board[nx][ny] === 2;
queue.push([nx, ny, time + 1, gram]);
if (hasGram) chGram[nx][ny] = 1;
else ch[nx][ny] = 1;
}
}
return "Fail";
}
console.log(bfs());
반응형