반응형
문제
https://www.acmicpc.net/problem/2636
2636번: 치즈
아래 <그림 1>과 같이 정사각형 칸들로 이루어진 사각형 모양의 판이 있고, 그 위에 얇은 치즈(회색으로 표시된 부분)가 놓여 있다. 판의 가장자리(<그림 1>에서 네모 칸에 X친 부분)에는 치즈가 놓
www.acmicpc.net
풀이
치즈의 바깥 가장자리 부분만 돌면서 값을 변경해야 하는데, 이를 위해 치즈(1)이 아닌 바깥쪽(0)을 BFS 탐색한다.
0이면 BFS로 계속 탐색하고, 1이면 nodes에 넣고 탐색이 끝난 후에 0으로 변경해 준다.
- [0, 0]에서 시작해 bfs
- [nx, ny]가 0이면 bfs 대상 -> queue.push()
- [nx, ny]가 1이면 녹일 대상 -> 0으로 변경
- 이 과정을 치즈가 없을 때까지 반복
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";
const [input, ...arr] = fs.readFileSync(filePath).toString().trim().split("\n");
const [H, W] = input.split(" ").map(Number); // x, y
const map = arr.map((row) => row.split(" ").map(Number));
const dir = [
[-1, 0],
[1, 0],
[0, -1],
[0, 1],
];
let hour = 0;
let count = 0;
function BFS() {
const queue = new Queue();
const ch = Array.from({ length: H }, () => Array(W).fill(0));
const cheese = [];
queue.push([0, 0]);
while (!queue.isEmpty()) {
const [x, y] = queue.front();
queue.pop();
for (let k = 0; k < 4; k++) {
const nx = x + dir[k][0];
const ny = y + dir[k][1];
if (nx < 0 || ny < 0 || nx >= H || ny >= W) continue;
if (ch[nx][ny] === 1) continue;
// bfs 대상
if (map[nx][ny] === 0) {
queue.push([nx, ny]);
} else {
// 1인 경우 치즈로 인식
cheese.push([nx, ny]);
}
ch[nx][ny] = 1;
}
}
if (!cheese.length) return true;
count = cheese.length;
// 치즈 녹이기
for (let [x, y] of cheese) {
map[x][y] = 0;
}
return false;
}
while (true) {
if (BFS()) break;
hour += 1;
}
console.log(hour + "\n" + count);
이렇게 따로 nodes에 저장해서 푸는 방법도 있고, 다음 값이 1일 때 바로 치즈를 녹이는 방법도 있다.
let hour = 0;
let prevCount = 0; // 이전 치즈 개수
function BFS() {
const queue = new Queue();
const ch = Array.from({ length: H }, () => Array(W).fill(0));
let count = 0; // 각 bfs 탐색 시 치즈 개수
queue.push([0, 0]);
while (!queue.isEmpty()) {
const [x, y] = queue.front();
queue.pop();
for (let k = 0; k < 4; k++) {
const nx = x + dir[k][0];
const ny = y + dir[k][1];
if (nx < 0 || ny < 0 || nx >= H || ny >= W) continue;
if (ch[nx][ny] === 1) continue;
// bfs 대상
if (map[nx][ny] === 0) {
queue.push([nx, ny]);
} else {
// 1인 경우 치즈 녹이기
map[nx][ny] = 0;
count += 1;
}
ch[nx][ny] = 1;
}
}
// 치즈가 없다면
if (count === 0) return true;
// 치즈가 있다면 이전 치즈 개수 갱신
prevCount = count;
return false;
}
while (true) {
if (BFS()) break;
hour += 1;
}
console.log(hour + "\n" + prevCount);
반응형
'Algorithm > BOJ' 카테고리의 다른 글
[알고리즘/백준/16946] 벽 부수고 이동하기 4 (node.js) - 매번 나머지 연산 시 실패한다면? (1) | 2024.05.01 |
---|---|
[알고리즘/백준/15683] 감시(Node.js) (0) | 2024.04.03 |
[알고리즘/백준/14502] 연구소(BFS, DFS, Nodejs) (0) | 2023.08.26 |
[알고리즘/백준/13023] ABCDE(Node.js, BFS) (0) | 2023.08.24 |
[알고리즘/백준/16234] 인구 이동(BFS, Node.js) (0) | 2023.08.23 |