치춘짱베리굿나이스

[백준] 2667 본문

단지번호붙이기

문제

<그림 1>과 같이 정사각형 모양의 지도가 있다. 1은 집이 있는 곳을, 0은 집이 없는 곳을 나타낸다. 철수는 이 지도를 가지고 연결된 집의 모임인 단지를 정의하고, 단지에 번호를 붙이려 한다. 여기서 연결되었다는 것은 어떤 집이 좌우, 혹은 아래위로 다른 집이 있는 경우를 말한다. 대각선상에 집이 있는 경우는 연결된 것이 아니다. <그림 2>는 <그림 1>을 단지별로 번호를 붙인 것이다. 지도를 입력하여 단지수를 출력하고, 각 단지에 속하는 집의 수를 오름차순으로 정렬하여 출력하는 프로그램을 작성하시오.

입력

첫 번째 줄에는 지도의 크기 N(정사각형이므로 가로와 세로의 크기는 같으며 5≤N≤25)이 입력되고, 그 다음 N줄에는 각각 N개의 자료(0혹은 1)가 입력된다.

출력

첫 번째 줄에는 총 단지수를 출력하시오. 그리고 각 단지내 집의 수를 오름차순으로 정렬하여 한 줄에 하나씩 출력하시오.

풀이

class Node {
  constructor(data, prev = null, next = null) {
    this.data = data;
    this.prev = prev;
    this.next = next;
  }
}

class Queue {
  constructor() {
    this.head = new Node(-1);
    this.tail = new Node(-1);
    this.head.next = this.tail;
    this.tail.prev = this.head;
    this.size = 0;
  }
  enQueue(data) {
    let node = new Node(data);
    node.next = this.tail;
    node.prev = this.tail.prev;
    this.tail.prev.next = node;
    this.tail.prev = node;
    this.size++;
  }
  deQueue(data) {
    if (this.ifEmpty()) return -1;
    let tmp = this.head.next;
    tmp.next.prev = this.head;
    this.head.next = tmp.next;
    this.size--;
    return tmp.data;
  }
  ifEmpty() {
    return this.size ? false : true;
  }
}

const danjiBFS = (arr, i, j, n) => {
  const dir = [
    [1, 0],
    [0, 1],
    [-1, 0],
    [0, -1],
  ];
  let size = 0;
  let queue = new Queue();
  queue.enQueue([i, j]);
  arr[i][j] = 2;

  while (!queue.ifEmpty()) {
    let cur = queue.deQueue();
    for (let k = 0; k < 4; k++) {
      let coord = [cur[0] + dir[k][0], cur[1] + dir[k][1]];
      if (coord[0] < 0 || coord[0] >= n || coord[1] < 0 || coord[1] >= n)
        continue;
      if (arr[coord[0]][coord[1]] !== 1) continue;
      queue.enQueue(coord);
      arr[coord[0]][coord[1]] = 2;
    }
    size++;
  }
  return size;
};

const danjiNum = () => {
  let [n, ...arr] = require("fs")
    .readFileSync("/dev/stdin")
    .toString()
    .trim()
    .split("\n");
  n = Number(n);
  arr = arr.map((v) => v.split("").map(Number));
  let ans = [];

  for (let i = 0; i < n; i++) {
    for (let j = 0; j < n; j++) {
      if (arr[i][j] === 1) ans.push(danjiBFS(arr, i, j, n));
    }
  }
  console.log(`${ans.length}\n${ans.sort((a, b) => a - b).join("\n")}`);
};

danjiNum();

반성회

BFS의 기본을 이용하는 문제

노드랑 큐 잘 짜놓고 정석적인 BFS를 사용하면 쉽게 풀린다

rest 문법을 좀 열심히 사용해보는중 ([n, ...arr])

'Javascript + Typescript > 자바스크립트로 알고리즘풀기' 카테고리의 다른 글

[백준] 14645  (0) 2022.05.10
[백준] 11004  (0) 2022.05.10
[백준] 9654  (0) 2022.05.10
[백준] 15688  (0) 2022.05.10
[백준] 11931  (0) 2022.05.08
Comments