문제 설명
트럭 여러 대가 강을 가로지르는 일 차선 다리를 정해진 순으로 건너려 합니다. 모든 트럭이 다리를 건너려면 최소 몇 초가 걸리는지 알아내야 합니다. 트럭은 1초에 1만큼 움직이며, 다리 길이는 bridge_length이고 다리는 무게 weight까지 견딥니다.
※ 트럭이 다리에 완전히 오르지 않은 경우, 이 트럭의 무게는 고려하지 않습니다.
예를 들어, 길이가 2이고 10kg 무게를 견디는 다리가 있습니다. 무게가 [7, 4, 5, 6]kg인 트럭이 순서대로 최단 시간 안에 다리를 건너려면 다음과 같이 건너야 합니다.
경과 시간다리를 지난 트럭다리를 건너는 트럭대기 트럭
0 | [] | [] | [7,4,5,6] |
1~2 | [] | [7] | [4,5,6] |
3 | [7] | [4] | [5,6] |
4 | [7] | [4,5] | [6] |
5 | [7,4] | [5] | [6] |
6~7 | [7,4,5] | [6] | [] |
8 | [7,4,5,6] | [] | [] |
따라서, 모든 트럭이 다리를 지나려면 최소 8초가 걸립니다.
solution 함수의 매개변수로 다리 길이 bridge_length, 다리가 견딜 수 있는 무게 weight, 트럭별 무게 truck_weights가 주어집니다. 이때 모든 트럭이 다리를 건너려면 최소 몇 초가 걸리는지 return 하도록 solution 함수를 완성하세요.
제한 조건
- bridge_length는 1 이상 10,000 이하입니다.
- weight는 1 이상 10,000 이하입니다.
- truck_weights의 길이는 1 이상 10,000 이하입니다.
- 모든 트럭의 무게는 1 이상 weight 이하입니다.
입출력 예
bridge_lengthweighttruck_weightsreturn
2 | 10 | [7,4,5,6] | 8 |
100 | 100 | [10] | 101 |
100 | 100 | [10,10,10,10,10,10,10,10,10,10] | 110 |
나의 풀이
import java.util.LinkedList;
import java.util.Queue;
class Truck {
public int time;
public int myWeight;
public int getTime() {
return this.time;
}
public void setTime(int time) {
this.time = time;
}
public int getMyWeight() {
return this.myWeight;
}
public void setMyWeight(int myWeight) {
this.myWeight = myWeight;
}
}
public class sq_02 {
//https://programmers.co.kr/learn/courses/30/lessons/42583
//꽤 난이도
public int solution(int bridge_length, int weight, int[] truck_weights) {
int time = 1;
Queue<Object> comingTruckQue = new LinkedList<Object>();
Queue<Object> waitingTruckQue = new LinkedList<Object>();
//견딜수있는 무게
int tot_weight = 0;
Truck [] trucks = new Truck[truck_weights.length];
//대기큐에 Truck 객체를 넣음
for(int i=0; i<trucks.length; i++) {
trucks[i] = new Truck();
trucks[i].setMyWeight(truck_weights[i]);
trucks[i].setTime(bridge_length);
waitingTruckQue.offer(trucks[i]);
}
tot_weight += ((Truck) waitingTruckQue.peek()).getMyWeight();
//comingQue에 대기큐의 peek() 객체를 집어넣는다.
comingTruckQue.offer(waitingTruckQue.poll());
while(!comingTruckQue.isEmpty()) {
for ( Object a : comingTruckQue) {
int k = ((Truck) a).getTime();
((Truck) a).setTime(k-1);
}
//다리위에 있는 시간이(bridge_length)이 지났다면
if(((Truck) comingTruckQue.peek()).getTime() <= 0) {
tot_weight -= ((Truck) comingTruckQue.poll()).getMyWeight();
}
if(!waitingTruckQue.isEmpty() && tot_weight + ((Truck) waitingTruckQue.peek()).getMyWeight() <= weight) {
tot_weight += ((Truck) waitingTruckQue.peek()).getMyWeight();
comingTruckQue.offer(waitingTruckQue.poll());
}
time++;
}
return time;
}
}
'알고리즘 && 자료구조' 카테고리의 다른 글
자바 - DFS(Depth First Search) 구현 (2) | 2020.04.21 |
---|---|
프로그래머스 42839번 (순열 문제) (0) | 2020.03.01 |
대표적인 정렬 알고리즘(선택,버블,삽입) (0) | 2020.01.26 |
프로그래머스(정렬)-k번째 풀이 (0) | 2020.01.25 |
PriorityQueue(우선순위 큐) 알고리즘 파버리기 (0) | 2020.01.22 |