티스토리 뷰
[Java+Python]2667번, 단지번호 붙이기
Vagabund.Gni 2023. 8. 26. 13:34목차
문제
<그림 1>과 같이 정사각형 모양의 지도가 있다.
1은 집이 있는 곳을, 0은 집이 없는 곳을 나타낸다.
철수는 이 지도를 가지고 연결된 집의 모임인 단지를 정의하고, 단지에 번호를 붙이려 한다.
여기서 연결되었다는 것은 어떤 집이 좌우, 혹은 아래위로 다른 집이 있는 경우를 말한다.
대각선상에 집이 있는 경우는 연결된 것이 아니다.
<그림 2>는 <그림 1>을 단지별로 번호를 붙인 것이다.
지도를 입력하여 단지수를 출력하고, 각 단지에 속하는 집의 수를 오름차순으로 정렬하여 출력하는 프로그램을 작성하시오.
입력
첫 번째 줄에는 지도의 크기 N(정사각형이므로 가로와 세로의 크기는 같으며 5≤N≤25)이 입력되고,
그다음 N 줄에는 각각 N개의 자료(0 혹은 1)가 입력된다.
출력
첫 번째 줄에는 총 단지수를 출력하시오.
그리고 각 단지 내 집의 수를 오름차순으로 정렬하여 한 줄에 하나씩 출력하시오.
풀이
계속되는 그래프 순회 문제이다. DFS와 BFS로 모두 풀 수 있으며 당연히 두 방법 모두 풀이에 넣었다.
문제의 조건은 정사각형 지도에서 연결된 집(단지)의 개수와각 단지에 속한 집의 개수를 오름차순으로 출력하는 것이다.
글마다 비슷한 설명이지만 그래도 내가 잊지 않기 위해 또 적자면,
지도의 모든 칸을 순회하며 집이 있으며 아직 방문하지 않은 집을 찾는다.
이후 DFS 혹은 BFS를 이용해서 해당 단지에 속하는(상하좌우로 접한) 모든 집을 순회하고, 개수를 저장한다.
코드는 이 로직을 간결히 구현하면 된다.
Java
DFS
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
public class Prob2667_DFS {
static int n;
static int[][] map;
static boolean[][] visited;
static int[] dx = {-1, 1, 0, 0};
static int[] dy = {0, 0, -1, 1};
static List<Integer> houseList = new ArrayList<>();
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
n = Integer.parseInt(br.readLine());
map = new int[n][n];
visited = new boolean[n][n];
for (int i = 0; i < n; i++) {
String input = br.readLine();
for (int j = 0; j < n; j++) {
map[i][j] = input.charAt(j) - '0';
}
}
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
if (map[i][j] == 1 && !visited[i][j]) {
houseList.add(dfs(i, j));
}
}
}
Collections.sort(houseList);
System.out.println(houseList.size());
for (int house : houseList) {
System.out.println(house);
}
}
private static int dfs(int x, int y) {
visited[x][y] = true;
int count = 1;
for (int i = 0; i < 4; i++) {
int nx = x + dx[i];
int ny = y + dy[i];
if (nx >= 0 && ny >= 0 && nx < n && ny < n) {
if (map[nx][ny] == 1 && !visited[nx][ny]) {
count += dfs(nx, ny);
}
}
}
return count;
}
}
BFS
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.ArrayDeque;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
public class Prob2667_BFS {
static int n;
static int[][] map;
static boolean[][] visited;
static int[] dx = {-1, 1, 0, 0};
static int[] dy = {0, 0, -1, 1};
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
n = Integer.parseInt(br.readLine());
map = new int[n][n];
visited = new boolean[n][n];
for (int i = 0; i < n; i++) {
String input = br.readLine();
for (int j = 0; j < n; j++) {
map[i][j] = input.charAt(j) - '0';
}
}
List<Integer> houseList = new ArrayList<>();
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
if (map[i][j] == 1 && !visited[i][j]) {
houseList.add(bfs(i, j));
}
}
}
Collections.sort(houseList);
System.out.println(houseList.size());
for (int house : houseList) {
System.out.println(house);
}
}
private static int bfs(int x, int y) {
ArrayDeque<int[]> queue = new ArrayDeque<>();
queue.offer(new int[] {x, y});
visited[x][y] = true;
int count = 1;
while (!queue.isEmpty()) {
int[] current = queue.poll();
for (int i = 0; i < 4; i++) {
int nx = current[0] + dx[i];
int ny = current[1] + dy[i];
if (0 <= nx && nx < n && 0 <= ny && ny < n) {
if (map[nx][ny] == 1 && !visited[nx][ny]) {
queue.offer(new int[] {nx, ny});
visited[nx][ny] = true;
count++;
}
}
}
}
return count;
}
}
Python
DFS
import sys
n = int(sys.stdin.readline().rstrip())
map = [list(map(int, list(sys.stdin.readline().rstrip()))) for _ in range(n)]
visited = [[False] * n for _ in range(n)]
houselst = []
dx = [-1, 1, 0, 0]
dy = [0, 0, -1, 1]
def dfs(x, y):
visited[x][y] = True
cnt = 1
for i in range(4):
nx = x + dx[i]
ny = y + dy[i]
if nx >= 0 and ny >= 0 and nx < n and ny < n:
if map[nx][ny] == 1 and not visited[nx][ny]:
cnt += dfs(nx, ny)
return cnt
for i in range(n):
for j in range(n):
if map[i][j] == 1 and not visited[i][j]:
houselst.append(dfs(i, j))
houselst = sorted(houselst)
print(len(houselst))
for house in houselst:
print(house)
BFS
import sys
from collections import deque
n = int(sys.stdin.readline().rstrip())
map = [list(map(int, list(sys.stdin.readline().rstrip()))) for _ in range(n)]
visited = [[False] * n for _ in range(n)]
dx = [-1, 1, 0, 0]
dy = [0, 0, -1, 1]
def bfs(x, y):
queue = deque()
queue.append([x, y])
visited[x][y] = True
cnt = 1
while queue:
current = queue.popleft()
for i in range(4):
nx = current[0] + dx[i]
ny = current[1] + dy[i]
if (
0 <= nx
and nx < n
and 0 <= ny
and ny < n
and map[nx][ny] == 1
and not visited[nx][ny]
):
queue.append([nx, ny])
visited[nx][ny] = True
cnt += 1
return cnt
house_list = []
for i in range(n):
for j in range(n):
if map[i][j] == 1 and not visited[i][j]:
house_list.append(bfs(i, j))
house_list = sorted(house_list)
print(len(house_list))
for house in house_list:
print(house)
Performance
'Algorithm > [Java+Python+JavaScript]BackJoon' 카테고리의 다른 글
[Python]1759번, 암호 만들기, 조합과 집합 다루기 (0) | 2023.09.09 |
---|---|
[Java+Python]1011번, Fly me to the Alpha Centauri (0) | 2023.09.05 |
[Java+Python]1260번, DFS와 BFS (0) | 2023.08.19 |
[Java+Python]2606번, 바이러스 - DFS/BFS (0) | 2023.08.18 |
[Java+Python]24445번, 알고리즘 수업 - 너비 우선 탐색 2 (0) | 2023.08.05 |
[Java+Python]24444번, 알고리즘 수업 - 너비 우선 탐색 1 (0) | 2023.08.03 |
- Total
- Today
- Yesterday
- 칼이사
- 중남미
- Python
- 동적계획법
- 스프링
- 남미
- a6000
- 알고리즘
- 유럽여행
- 면접 준비
- Algorithm
- java
- 파이썬
- 세모
- 맛집
- RX100M5
- 세계여행
- BOJ
- Backjoon
- 유럽
- 백준
- 기술면접
- 리스트
- spring
- 스트림
- 세계일주
- 지지
- 여행
- 야경
- 자바
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | |||
5 | 6 | 7 | 8 | 9 | 10 | 11 |
12 | 13 | 14 | 15 | 16 | 17 | 18 |
19 | 20 | 21 | 22 | 23 | 24 | 25 |
26 | 27 | 28 | 29 | 30 | 31 |