본문 바로가기

알고리즘 공부 및 문제 풀이/프로그래머스(PRO)

[pro] 프로그래머스 level2 154540 무인도 여행 (Java) - BFS

[문제]

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

 

프로그래머스

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

programmers.co.kr

 

[풀이]

단순 bfs 풀이. 

 

[코드]

 

import java.util.*;

class Solution {
    boolean[][] visited;
    int[] dr = {0, 0, -1, 1};
    int[] dc = {-1, 1, 0, 0};
    Queue<Point> q = new LinkedList<>();
    int w, h;
    public int[] solution(String[] maps) {
        int[] answer = {};
        //각 섬에서 최대 며칠씩 머무를 수 있는지 배열에 오름차순으로 담아 return 
        
        h = maps.length;
        w = maps[0].length();
        
        List<Integer> list = new ArrayList<>();
        
        visited = new boolean[h][w];
        int idx = 0;
        boolean flag = false;
        for(int i=0; i<h; i++){
            for(int j=0; j<w; j++){
                if(visited[i][j] || maps[i].charAt(j)=='X') continue;
                else {
                    flag = true;
                    list.add(bfs(i, j, maps));
                }
            }
        }
        
        if(!flag) return new int[]{-1};
        
        Collections.sort(list);
        
        answer = list.stream().mapToInt(i->i).toArray();
        
        return answer;
    }
    
    public int bfs(int r, int c, String[] maps){
        q.add(new Point(r, c));
        visited[r][c] = true;
        int sum = maps[r].charAt(c)-'0';
        
        while(!q.isEmpty()){
            Point p = q.poll();
            
            for(int i=0; i<4; i++){
                int nr = p.r + dr[i];
                int nc = p.c + dc[i];

                if(nr<0 || nc<0 || nr>=h || nc>=w || visited[nr][nc]) continue;
                if(maps[nr].charAt(nc)=='X') continue;

                visited[nr][nc] = true;
                sum += maps[nr].charAt(nc)-'0';
                q.add(new Point(nr, nc));
            }
        }
        
        
        return sum;
    }
    
    static class Point{
        int r, c;
        Point(int r, int c){
            this.r = r;
            this.c = c;
        }
    }
}