블라인드 공채를 통과한 신입 사원 라이언은 신규 게임 개발 업무를 맡게 되었다.
이번에 출시할 게임 제목은 프렌즈4블록 (같은 모양의 카카오프렌즈 블록이 2×2 형태로 4개가 붙어있을 경우 사라지면서 점수를 얻는 게임)
이다.
만약 판이 위와 같이 주어질 경우, 라이언이 2×2로 배치된 7개 블록과 콘이 2×2로 배치된 4개 블록이 지워진다.
같은 블록은 여러 2×2에 포함될 수 있으며, 지워지는 조건에 만족하는 2×2 모양이 여러 개 있다면 한꺼번에 지워진다.
블록이 지워진 후에 위에 있는 블록이 아래로 떨어져 빈 공간을 채우게 된다.
만약 빈 공간을 채운 후에 다시 2×2 형태로 같은 모양의 블록이 모이면 다시 지워지고 떨어지고를 반복하게 된다.
입력으로 블록의 첫 배치가 주어졌을 때, 지워지는 블록은 모두 몇 개인지 판단하는 프로그램을 제작하라.
- 입력으로 판의 높이 m, 폭 n과 판의 배치 정보 board가 들어온다.
- 2 ≦ n, m ≦ 30
- board는 길이 n인 문자열 m개의 배열로 주어진다.
블록을 나타내는 문자는 대문자 A에서 Z가 사용된다.
- 입력으로 주어진 판 정보를 가지고 몇 개의 블록이 지워질지 출력하라.
import java.util.*;
class Solution {
static boolean[][] visited;
public int solution(int m, int n, String[] board) {
int answer = 0;
char game[][] = new char [m][n];
// game판에 정보저장.
for (int i = 0; i < board.length; i++) {
String b = board[i];
char[] brr = b.toCharArray();
for (int j = 0; j < brr.length; j++) {
char c = brr[j];
game[i][j] = c;
}
}
boolean flag = true;
while(flag) {
flag = false;
visited = new boolean[m][n];
for (int i = 0; i < m - 1; i++) {
for (int j = 0; j < n - 1; j++) {
if(game[i][j] == '#') continue;
if (check(i,j,game)) {
visited[i][j] = true;
visited[i + 1][j] = true;
visited[i][j + 1] = true;
visited[i + 1][j + 1] = true;
flag = true;
}
}
}
answer = remove(m,n,game);
visited = new boolean[m][n];
}
return answer;
}
private static boolean check(int x, int y, char[][] game) {
char ch = game[x][y];
if(ch == game[x][y+1] && ch== game[x+1][y] && ch == game[x+1][y+1]){
return true;
}
return false;
}
private static int remove(int m, int n, char[][] game) {
int cnt = 0;
for(int i=0; i<m; i++){
for(int j=0; j<n; j++){
if(visited[i][j]) game[i][j] = '#';
}
}
for(int i=0; i<n; i++) {
Queue<Character> que = new LinkedList<>();
for(int j=m-1; j>=0; j--) {
if(game[j][i] == '#') cnt++;
else que.add(game[j][i]);
}
int idx = m-1;
while(!que.isEmpty()) {
game[idx--][i] = que.poll();
}
for(int j = idx; j >= 0; j--) {
game[j][i] = '#';
}
}
return cnt;
}
}
💥 객체지향적사고방식으로 풀어보자.