프로그래머스 Level 3 - 파괴되지 않은 건물
📌 문제 설명
data:image/s3,"s3://crabby-images/eb96c/eb96c9b6b0ae4a77d915d989247396ead0b5d5c8" alt=""
data:image/s3,"s3://crabby-images/23ecb/23ecbad3f494b97b90ec6ddfc4dfe841bc2f06d9" alt=""
data:image/s3,"s3://crabby-images/17093/17093f0ac70f0d86ca423efdd9cc6c8e3d47e377" alt=""
data:image/s3,"s3://crabby-images/48de3/48de31453e1c840debf9aa85f38247c283212065" alt=""
data:image/s3,"s3://crabby-images/c9cb3/c9cb39f35a0cddd8dafbf9f5a374f62bed1d3704" alt=""
data:image/s3,"s3://crabby-images/b95dc/b95dce886615bbca7b3d836f7b52def64dabcb4b" alt=""
data:image/s3,"s3://crabby-images/f6c9e/f6c9ed97aecc89ecb4b75373af43b2fa898fb537" alt=""
data:image/s3,"s3://crabby-images/6a860/6a86087d4e7daa3e4d8931e3f7e51b6c89ae6fd9" alt=""
data:image/s3,"s3://crabby-images/08b45/08b450c8c813aa0acad811c7c2986da469194285" alt=""
data:image/s3,"s3://crabby-images/9ab7a/9ab7ad15465caac7d29a3d51474f54eba80dade1" alt=""
data:image/s3,"s3://crabby-images/89616/896160cdd3360f6edd92bfd6d5c2e78699db77ce" alt=""
data:image/s3,"s3://crabby-images/6b64c/6b64c93e605e1780ab3297a1d225dacea8c74b72" alt=""
📌 생각한 풀이 방법 (1차 시도 -> 효율성 실패)
- 조건에 맞게 그대로 구현한다.
📌 풀이
function solution(board, skill) {
let answer = 0;
for (let i = 0; i < skill.length; i++) {
let current = skill[i];
let attack = current[0] === 1 ? true : false;
let value = current[5];
for (let j = current[1]; j <= current[3]; j++) {
for (let k = current[2]; k <= current[4]; k++) {
if (attack) {
board[j][k] -= value;
} else {
board[j][k] += value;
}
}
}
}
for (let i = 0; i < board.length; i++) {
for (let j = 0; j < board[0].length; j++) {
if (board[i][j] > 0) {
answer++;
}
}
}
return answer;
}
📌 생각한 풀이 방법 (2차 시도 -> 성공)
- 밑과 옆으로 board보다 1을 증가시킨 배열을 생성한다.
- skill에 맞게 해당 좌표에 만족하는 값 중 arr (x1, y1)과 (x2+1,y2+1)에 해당 값을 조건에 만족하는 값을 더한다.
- arr의 (x2+1,y1), (x1,y2+1)에 만족하는 부분을 attack * -1 만큼 더한다.
- 모든 skill을 탐색한 후, 해당 값을 누적하여 위에서 아래로 더한다.
- 위에서 아래로 더한 후, 해당 값을 누적하여 왼쪽에서 오른쪽으로 더한다.
- board에 해당 배열인 arr을 더해 최종 배열을 구한다.
- 해당 값 중 0보다 큰 위치의 수를 더해 answer을 반환한다.
📌 풀이
function solution(board, skill) {
let answer = 0;
let arr = Array.from({ length: board.length + 1 }, () =>
Array(board[0].length + 1).fill(0)
);
for (let i = 0; i < skill.length; i++) {
let current = skill[i];
let attack = current[0] === 1 ? -1 : 1;
arr[current[1]][current[2]] += current[5] * attack;
arr[current[3] + 1][current[2]] += current[5] * attack * -1;
arr[current[1]][current[4] + 1] += current[5] * attack * -1;
arr[current[3] + 1][current[4] + 1] += current[5] * attack;
}
for (let i = 0; i < board.length; i++) {
for (let j = 0; j < board[0].length; j++) {
arr[i + 1][j] += arr[i][j];
}
}
for (let i = 0; i < board.length; i++) {
for (let j = 0; j < board[0].length; j++) {
arr[i][j + 1] += arr[i][j];
}
}
for (let i = 0; i < board.length; i++) {
for (let j = 0; j < board[0].length; j++) {
board[i][j] += arr[i][j];
}
}
for (let i = 0; i < board.length; i++) {
for (let j = 0; j < board[0].length; j++) {
if (board[i][j] > 0) {
answer++;
}
}
}
return answer;
}