[백준] 1012번 유기농 배추

2020년 07월 17일, 14:00

유기농 배추

문제 설명

차세대 영농인 한나는 강원도 고랭지에서 유기농 배추를 재배하기로 하였다. 농약을 쓰지 않고 배추를 재배하려면 배추를 해충으로부터 보호하는 것이 중요하기 때문에, 한나는 해충 > 방지에 효과적인 배추흰지렁이를 구입하기로 결심한다. 이 지렁이는 배추근처에 서식하며 해충을 잡아 먹음으로써 배추를 보호한다. 특히, 어떤 배추에 배추흰지렁이가 한 마리라도 살고 있으면 이 지렁이는 인접한 다른 배추로 이동할 수 있어, 그 배추들 역시 해충으로부터 보호받을 수 있다.

(한 배추의 상하좌우 네 방향에 다른 배추가 위치한 경우에 서로 인접해있다고 간주한다)

한나가 배추를 재배하는 땅은 고르지 못해서 배추를 군데군데 심어놓았다. 배추들이 모여있는 곳에는 배추흰지렁이가 한 마리만 있으면 되므로 서로 인접해있는 배추들이 몇 군데에 퍼져있는지 조사하면 총 몇 마리의 지렁이가 필요한지 알 수 있다.

예를 들어 배추밭이 아래와 같이 구성되어 있으면 최소 5마리의 배추흰지렁이가 필요하다.

(0은 배추가 심어져 있지 않은 땅이고, 1은 배추가 심어져 있는 땅을 나타낸다.)

0 1 2 3 4 5 6 7 8 9
1 1 0 0 0 0 0 0 0 0
0 1 0 0 0 0 0 0 0 0
0 0 0 0 1 0 0 0 0 0
0 0 0 0 1 0 0 0 0 0
0 0 1 1 0 0 0 1 1 1
0 0 0 0 1 0 0 1 1 1

입력

입력의 첫 줄에는 테스트 케이스의 개수 T가 주어진다. 그 다음 줄부터 각각의 테스트 케이스에 대해 첫째 줄에는 배추를 심은 배추밭의 가로길이 M(1 ≤ M ≤ 50)과 세로길이 N(1 ≤ N ≤ 50), 그리고 배추가 심어져 있는 위치의 개수 K(1 ≤ K ≤ 2500)이 주어진다. 그 다음 K줄에는 배추의 위치 X(0 ≤ X ≤ M-1), Y(0 ≤ Y ≤ N-1)가 주어진다.

출력

각 테스트 케이스에 대해 필요한 최소의 배추흰지렁이 마리 수를 출력한다.

문제 풀이

  1. 테스트케이스가 여러 개 주어지기 때문에, 테스트케이스를 나누는 함수 구현.
  2. searchGroup
    1. 테스트케이스에 따른 지렁이를 저장.(earthWorm).
    2. testCases를 for문.
      1. group, groupId를 선언.
      2. stack를 선언.
      3. vertexs 배열의 길이가 0이 될 때까지 while.
        1. vertex의 x,y좌표를 선언하는데,
          1. stack의 길이가 0이면서, 방문하지 않은 좌표라면 새로운 group로 판단, vertexs 배열에서 원소를 뽑는다.
          2. stack의 길이가 0이 아니라면 같은 그룹, stack에서 원소를 뽑는다.
        2. 뽑은 점이 방문한 점이라면 continue.
        3. 방문한 점이 아니라면,
          1. visitedLand를 true 바꿔줌.(점을 방문.)
          2. 상하좌우의 연결되어 있는 점을 찾기 위해 for문.
          3. 비정상적인 x,y좌표(마이너스 값 또는 크기를 넘어가는 값),land가 0인 값은 continue.
          4. 정상적인 좌표라면 stack에 push.
      4. while문이 끝난 후 group의 길이를 earthWorm에 push.
    3. earthWorm을 리턴.
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, 0, -1, 0];
const dy = [0, 1, 0, -1];

// testCase = {row,column,vertexs,land}
const getTestCases = (input, count) => {
  let nextTestCaseIndex = 0;
  const testCases = [];
  for (let i = 0; i < count; i++) {
    const [row, column, vertexsLength] = input[nextTestCaseIndex]
      .split(" ")
      .map(element => Number(element));
    const vertexsInput = input.slice(
      nextTestCaseIndex + 1,
      nextTestCaseIndex + vertexsLength + 1
    );
    const vertexs = [];
    vertexsInput.forEach(input => {
      const [x, y] = input.split(" ").map(element => Number(element));
      vertexs.push([x, y]);
    });

    const land = Array.from(Array(row), () => Array(column).fill(0));
    const visitedLand = Array.from(Array(row), () => Array(column).fill(false));
    vertexs.forEach(edge => (land[edge[0]][edge[1]] = 1));

    const testCase = {
      row,
      column,
      vertexs,
      land,
      visitedLand,
    };
    testCases.push(testCase);
    nextTestCaseIndex += vertexsLength + 1;
  }
  return testCases;
};

const searchGroup = testCases => {
  const earthWorm = [];
  testCases.forEach(testCase => {
    const { row, column, vertexs, land, visitedLand } = testCase;
    const group = [];
    let groupId = 1;
    let stack = [];
    while (vertexs.length !== 0) {
      let [vertexX, vertexY] = [null, null];
      if (stack.length === 0) {
        [vertexX, vertexY] = vertexs.pop();
        if (!visitedLand[vertexX][vertexY]) {
          group.push(groupId);
          groupId++;
        }
      } else {
        [vertexX, vertexY] = stack.pop();
      }

      if (visitedLand[vertexX][vertexY]) continue;
      visitedLand[vertexX][vertexY] = true;
      //상하좌우
      for (let i = 0; i < 4; i++) {
        let nx = vertexX + dx[i];
        let ny = vertexY + dy[i];
        if (nx < 0 || ny < 0 || nx >= row || ny >= column || land[nx][ny] === 0)
          continue;
        stack.push([nx, ny]);
      }
    }
    earthWorm.push(group.length);
  });
  return earthWorm;
};

const testCaseCount = Number(input[0]);
const testCases = getTestCases(input.slice(1, input.length), testCaseCount);
const answer = searchGroup(testCases);
answer.forEach(element => console.log(element));