Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 프로래머스
- java 기술면접
- spring oauth
- sql 기술면접
- MSA
- 웹어플리케이션 서버
- springboot
- JPA
- Coroutine
- 백준 17779
- 백준 16235
- MySQL
- 백준 파이썬
- JVM
- 백준 19238
- re.split
- 백준 15685
- with recursive
- spring cloud
- java
- 프로그래머스
- 파이썬
- 백준 17626
- 백준 16236
- Spring Boot
- 백준 16719
- spring security
- 백준
- Spring
- Kotlin
Archives
- Today
- Total
시작이 반
[백준] 2667번(python 파이썬) 본문
SMALL
먼저 2차원 배열을 생성할 수 있어야한다.
graph = [list(map(int, input())) for _ in range(n)]
입력을 받으면서 그래프를 만든다.
그래프의 1의 묶음을 찾는 문제이다. 묶음을 찾는 문제들은 DFS로 구현이 가능하다.
처음 구현 코드
DFS익숙하지 않아서 이전에 풀었던 DFS틀에 맞춰서 풀지 못하였다.
n = int(input())
graph = [list(map(int, input())) for _ in range(n)]
def dfs(x, y, house_count):
if x <= -1 or x >= n or y <= -1 or y >= n:
return False
if graph[x][y] == 1:
graph[x][y] = house_count
dfs(x - 1, y, house_count)
dfs(x, y - 1, house_count)
dfs(x + 1, y, house_count)
dfs(x, y + 1, house_count)
return True
return False
result = 0
for i in range(n):
for j in range(n):
if dfs(i, j, result + 2):
result += 1
house_count = [0] * result
for i in range(n):
for j in range(n):
if graph[i][j] != 0:
house_count[graph[i][j] - 2] += 1
house_count.sort()
print(result)
for i in range(len(house_count)):
print(house_count[i])
2번째 구현
1260문제의 DFS틀에 맞춰서 다시 작성
2차원 배열 인접 탐색을 할때 dx, dy를 사용하여 상 하 좌 우에 재귀함수를 사용한다.
상 하 좌 우가 배열을 벗어나면 continue
n = int(input())
graph = [list(map(int, input())) for _ in range(n)]
visited = [[False] * n for _ in range(n)]
dx = [0, 0, -1, 1]
dy = [-1, 1, 0, 0]
def Dfs(cur_x, cur_y, visited, house_count):
visited[cur_x][cur_y] = True
for i in range(4):
next_x = cur_x + dx[i]
next_y = cur_y + dy[i]
if next_x <= -1 or next_x >= n or next_y <= -1 or next_y >= n:
continue
if not visited[next_x][next_y] and graph[next_x][next_y] == 1:
house_count = Dfs(next_x, next_y, visited, house_count + 1)
return house_count
answer_list = []
for i in range(n):
for j in range(n):
if graph[i][j] == 1 and not visited[i][j]:
answer_list.append(Dfs(i, j, visited, 1))
answer_list.sort()
print(len(answer_list))
for i in answer_list:
print(i)
LIST
'알고리즘 > 백준' 카테고리의 다른 글
[백준] 2178번(python 파이썬) (0) | 2021.01.06 |
---|---|
[백준] 1012번(python 파이썬) (0) | 2021.01.06 |
[백준] 1926번(python 파이썬) (0) | 2021.01.05 |
[백준] 2606번(python 파이썬) (0) | 2021.01.04 |
[백준] 1260번(python 파이썬) (0) | 2021.01.04 |