문제
설명
N*N의 섬나라 아일랜드의 지도가 격자판의 정보로 주어집니다.
각 섬은 1로 표시되어 상하좌우와 대각선으로 연결되어 있으며, 0은 바다입니다.
섬나라 아일랜드에 몇 개의 섬이 있는지 구하는 프로그램을 작성하세요.
만약 위와 같다면 섬의 개수는 5개입니다.
입력
첫 번째 줄에 자연수 N(3<=N<=20)이 주어집니다.
두 번째 줄부터 격자판 정보가 주어진다.
출력
첫 번째 줄에 섬의 개수를 출력한다.
예시 입력 1
7
1 1 0 0 0 1 0
0 1 1 0 1 1 0
0 1 0 0 0 0 0
0 0 0 1 0 1 1
1 1 0 1 1 0 0
1 0 0 0 1 0 0
1 0 1 0 1 0 0
예시 출력 1
5
선생님 풀이
import java.util.LinkedList;
import java.util.Queue;
import java.util.Scanner;
class Point {
public int x, y;
Point(int x, int y){
this.x = x;
this.y = y;
}
}
public class Main8_14 {
static int[] dx = {-1, -1, 0, 1, 1, 1, 0, -1};
static int[] dy = {0, 1, 1, 1, 0, -1, -1, -1};
static int n, answer=0;
Queue<Point> Q = new LinkedList<>();
public void BFS(int x, int y, int[][] board) {
Q.add(new Point(x, y));
while(!Q.isEmpty()) {
Point pos = Q.poll();
for (int i = 0; i < 8; i++) {
int nx = pos.x + dx[i];
int ny = pos.y + dy[i];
if(nx>=0 && nx<n && ny>=0 && ny<n && board[nx][ny]==1) {
board[nx][ny]=0;
Q.add(new Point(nx, ny));
}
}
}
}
public void Solution(int[][] board) {
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
if(board[i][j]==1) {
answer++;
board[i][j]=0;
BFS(i, j, board);
}
}
}
}
public static void main(String[] args) {
Main8_14 T = new Main8_14();
Scanner sc = new Scanner(System.in);
n = sc.nextInt();
int[][] arr = new int[n][n];
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
arr[i][j] = sc.nextInt();
}
}
T.Solution(arr);
System.out.println(answer);
}
}
결과
'Algorithm > Inflearn' 카테고리의 다른 글
[Inflearn] 자바 알고리즘 문제풀이 #09-01 1. 씨름 선수(Greedy Algorithm) (0) | 2023.05.11 |
---|---|
[Inflearn] 자바 알고리즘 문제풀이 #08-15 15. 피자 배달 거리(삼성 SW역량평가 기출문제 : DFS활용) (0) | 2023.05.01 |
[Inflearn] 자바 알고리즘 문제풀이 #08-13 13. 섬나라 아일랜드(DFS) (0) | 2023.04.28 |
[Inflearn] 자바 알고리즘 문제풀이 #08-12 12. 토마토(BFS 활용) (0) | 2023.04.26 |
[Inflearn] 자바 알고리즘 문제풀이 #08-11 11. 미로의 최단거리 통로(BFS) (0) | 2023.04.25 |