CS/알고리즘

파이썬 7569번 토마토 파이썬 풀이

happy_life 2022. 3. 31. 19:57

파이썬 7569번 토마토 파이썬 풀이

문제

 

철수의 토마토 농장에서는 토마토를 보관하는 큰 창고를 가지고 있다. 토마토는 아래의 그림과 같이 격자모양 상자의 칸에 하나씩 넣은 다음, 상자들을 수직으로 쌓아 올려서 창고에 보관한다.

창고에 보관되는 토마토들 중에는 잘 익은 것도 있지만, 아직 익지 않은 토마토들도 있을 수 있다. 보관 후 하루가 지나면, 익은 토마토들의 인접한 곳에 있는 익지 않은 토마토들은 익은 토마토의 영향을 받아 익게 된다. 하나의 토마토에 인접한 곳은 위, 아래, 왼쪽, 오른쪽, 앞, 뒤 여섯 방향에 있는 토마토를 의미한다. 대각선 방향에 있는 토마토들에게는 영향을 주지 못하며, 토마토가 혼자 저절로 익는 경우는 없다고 가정한다. 철수는 창고에 보관된 토마토들이 며칠이 지나면 다 익게 되는지 그 최소 일수를 알고 싶어 한다.

토마토를 창고에 보관하는 격자모양의 상자들의 크기와 익은 토마토들과 익지 않은 토마토들의 정보가 주어졌을 때, 며칠이 지나면 토마토들이 모두 익는지, 그 최소 일수를 구하는 프로그램을 작성하라. 단, 상자의 일부 칸에는 토마토가 들어있지 않을 수도 있다


풀이과정

 

오답풀이

#토마토 3D
import sys
from collections import deque
M,N,H = map(int,input().split())

tomato_grah = []

#상하좌위아래
dx = [-1,1,0,0,-N,N]
dy = [0,0,-1,1,0,0]


for i in range(N*H):
    tomato_grah.append(list(map(int,sys.stdin.readline().rstrip().split())))

#토마토 익기전
# for i in tomato_grah:
#     print(i)

#익은 토마토 체크
ripen_tomato_cnt = 0
no_tomato_cnt = 0

ripen_tomato_queue = deque()
for i in range(N*H):
    for j in range(M):
        if(tomato_grah[i][j] == 1):
            ripen_tomato_cnt += 1
            ripen_tomato_queue.append([i,j])

        elif(tomato_grah[i][j] == -1):
            no_tomato_cnt += 1
# print(ripen_tomato_queue)

def BFS():
    #저장될 때부터 모든 토마토가 익어있는 상태이면 0을 출력
    if(ripen_tomato_cnt + no_tomato_cnt == (N*H)*(M)):
        print(0)
        return 

    while ripen_tomato_queue:
        x, y = ripen_tomato_queue.popleft()

        for i in range(6):
            nx = x + dx[i]
            ny = y + dy[i]
            

            if(0 <= nx < N*H and 0 <= ny < M):
                if (tomato_grah[nx][ny] == 0):
                    ripen_tomato_queue.append([nx,ny])
                    tomato_grah[nx][ny] = tomato_grah[x][y] + 1
                    for i in tomato_grah:
                        print(i)
                    print("------")
    #토마토밭 출력
    # for i in tomato_grah:
    #     print(i)
    #토마토가 모두 익지는 못하는 상황이면 -1을 출력해야 한다.
    for i in range(N*H):
        for j in range(M):
            if(tomato_grah[i][j] == 0):
                print(-1)
                return
                
    answer = max(map(max,tomato_grah)) - 1
    print(answer)
    return
    
BFS()

3차원 배열을 사용하지 않고 코드를 작성하려 하였으나, 오답.. 그 이유를 찾아보느라 무척이나 헤맸는데 이유는 아래와 같습니다.

입력값

입력값이 이럴 때에 다음날엔 노란 색부분만 2가 되어야하는데 빨간색 부분이 추가됩니다. 

같은 층이 아님에도 불구하고 이차원 배열은 같은 층으로 인식하기 때문입니다.

따라서 3차원 배열을 쓰거나, 2차원 배열안에서 층을 구분하기 위한 조건을 추가해주어야합니다.

2차원 배열안에서 층을 구분하는 경우, 바로 위는 가능하므로 예외처리를 해주어야 합니다.

 

 

 

 

