https://www.acmicpc.net/problem/4963
풀이
사용한 알고리즘 : BFS
풀이전략
전형적인 BFS문제였다.
한 정사각형에서 가로, 세로, 대각선 모두를 탐색해야 하므로,
dx, dy를 총 8개 두어 모든 방향으로의 탐색이 가능하도록 했다.
제출코드
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.LinkedList;
import java.util.Queue;
import java.util.StringTokenizer;
public class Main {
static int graph[][];
static boolean[][] visited;
static int dx[]= {-1,-1,0,1,1,1,0,-1};
static int dy[]= {0,1,1,1,0,-1,-1,-1};
static int w,h;
static class Square{
int x;
int y;
Square(int x,int y){
this.x=x;
this.y=y;
}
}
static boolean bfs(int x,int y){
Queue<Square> q = new LinkedList<>();
int tempCount=0;
if(graph[x][y]==1 && visited[x][y]==false) tempCount++;
visited[x][y]=true;
Square square = new Square(x,y);
q.offer(square);
while(!q.isEmpty()){
Square now = q.poll();
for(int i=0;i<8;++i){
int mx=now.x+dx[i];
int my=now.y+dy[i];
if(mx>=0 && mx<h && my>=0 && my<w){
if(!visited[mx][my] && graph[mx][my]==1){
Square s = new Square(mx,my);
visited[mx][my]=true;
q.offer(s);
tempCount++;
}
}
}
}
if(tempCount==0) return false;
else return true;
}
public static void main(String args[]) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
while(true){
StringTokenizer st = new StringTokenizer(br.readLine());
w = Integer.parseInt(st.nextToken());
h = Integer.parseInt(st.nextToken());
if(w==0 && h==0) break;
visited = new boolean[h][w];
graph=new int[h][w];
for(int i=0;i<h;++i){
st=new StringTokenizer(br.readLine());
for(int j=0;j<w;++j){
graph[i][j]=Integer.parseInt(st.nextToken());
}
}
int count=0;
for(int i=0;i<h;++i){
for(int j=0;j<w;++j){
if(bfs(i,j)) count++;
}
}
System.out.println(count);
}
}
}
'알고리즘||코딩테스트 > 백준' 카테고리의 다른 글
[백준 2579번] 계단 오르기 - JAVA (0) | 2023.07.29 |
---|---|
[백준 2839번] 설탕배달 - JAVA (0) | 2023.07.29 |
[백준 2852번] NBA 농구 - JAVA (0) | 2023.07.27 |
[백준 9079번] 동전 게임 -JAVA (0) | 2023.07.26 |
[백준 1038번] 감소하는 수 - JAVA (0) | 2023.07.25 |