문제
<그림 1>과 같이 정사각형 모양의 지도가 있다. 1은 집이 있는 곳을, 0은 집이 없는 곳을 나타낸다. 철수는 이 지도를 가지고 연결된 집들의 모임인 단지를 정의하고, 단지에 번호를 붙이려 한다. 여기서 연결되었다는 것은 어떤 집이 좌우, 혹은 아래위로 다른 집이 있는 경우를 말한다. 대각선상에 집이 있는 경우는 연결된 것이 아니다. <그림 2>는 <그림 1>을 단지별로 번호를 붙인 것이다. 지도를 입력하여 단지수를 출력하고, 각 단지에 속하는 집의 수를 오름차순으로 정렬하여 출력하는 프로그램을 작성하시오.
input
7
0110100
0110101
1110101
0000111
0100000
0111110
0111000
output
3
7
8
9
import sys
def bfs(arr, visited, s):
answer = 0
q = [(s[0], s[1])]
visited[s[0]][s[1]] = True
while len(q) != 0:
x = q.pop(0)
a = x[0]
b = x[1]
visited[a][b] = True
answer += 1
if arr[a + 1][b] == 1 and visited[a + 1][b] == False:
visited[a + 1][b] = True
q.append((a + 1, b))
if arr[a - 1][b] == 1 and visited[a - 1][b] == False:
visited[a - 1][b] = True
q.append((a - 1, b))
if arr[a][b + 1] == 1 and visited[a][b + 1] == False:
visited[a][b + 1] = True
q.append((a, b + 1))
if arr[a][b - 1] == 1 and visited[a][b - 1] == False:
visited[a][b - 1] = True
q.append((a, b - 1))
return answer
n = int(input())
lines = list(map(str, sys.stdin.readlines()))
arr = [[0 for i in range(n + 2)] for i in range(n + 2)]
visited = [[False for i in range(n + 2)] for i in range(n + 2)]
result = []
for row, line in enumerate(lines):
for col, x in enumerate(line):
if x == '\n':
break
arr[row + 1][col + 1] = int(x)
for x in range(1, n + 1):
for y in range(1, n + 1):
if arr[x][y] == 1 and visited[x][y] == False:
result.append(bfs(arr, visited, (x, y)))
print(len(result))
for i in sorted(result):
print(i)