ABOUT ME

-

Today
-
Yesterday
-
Total
-
  • [Programmers] 호텔 대실 (JAVA)
    Algorithm 2023. 9. 3. 00:57
    728x90

    문제 설명

    호텔을 운영 중인 코니는 최소한의 객실만을 사용하여 예약 손님들을 받으려고 합니다. 한 번 사용한 객실은 퇴실 시간을 기준으로 10분간 청소를 하고 다음 손님들이 사용할 수 있습니다.
    예약 시각이 문자열 형태로 담긴 2차원 배열 book_time이 매개변수로 주어질 때, 코니에게 필요한 최소 객실의 수를 return 하는 solution 함수를 완성해주세요.


    제한사항
    • 1 ≤ book_time의 길이 ≤ 1,000
      • book_time[i]는 ["HH:MM", "HH:MM"]의 형태로 이루어진 배열입니다
        • [대실 시작 시각, 대실 종료 시각] 형태입니다.
      • 시각은 HH:MM 형태로 24시간 표기법을 따르며, "00:00" 부터 "23:59" 까지로 주어집니다.
        • 예약 시각이 자정을 넘어가는 경우는 없습니다.
        • 시작 시각은 항상 종료 시각보다 빠릅니다.

     

    Solution

    import java.util.ArrayList;
    import java.util.PriorityQueue;
    
    public class 호텔대실 {
      public int solution(String[][] book_time) {
        ArrayList<BookTime> booktimes = new ArrayList<BookTime>();
        for (String[] bookTime : book_time) {
          booktimes.add(new BookTime(bookTime[0], bookTime[1]));
        }
        booktimes.sort((a, b) -> a.checkin == b.checkin ? a.checkout - b.checkout : a.checkin - b.checkin);
        PriorityQueue<Integer> queue = new PriorityQueue<Integer>();
        for (BookTime bookTime : booktimes) {
          if (queue.size() == 0) {
            queue.add(bookTime.checkout);
            continue;
          }
    
          int prevBookTime = queue.peek();
          if (bookTime.checkin >= prevBookTime) {
            queue.poll();
            queue.add(bookTime.checkout);
          } else {
            queue.add(bookTime.checkout);
          }
        }
    
        return queue.size();
      }
    
      static class BookTime {
        public int checkin;
        public int checkout;
    
        BookTime (String checkin, String checkout) {
          this.checkin = convertToInt(checkin);
          this.checkout = convertToInt(checkout) + 10;
        }
    
        private int convertToInt(String time) {
          String[] splitedTime = time.split(":");
          return Integer.parseInt(splitedTime[0]) * 60 + Integer.parseInt(splitedTime[1]);
        }
      }
    }
    
    728x90
Designed by Tistory.