250x250
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 |
Tags
- 스토어드 프로시저
- 다대일
- 힙
- 동적sql
- dfs
- JPQL
- fetch
- 스프링 폼
- querydsl
- 이진탐색
- 즉시로딩
- shared lock
- 유니크제약조건
- execute
- 연관관계
- 백트래킹
- BOJ
- PS
- exclusive lock
- 다대다
- 낙관적락
- 연결리스트
- eager
- 지연로딩
- 데코레이터
- CHECK OPTION
- 비관적락
- FetchType
- 일대다
- SQL프로그래밍
Archives
- Today
- Total
흰 스타렉스에서 내가 내리지
[BOJ] 2178번 미로 탐색 본문
728x90
https://www.acmicpc.net/problem/2178
1 . DFS를 이용한 풀이
import sys
from collections import deque
n, m = map(int, sys.stdin.readline().split())
maze = []
for _ in range(n):
maze.append(list(map(int, list(sys.stdin.readline().rstrip('\n')))))
def isSafe(maze, x, y, mark):
if x<0 or x>=m or y<0 or y>=n:
return False
if maze[y][x] == 0 or mark[y][x] == 1:
return False
return True
def solve(maze, x, y, mark):
deq = deque()
cnt = 0
mark[y][x] = 1
deq.append((x, y))
deq.append((None, None))
while deq:
i, j = deq.popleft()
if i == None:
cnt += 1
deq.append((None, None))
continue
if i == m-1 and j == n-1:
return cnt+1
if isSafe(maze, i+1, j, mark):
deq.append((i+1, j))
mark[j][i+1] = 1
if isSafe(maze, i-1, j, mark):
deq.append((i-1, j))
mark[j][i-1] = 1
if isSafe(maze, i, j+1, mark):
deq.append((i, j+1))
mark[j+1][i] = 1
if isSafe(maze, i, j-1, mark):
deq.append((i, j-1))
mark[j-1][i] = 1
mark = [[0 for _ in range(m)] for _ in range(n)]
res = solve(maze, 0, 0, mark)
print(res)
2. BFS를 이용한 풀이
from collections import deque
n, m = map(int, input().split())
arr = []
for _ in range(n):
data = list(map(int, list(input())))
arr.append(data)
x, y = 0, 0
q = deque()
q.append((x, y))
dx = [1, -1, 0, 0]
dy = [0, 0, 1, -1]
while q:
x, y = q.popleft()
for i in range(4):
nx = x+dx[i]
ny = y+dy[i]
if not(0<=nx<n and 0<=ny<m):
continue
if arr[nx][ny] == 1:
arr[nx][ny] = arr[x][y] + 1
q.append((nx, ny))
print(arr[n-1][m-1])
흔한 유형의 문제다.
DFS보다는 BFS가 더 간결해 보인다.
다양한 방법으로 풀어보는게 좋을 것 같다.
'Problem Solving' 카테고리의 다른 글
[BOJ] 24040번 예쁜 케이크 (0) | 2022.01.03 |
---|---|
주어진 N의 크기에 맞는 Time Complexity는? (0) | 2022.01.02 |
[BOJ] 10825번 국영수 (0) | 2022.01.02 |
[BOJ] 9663번 N-Queen (0) | 2022.01.02 |
[BOJ] 2110번 공유기 설치 ★ (0) | 2022.01.02 |