취준/백준

[백준][Python][15558][BFS] 점프 게임

puff 2020. 3. 14. 20:18

문제 : https://www.acmicpc.net/problem/15558

 

15558번: 점프 게임

첫째 줄에 N과 k가 주어진다. (1 ≤ N, k ≤ 100,000) 둘째 줄에는 왼쪽 줄의 정보가 주어진다. i번째 문자가 0인 경우에는 위험한 칸이고, 1인 경우에는 안전한 칸이다. 셋째 줄에는 오른쪽 줄의 정보가 주어지고, 각 문자의 의미는 왼쪽 줄의 의미와 동일하다. 왼쪽 줄의 1번 칸은 항상 안전한 칸이다.

www.acmicpc.net

BFS 문제다.

 

현재 위치를 x, 현재 줄을 line, 현재 시간을 time이라 할 때, 큐에 각각 [(line+1) %2, x + (k, 1, -1), time+1]을 넣어준다.

이때,  ( (line+1) %2, x + (k, 1, -1) ) 에 대해 이미 탐색한 곳인지를 확인해야 한다.

또한, 새로운 위치가 N을 넘었는지, 그리고 지워진 칸에 있는지를 확인해야 한다.

 

특별히 복잡한 코드가 아니라서 코드로 보는게 더 좋다.

import sys
from collections import deque

n, k = [int(i) for i in sys.stdin.readline().split()]

d = []
v = dict()
for _ in range(2):
    d.append([int(i) for i in sys.stdin.readline().strip()])


q = deque()
q.append([0, 0, -1])
v[(0, 0)] = True

while q:
    line, x, time = q.popleft()


    # x+k
    newl, newx = (line+1)%2, x + k

    if newx >=n:
        print(1)
        sys.exit()
    if x <=time:
        continue
    if (newl,newx) not in v and d[newl][newx] ==1:
        q.append([newl, newx, time+1])
        v[(newl,newx)] = True

    # x+1
    newl, newx = line, x + 1
    if newx >=n:
        print(1)
        sys.exit()
    if x <=time:
        continue
    if (newl,newx) not in v and d[newl][newx] ==1:
        q.append([newl, newx, time+1])
        v[(newl,newx)] = True
    # x-1

    newl, newx = line, x - 1
    if newx >=n:
        print(1)
        sys.exit()

    if x <=time:
        continue

    if (newl,newx) not in v and d[newl][newx] ==1:
        q.append([newl, newx, time+1])
        v[(newl,newx)] = True

print(0)