치춘짱베리굿나이스

[백준] 1926 본문

그림

문제

어떤 큰 도화지에 그림이 그려져 있을 때, 그 그림의 개수와, 그 그림 중 넓이가 가장 넓은 것의 넓이를 출력하여라. 단, 그림이라는 것은 1로 연결된 것을 한 그림이라고 정의하자. 가로나 세로로 연결된 것은 연결이 된 것이고 대각선으로 연결이 된 것은 떨어진 그림이다. 그림의 넓이란 그림에 포함된 1의 개수이다.

입력

첫째 줄에 도화지의 세로 크기 n(1 ≤ n ≤ 500)과 가로 크기 m(1 ≤ m ≤ 500)이 차례로 주어진다. 두 번째 줄부터 n+1 줄 까지 그림의 정보가 주어진다. (단 그림의 정보는 0과 1이 공백을 두고 주어지며, 0은 색칠이 안된 부분, 1은 색칠이 된 부분을 의미한다)

출력

첫째 줄에는 그림의 개수, 둘째 줄에는 그 중 가장 넓은 그림의 넓이를 출력하여라. 단, 그림이 하나도 없는 경우에는 가장 넓은 그림의 넓이는 0이다.

풀이

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

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.prev = this.tail.prev;
    node.next = this.tail;
    this.tail.prev.next = node;
    this.tail.prev = node;
    this.size++;
  }
  deQueue() {
    if (this.ifEmpty()) return -1;
    let tmp = this.head.next;
    this.head.next = tmp.next;
    tmp.next.prev = this.head;
    this.size--;
    return tmp.data;
  }
  returnSize() {
    return this.size;
  }
  ifEmpty() {
    return this.size ? false : true;
  }
  returnFront() {
    if (this.ifEmpty()) return -1;
    return this.head.next.data;
  }
  returnBack() {
    if (this.ifEmpty()) return -1;
    return this.tail.prev.data;
  }
}

const bfs = (input, start, maxCol, maxRow) => {
  let queue = new Queue();
  let dir = [
    [1, 0, -1, 0],
    [0, 1, 0, -1],
  ];
  let size = 0;
  input[start[0]][start[1]] = 2;
  queue.enQueue(start);
  while (!queue.ifEmpty()) {
    let current = queue.deQueue();
    size++;
    for (let i = 0; i < 4; i++) {
      let coord = [current[0] + dir[0][i], current[1] + dir[1][i]];
      if (
        coord[0] < 0 ||
        coord[0] >= maxCol ||
        coord[1] < 0 ||
        coord[1] >= maxRow
      )
        continue;
      if (!(input[coord[0]][coord[1]] === 1)) continue;
      input[coord[0]][coord[1]] = 2;
      queue.enQueue([coord[0], coord[1]]);
    }
  }
  return size;
};

const drawing = () => {
  let input = require("fs")
    .readFileSync("/dev/stdin")
    .toString()
    .trim()
    .split("\n")
    .map((n) => n.split(" ").map(Number));
  const col = input[0][0];
  const row = input[0][1];
  input.shift();
  let max = 0;
  let n = 0;
  for (let i = 0; i < col; i++) {
    for (let j = 0; j < row; j++) {
      if (input[i][j] === 1) {
        let tmp = bfs(input, [i, j], col, row);
        if (tmp > max) max = tmp;
        n++;
      }
    }
  }
  console.log(`${n}\n${max}`);
};

drawing();

반성회

그림을 찾을 때 시작점을 매번 새로 찾아야 새로운 그림을 탐색할 수 있기 때문에 이중 for문이 한번 들어가야 한다

(모든 좌표에 대하여 아직 탐색하지 않은 1이 있는지 여부 검사해서, 탐색한 적 없는 1부터 새로운 그림 시작)

그외에는 큐에서 pop한 횟수가 각 그림의 크기가 되고, 시작점의 개수가 그림의 개수가 된다

큐를 전에 구현해놓은걸 그냥 갖다 쓰고있는데

이중연결리스트라 좀 길기도 하고... 도저히 외울엄두는 안나고....

C++로 갈아타야하나....

그리고 이거 한번 틀렸었는데 이유가 그림이 없을때 최대넓이값을 0이 아니라 -1로 해서 그랬다

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

[백준] 1012  (0) 2022.02.16
[백준] 4179  (0) 2022.02.15
[백준] 2178  (0) 2022.02.15
[백준] 7576  (0) 2022.02.15
[백준] 2501  (0) 2022.02.14
Comments