프로그래머스 문제풀이/LEVEL 2

[C++] 프로그래머스 문제풀이 LEVEL 2 무인도 여행

코딩준우 2023. 7. 5. 12:48

 

https://school.programmers.co.kr/learn/courses/30/lessons/154540

 

프로그래머스

코드 중심의 개발자 채용. 스택 기반의 포지션 매칭. 프로그래머스의 개발자 맞춤형 프로필을 등록하고, 나와 기술 궁합이 잘 맞는 기업들을 매칭 받으세요.

programmers.co.kr

 

 

#include <string>
#include <vector>
#include <algorithm>
#include <queue>
#include <iostream>
 
using namespace std;
 
vector<int> answer;
bool check[101][101];
int dx[] = {0,0,-1,1};
int dy[] = {-1,1,0,0};
 
void bfs(vector<string> maps, int k, int j) {
    queue<pair<int,int>> q;
    q.push({k,j});
    check[k][j] = true;
    
    int result = 0;
    
    while(!q.empty()) {
        int x = q.front().first;
        int y = q.front().second;
        result += (maps[x][y] - '0');
        q.pop();
        
        for(int i=0; i<4; i++) {
            int nx = dx[i] + x;
            int ny = dy[i] + y;
            if(nx < 0 || ny < 0 || nx >= maps.size() || ny >= maps[k].size() || check[nx][ny]) {continue;}            
            if(maps[nx][ny] != 'X') {
                check[nx][ny] = true;
                q.push({nx,ny});    
            }
            
        }
    }
    
    answer.push_back(result);   
}
 
vector<int> solution(vector<string> maps) {
    for(int i=0; i<maps.size(); i++) {
        for(int j=0; j<maps[i].size(); j++) {
            if(maps[i][j] != 'X' && !check[i][j]) {
                bfs(maps,i,j);
            }
        }
    }
    
    sort(answer.begin(),answer.end());
    
    if(answer.size() == 0) { answer.push_back(-1); }
    return answer;
}