Priceless

[백준] 7569번: 토마토 (C++) 본문

Algorithm & Test/백준

[백준] 7569번: 토마토 (C++)

Hyun__ 2023. 9. 8. 17:51

3차원으로 접근하는 BFS 문제

3차원으로 접근해야 하므로 움직이는 방향 또한 x축, y축, z축에 맞게 설정한다

 

BFS를 진행한 후

모든 토마토를 검사했을 때 0이 있다면 -1을 출력하고 즉시 종료한다

 

테스트 케이스는 1회이므로 

별도의 방문 여부 기록과 reset함수를 구현하지 않았다

 

크기의 제한이 있어서 그런가 생각보다 시간을 많이 소요되진 않았다

// baekjoon 7569

#include<iostream>
#include<algorithm>
#include<queue>
using namespace std;

// codes for fast I/O
void init(){
    cin.tie(0);
    cout.tie(0);
    ios_base::sync_with_stdio(false);
}


int arr[101][101][101];
//bool visited[101][101][101] ;

int dir[6][3] = {{1,0,0}, {0,1,0}, {-1,0,0}, {0,-1,0}, {0,0,1}, {0,0,-1}};

int M, N, H;
queue<pair<pair<int, int>,int>> q;


// BFS
void bfs(){
    int count = 0;
    while (!q.empty()) {
        int size = q.size();
        count++;
        
        for(int i = 0; i < size; i++){
            int x = q.front().first.first;
            int y = q.front().first.second;
            int z = q.front().second;
            
            q.pop();
            
            for(int j = 0; j < 6; j++){
                int nx = x + dir[j][0];
                int ny = y + dir[j][1];
                int nz = z + dir[j][2];
                
                if((nx >= 0 && nx < M) && (ny >= 0 && ny < N) && (nz >= 0 && nz < H) && arr[nz][ny][nx] == 0){
                    q.push({{nx, ny}, nz});
                    arr[nz][ny][nx] = 1;
                }
            }
        }
    }
    
    for(int i = 0; i < H; i++){
        for(int j = 0; j < N; j++){
            for(int k = 0; k < M; k++){
                if(arr[i][j][k] == 0){
                    cout << -1;
                    return;
                }
            }
        }
    }
    
    cout << count - 1;
}


// 배열, 방문여부, 큐 초기화
/*
void reset(){
}
*/

int main(){
    init();
    
    cin >> M >> N >> H;
    
    for(int i = 0; i < H; i++){
        for(int j = 0; j < N; j++){
            for(int k = 0; k < M; k++){
                cin >> arr[i][j][k];
                
                if(arr[i][j][k] == 1){
                    q.push({{k,j},i});
                }
            }
        }
    }
    bfs();
}

 

참고 사이트

백준 7569 토마토 c++ (bfs) (tistory.com)