darklight
sublimevimemacs
Java
트럭 여러 대가 강을 가로지르는 일차선 다리를 정해진 순으로 건너려 합니다. 모든 트럭이 다리를 건너려면 최소 몇 초가 걸리는지 알아내야 합니다. 다리에는 트럭이 최대 bridge_length대 올라갈 수 있으며, 다리는 weight 이하까지의 무게를 견딜 수 있습니다. 단, 다리에 완전히 오르지 않은 트럭의 무게는 무시합니다.
예를 들어, 트럭 2대가 올라갈 수 있고 무게를 10kg까지 견디는 다리가 있습니다. 무게가 [7, 4, 5, 6]kg인 트럭이 순서대로 최단 시간 안에 다리를 건너려면 다음과 같이 건너야 합니다.
따라서, 모든 트럭이 다리를 지나려면 최소 8초가 걸립니다.
solution 함수의 매개변수로 다리에 올라갈 수 있는 트럭 수 bridge_length, 다리가 견딜 수 있는 무게 weight, 트럭 별 무게 truck_weights가 주어집니다. 이때 모든 트럭이 다리를 건너려면 최소 몇 초가 걸리는지 return 하도록 solution 함수를 완성하세요.
※ 공지 - 2020년 4월 06일 테스트케이스가 추가되었습니다.
import java.util.*;
class Solution {
public class truck{
int start;
int weight;
public truck(int start, int weight){
this.start = start;
this.weight = weight;
}
}
public int solution(int bridge_length, int weight, int[] truck_weights) {
int time = 0;
int total = 0;
Queue <truck> bridgeQueue = new LinkedList<>();
Queue <Integer> truckQueue = new LinkedList<>();
ArrayList <truck> success = new ArrayList<>();
for(int i : truck_weights){
truckQueue.add(i);
}
while(success.size() < truck_weights.length){
if(!bridgeQueue.isEmpty()){
if(time - bridgeQueue.peek().start == bridge_length){
truck t = bridgeQueue.poll();
total -= t.weight;
success.add(t);
}
}
if(bridgeQueue.size() <= bridge_length){
if(!truckQueue.isEmpty()){
if(truckQueue.peek() + total <= weight){
int t = truckQueue.poll();
total += t;
bridgeQueue.add(new truck(time, t));
}
}
}
time++;
}
return time;
}
}