https://www.acmicpc.net/problem/16985
Step1. 순열 생성 -> 블록이 쌓이는 순서를 생성해준다. 여기서는 5! 경우의 수
Step2. 회전 -> 각 층에 있는 블록은 독립적으로 회전한다. 블록당 4번 회전할 수 있으므로, 4^5 의 경우의 수
Step3. 탐색 -> (0,0,0) 부터 (4,4,4) 까지 BFS탐색으로 최단거리를 리턴한다. 최악일때 5*5*5
3차원 큐브에 있는 1칸짜리 블록은 상하좌우앞뒤 6 방향으로 움직일 수 있다.
즉, 6방향의 direction으로 BFS 탐색을 하면 해결할 수 있다.
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
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
|
from itertools import permutations as perm
from collections import deque
from copy import deepcopy
def bfs(z, y, x):
if maze[z][y][x] == 0:
return -1
queue = deque()
queue.append((z, y, x))
dist = [[[-1] * 5 for _ in range(5)] for _ in range(5)]
dist[z][y][x] = 0
while queue:
curr_z, curr_y, curr_x = queue.popleft()
for d in direction:
next_z = curr_z + d[0]
next_y = curr_y + d[1]
next_x = curr_x + d[2]
if 0<=next_z<5 and 0<=next_y<5 and 0<=next_x<5:
if maze[next_z][next_y][next_x] == 1 and dist[next_z][next_y][next_x] == -1:
dist[next_z][next_y][next_x] = dist[curr_z][curr_y][curr_x] + 1
queue.append((next_z, next_y, next_x))
return dist[4][4][4]
def clockwise(a): # 회전
tmp = a[0][:]
a[0][:] = a[4][0], a[3][0], a[2][0], a[1][0], a[0][0]
a[4][0], a[3][0], a[2][0], a[1][0], a[0][0] = a[4][4::-1]
a[4][4::-1] = a[0][4], a[1][4], a[2][4], a[3][4], a[4][4]
a[0][4], a[1][4], a[2][4], a[3][4], a[4][4] = tmp
tmp = a[1][1:4]
a[1][1:4] = a[3][1], a[2][1], a[1][1]
a[3][1], a[2][1], a[1][1] = a[3][3:0:-1]
a[3][3:0:-1] = a[1][3], a[2][3], a[3][3]
a[1][3], a[2][3], a[3][3] = tmp
MAZE = [[list(map(int, input().split())) for _ in range(5)] for _ in range(5)]
direction = ((-1, 0, 0), (1, 0, 0), (0, -1, 0), (0, 1, 0), (0, 0, -1), (0, 0, 1))
block_perm = list(perm(list(range(5)))) # 순열 생성.
answer = -1
while block_perm:
bp = block_perm.pop(0)
maze = []
for b in bp:
maze.append(deepcopy(MAZE[b])) # 생성한 순열 순서대로 블럭을 쌓아준다.
# 블럭을 밑에서부터 1번씩 회전시키면서 최단경로 탐색하기
for _ in range(4):
for _ in range(4):
for _ in range(4):
for _ in range(4):
for _ in range(4):
cnt = bfs(0,0,0)
if cnt != -1:
if answer == -1 or cnt < answer:
answer = cnt
clockwise(maze[4])
clockwise(maze[3])
clockwise(maze[2])
clockwise(maze[1])
clockwise(maze[0])
print(answer)
|
cs |
728x90
반응형
'Problem Solving > BOJ' 카테고리의 다른 글
[Python]15559. 내 선물을 받아줘 (0) | 2019.04.14 |
---|---|
[Python]13335. 트럭 (0) | 2019.04.13 |
[Python]17070. 파이프 옮기기1 (0) | 2019.04.12 |
[Python]16918. 봄버맨 (0) | 2019.04.11 |
[Python]5373. 큐빙 (0) | 2019.04.11 |
댓글