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
- spring oauth
- 파이썬
- spring cloud
- java
- 백준 15685
- Kotlin
- Spring Boot
- with recursive
- java 기술면접
- MySQL
- 백준 17626
- springboot
- 프로래머스
- 백준 16236
- re.split
- 백준
- JPA
- spring security
- 웹어플리케이션 서버
- 백준 파이썬
- 백준 16719
- 백준 16235
- MSA
- Coroutine
- Spring
- sql 기술면접
- JVM
- 백준 17779
- 프로그래머스
- 백준 19238
Archives
- Today
- Total
시작이 반
[백준] 1926번(python 파이썬) 본문
SMALL
처음에 DFS로 풀었지만 메모리 초과가 나왔다. 재귀에 이상이 있음을 확인하였다.
입력크기가 n(1 ≤ n ≤ 500), m(1 ≤ m ≤ 500) 이기 떄문에 재귀로 풀면 메모리 초과가 뜬다.
때문에 BFS를 사용하여 풀었다.
BFS (2차원배열 인접 리스트 확인 (상, 하, 좌, 우))
dx, dy를 이용하여 상, 하, 좌, 우 확인
for 문을 이용하여 2차원 배열의 모든 좌표 확인
1. 방문하지 않고, 배열의 값이 1일 경우 큐에 삽입하고 방문 처리를한다.
2. 큐에서 해당 좌표를 꺼내 그 좌표의 상, 하, 좌, 우를 확인한다. 상, 하, 좌, 우에 1이 있고 방문하지 않았다면 큐에 삽입후 방문처리를한다.
3. 2번의 과정을 더 이상 수행할 수 없을 때까지 반복한다. (큐가 빌때까지)
from collections import deque
n, m = map(int, input().split())
graph = [list(map(int, input().split())) for _ in range(n)]
visited = [[False] * m for _ in range(n)]
dx = [0, 0, -1, 1]
dy = [-1, 1, 0, 0]
def Bfs(cur_x, cur_y, graph, visited, count):
queue = deque()
queue.append((cur_x, cur_y))
visited[cur_x][cur_y] = True
while queue:
pop_x, pop_y = queue.popleft()
count += 1
for i in range(4):
next_x = pop_x + dx[i]
next_y = pop_y + dy[i]
if next_x <= -1 or next_x >= n or next_y <= -1 or next_y >= m:
continue
if not visited[next_x][next_y] and graph[next_x][next_y]:
visited[next_x][next_y] = True
queue.append((next_x, next_y))
return count
answer_list = []
for i in range(n):
for j in range(m):
if graph[i][j] == 1 and not visited[i][j]:
answer_list.append(Bfs(i, j, graph, visited, 0))
print(len(answer_list))
if not answer_list:
print(0)
else:
print(max(answer_list))
LIST
'알고리즘 > 백준' 카테고리의 다른 글
[백준] 2178번(python 파이썬) (0) | 2021.01.06 |
---|---|
[백준] 1012번(python 파이썬) (0) | 2021.01.06 |
[백준] 2667번(python 파이썬) (0) | 2021.01.05 |
[백준] 2606번(python 파이썬) (0) | 2021.01.04 |
[백준] 1260번(python 파이썬) (0) | 2021.01.04 |