[백준] 7569번 토마토

2020년 07월 22일, 13:30

토마토

문제 설명

철수의 토마토 농장에서는 토마토를 보관하는 큰 창고를 가지고 있다. 토마토는 아래의 그림과 같이 격자모양 상자의 칸에 하나씩 넣은 다음, 상자들을 수직으로 쌓아 올려서 창고에 보관한다.

tomato1

창고에 보관되는 토마토들 중에는 잘 익은 것도 있지만, 아직 익지 않은 토마토들도 있을 수 있다. 보관 후 하루가 지나면, 익은 토마토들의 인접한 곳에 있는 익지 않은 토마토들은 익은 토마토의 영향을 받아 익게 된다. 하나의 토마토에 인접한 곳은 위, 아래, 왼쪽, 오른쪽, 앞, 뒤 여섯 방향에 있는 토마토를 의미한다. 대각선 방향에 있는 토마토들에게는 영향을 주지 못하며, 토마토가 혼자 저절로 익는 경우는 없다고 가정한다. 철수는 창고에 보관된 토마토들이 며칠이 지나면 다 익게 되는지 그 최소 일수를 알고 싶어 한다.

토마토를 창고에 보관하는 격자모양의 상자들의 크기와 익은 토마토들과 익지 않은 토마토들의 정보가 주어졌을 때, 며칠이 지나면 토마토들이 모두 익는지, 그 최소 일수를 구하는 프로그램을 작성하라. 단, 상자의 일부 칸에는 토마토가 들어있지 않을 수도 있다.

입력

첫 줄에는 상자의 크기를 나타내는 두 정수 M,N과 쌓아올려지는 상자의 수를 나타내는 H가 주어진다. M은 상자의 가로 칸의 수, N은 상자의 세로 칸의 수를 나타낸다. 단, 2 ≤ M ≤ 100, 2 ≤ N ≤ 100, 1 ≤ H ≤ 100 이다. 둘째 줄부터는 가장 밑의 상자부터 가장 위의 상자까지에 저장된 토마토들의 정보가 주어진다. 즉, 둘째 줄부터 N개의 줄에는 하나의 상자에 담긴 토마토의 정보가 주어진다. 각 줄에는 상자 가로줄에 들어있는 토마토들의 상태가 M개의 정수로 주어진다. 정수 1은 익은 토마토, 정수 0 은 익지 않은 토마토, 정수 -1은 토마토가 들어있지 않은 칸을 나타낸다. 이러한 N개의 줄이 H번 반복하여 주어진다.

출력

여러분은 토마토가 모두 익을 때까지 최소 며칠이 걸리는지를 계산해서 출력해야 한다. 만약, 저장될 때부터 모든 토마토가 익어있는 상태이면 0을 출력해야 하고, 토마토가 모두 익지는 못하는 상황이면 -1을 출력해야 한다.

문제 풀이

  1. 주어진 input[0]에서 각각 row,column,height를 변수로 가져옴.
  2. 그리고 나머지 input[1]~length까지를 이용해서 3차원 배열을 만들어줌.
    1. 익히지 않은 토마토, totalTomato의 수를 세준다(0인 경우)
    2. 그리고 익은 토마토를 queue로 만들어준다.
  3. totalTomato와 비교할 tempTomato와 모든 토마토가 익히는데 걸린 시간 maxDay를 선언해준다.
  4. excuteBFS
    1. 익은 토마토 queue가 0이 될 때까지 for문을 돌려준다.
      1. 현재 타겟 토마토의 day와 maxDay를 비교해서 큰 값을 maxDay.
      2. for문은 상하좌우, 높이까지 해서 돌려준다.
        1. 비정상적인 값은 continue해준다.
        2. queue에는 index 3번째 즉 day값을 +1해서 넣어준다.
  5. excuteBFS가 끝나고, totalTomato와 tempTomato가 같으면 모든 토마토를 들러서 익힌것이고, 아니면 토마토를 모두 익히지 못한 것이다.
const fs = require("fs");
// const input = fs.readFileSync("/dev/stdin").toString().trim().split("\n");
const input = fs.readFileSync("./stdin").toString().trim().split("\n");

const dx = [1, -1, 0, 0, 0, 0];
const dy = [0, 0, 1, -1, 0, 0];
const dz = [0, 0, 0, 0, 1, -1];

class Node {
  constructor(value) {
    this.value = value;
    this.next = null;
  }
}

class Queue {
  constructor() {
    this.head = null;
    this.tail = null;
    this.length = 0;
  }

  insert(value) {
    const node = new Node(value);
    if (this.head === null) {
      this.head = node;
      this.tail = this.head;
    } else {
      this.tail.next = node;
      this.tail = node;
    }
    this.length++;
  }

  shift() {
    const tempNode = this.head;
    this.head = this.head.next;
    this.length--;
    return tempNode;
  }
}

const [columnSize, rowSize, heightSize] = input[0]
  .trim()
  .split(" ")
  .map(element => Number(element));
let totalTomato = 0;

const getTomatoBoxes = inputs => {
  const boxes = [];
  const existTomatoes = new Queue();
  for (let boxIndex = 0; boxIndex < inputs.length / rowSize; boxIndex++) {
    const box = [];
    for (let row = boxIndex * rowSize; row < (boxIndex + 1) * rowSize; row++) {
      const tomatoes = inputs[row]
        .trim()
        .split(" ")
        .map(tomato => Number(tomato));
      tomatoes.forEach((tomato, column) => {
        if (tomato === 1)
          existTomatoes.insert([
            column,
            row - rowSize * boxIndex >= 0 ? row - rowSize * boxIndex : row,
            boxIndex,
            0,
          ]);
        if (tomato === 0) totalTomato++;
      });
      box.push(tomatoes);
    }
    boxes.push(box);
  }
  return [boxes, existTomatoes];
};

const [tomatoBoxes, existTomatoes] = getTomatoBoxes(
  input.slice(1, input.length)
);

const visited = Array.from(Array(heightSize), () =>
  Array.from(Array(rowSize), () => Array(columnSize).fill(false))
);

// 모든 토마토가 익은 것을 확인하기위한 변수
let tempTomato = 0;
let maxDay = 0;

const excuteBFS = () => {
  const queue = existTomatoes;
  while (queue.length !== 0) {
    const [x, y, z, day] = queue.shift().value;
    if (visited[z][y][x]) continue;
    maxDay = Math.max(maxDay, day);
    if (tomatoBoxes[z][y][x] === 0) tempTomato++;
    tomatoBoxes[z][y][x] = 1;
    visited[z][y][x] = true;
    //상하좌우 + z값
    for (let i = 0; i < 6; i++) {
      const nx = x + dx[i];
      const ny = y + dy[i];
      const nz = z + dz[i];
      if (
        nx < 0 ||
        ny < 0 ||
        nz < 0 ||
        nx >= columnSize ||
        ny >= rowSize ||
        nz >= heightSize
      )
        continue;
      if (tomatoBoxes[nz][ny][nx] !== 0 || visited[nz][ny][nx]) continue;
      queue.insert([nx, ny, nz, day + 1]);
    }
  }
};

excuteBFS();

if (totalTomato === tempTomato) {
  console.log(maxDay);
} else {
  console.log(-1);
}