정답코드1

#토마토 3D
import sys
from collections import deque
M,N,H = map(int,input().split())

tomato_grah = []

#상하좌위아래
dx = [-1,1,0,0,-N,N]
dy = [0,0,-1,1,0,0]


for i in range(N*H):
    tomato_grah.append(list(map(int,sys.stdin.readline().rstrip().split())))

#토마토 익기전
# for i in tomato_grah:
#     print(i)

#익은 토마토 체크
ripen_tomato_cnt = 0
no_tomato_cnt = 0

ripen_tomato_queue = deque()
for i in range(N*H):
    for j in range(M):
        if(tomato_grah[i][j] == 1):
            ripen_tomato_cnt += 1
            ripen_tomato_queue.append([i,j])

        elif(tomato_grah[i][j] == -1):
            no_tomato_cnt += 1
# print(ripen_tomato_queue)

def BFS():
    #저장될 때부터 모든 토마토가 익어있는 상태이면 0을 출력
    if(ripen_tomato_cnt + no_tomato_cnt == (N*H)*(M)):
        print(0)
        return 

    while ripen_tomato_queue:
        x, y = ripen_tomato_queue.popleft()

        floor = x//N 

        for i in range(6):
            nx = x + dx[i]
            ny = y + dy[i]
            
            if(0 <= nx < N*H and 0 <= ny < M):
                if (tomato_grah[nx][ny] == 0 and nx//N == floor):
                    ripen_tomato_queue.append([nx,ny])
                    tomato_grah[nx][ny] = tomato_grah[x][y] + 1
                    
                elif(tomato_grah[nx][ny] == 0):
                    if(i == 4 or i == 5):
                        ripen_tomato_queue.append([nx,ny])
                        tomato_grah[nx][ny] = tomato_grah[x][y] + 1

                
        # for i in tomato_grah:
        #     print(i)
        # print("-----")
    #토마토밭 출력
    # for i in tomato_grah:
    #     print(i)
    #토마토가 모두 익지는 못하는 상황이면 -1을 출력해야 한다.
    for i in range(N*H):
        for j in range(M):
            if(tomato_grah[i][j] == 0):
                print(-1)
                return
                
    answer = max(map(max,tomato_grah)) - 1
    print(answer)
    return
    
BFS()

if문을 사용하여 조건에 따른 분기처리를 해주었습니다.

먼저 2차원에서의 상하좌우만 고려하기 위해  아래와 같은 코드를 작성,

if (tomato_grah[nx][ny] == 0 and nx//N == floor):

3차원에서 위아래를 고려하기 위해 

elif(tomato_grah[nx][ny] == 0):
                    if(i == 4 or i == 5):

의 조건 분기처리를 하였습니다.

i =4 5 인 경우 3차원을 의미하는 dx[4] dx[5] 를 의미하기 때문입니다.

 

정답코드2(3차원 배열 이용)

#토마토 3D
import sys
from collections import deque
M,N,H = map(int,input().split())

a = [[list(map(int,input().split())) for i in range(N)] for depth in range(H)]

dx = [-1,1,0,0,0,0]
dy = [0,0,-1,1,0,0]
dz = [0,0,0,0,-1,1]

print("실제3차원 배열의 모습:",a)
for j in range(len(a)):
    print("----",j+1,"층","----")
    for i in a[j]:
        print(i)
    print("----",j+1,"층","----")


def bfs():
    while de:
        z,x,y = de.popleft()

        for i in range(6):
            nx = x + dx[i]
            ny = y + dy[i]
            nz = z + dz[i]

            if(0 <= nx < N and 0 <= ny < M and 0 <= nz < H):
                if a[nz][nx][ny] == 0:
                    a[nz][nx][ny] = a[z][x][y] + 1
                    de.append([nz,nx,ny])

de = deque()
for i in range(H):
    for j in range(N):
        for k in range(M):
            if(a[i][j][k] == 1):
                de.append([i,j,k])

bfs()

z = 1
result = -1
for i in a:
    for j in i:
        for k in j:
            if k == 0:
                z = 0
            
            result = max(result,k)

if(z == 0):
    print(-1)
elif(result == 1):
    print(0)
else:
    print(result -1)

 

배운점 && 공부방향