목차
미로탐색
7*7 격자판 미로를 탈출하는 경로의 가지수를 출력하는 프로그램을 작성하세요. 출발점은 격 자의 (1, 1) 좌표이고, 탈출 도착점은 (7, 7)좌표이다. 격자판의 1은 벽이고, 0은 통로이다. 격 자판의 움직임은 상하좌우로만 움직인다. 미로가 다음과 같다면
위의 지도에서 출발점에서 도착점까지 갈 수 있는 방법의 수는 8가지이다.
▣ 입력설명
7*7 격자판의 정보가 주어집니다.
▣ 출력설명
첫 번째 줄에 경로의 가지수를 출력한다.
▣ 입력예제 1
0 0 0 0 0 0 0
0 1 1 1 1 1 0
0 0 0 1 0 0 0
1 1 0 1 0 1 1
1 1 0 0 0 0 1
1 1 0 1 1 0 0
1 0 0 0 0 0 0
▣ 출력예제 1
8
나의 코드
def DFS(x,y):
global cnt
if x==6 and y==6:
cnt+=1
for k in range(4):
nx=x+dx[k]
ny=y+dy[k]
if 0<=nx<7 and 0<=ny<7 and ch[nx][ny]==0 and arr[nx][ny]==0:
ch[nx][ny]=1
DFS(nx,ny)
ch[nx][ny]=0
arr=[list(map(int,input().split())) for _ in range(7)]
dx=[-1,0,1,0]
dy=[0,1,0,-1]
ch=[[0]*7 for _ in range(7)]
cnt=0
ch[0][0]=1
DFS(0,0)
print(cnt)
전형적인 DFS 탐색문제이며 체크 한뒤 DFS탐색후 끝나면 ch 체크를 풀어줘야한다.
정답 코드
import sys
from collections import deque
#sys.stdin=open("input.txt", "r")
dx=[-1, 0, 1, 0]
dy=[0, 1, 0, -1]
def DFS(x, y):
global cnt
if x==6 and y==6:
cnt+=1
else:
for i in range(4):
xx=x+dx[i]
yy=y+dy[i]
if 0<=xx<=6 and 0<=yy<=6 and board[xx][yy]==0:
board[xx][yy]=1
DFS(xx, yy)
board[xx][yy]=0
if __name__=="__main__":
board=[list(map(int, input().split())) for _ in range(7)]
cnt=0
board[0][0]=1
DFS(0, 0)
print(cnt)
나의 코드와 완전 일치~
'코딩테스트[파이썬] > 알고리즘 문제풀이 입문' 카테고리의 다른 글
[DFS,BFS활용] - 단지 번호 붙이기 (0) | 2024.02.11 |
---|---|
[DFS 활용] - 등산경로 (0) | 2024.02.11 |
[BFS 활용] - 미로의 최단거리 통로 (0) | 2024.02.11 |
[BFS활용] - 사과나무 (0) | 2024.02.11 |
[BFS활용] - 송아지 찾기 (2) | 2024.02.11 |