这里用实现Quene接口的LinkedList作为队列容器,实现一个简单的测试顾客访问卖票柜台的窗口数量设置问题。
要求假定如下:
- 顾客只排成一队,先到的人先去窗口得到服务。
- 平均每15秒会来一位顾客。
- 如果有空闲的售票口顾客抵达之后就会立刻开始处理。
- 从顾客来到售票口到处理完顾客请求,这个过程平均为2分钟。
模拟100个顾客参与测试。计算每个顾客需要等待的平均时间
public class TickerCount {
final static int PROCESS = 120; //客人买票需要消耗的时间
final static int MAX_CASHIERS=10; //测试的最大售票窗口数
final static int NUM_CUSTOMERS=100; //测试客人的总数量
public static void main(String[] args) {
Customer customer;
Queue<Customer> customerQueue=new LinkedList<Customer>(); //这里使用Queue的实现类LinkedList
int[] cashierTime=new int[MAX_CASHIERS]; //定义一个数组保存每个窗口消耗的时间总数
int totalTime,averageTime,departs,start;
//外层大循环表示本次参与测试的窗口数量,依次测试从1到10;因为是从0开始的,所以是从0至9;
for(int cashiers=0;cashiers<MAX_CASHIERS;cashiers++){
//没次循环都要给每个参与测试的窗口时间累计清零
for(int count=0;count<cashiers;count++)
cashierTime[count]=0;
//乘客入队列,到达时间每个15秒入队一个,乘客对象保存着他的到达时间
for(int count=1;count<=NUM_CUSTOMERS;count++)
customerQueue.add(new Customer(count*15));
totalTime=0;
//开始模拟
while(!(customerQueue.isEmpty())){//如果顾客队列不为空
//这里挨个窗口给他放进去顾客算时间。
for(int count=0;count<=cashiers;count++){
if(!(customerQueue.isEmpty())){
//每次给窗口放顾客都会减少队列里的顾客,所以这里也要判断。为空则结束去打印
customer=customerQueue.remove();//取出顾客
if(customer.getArrivalTime()>cashierTime[count])
//判断顾客的到达时间和队列处理之前顾客所需消耗时间的大小,
start=customer.getArrivalTime();//如果大于说明窗口是空的则可以直接处理
else
start=cashierTime[count];//如果小于,说明还有没处理的,把处理好的时间设为开始时间
departs=start+PROCESS;//离开时间等于开始时间加上处理过程时间
customer.setDepartureTime(departs); //设置顾客的离开时间
cashierTime[count]=departs;//重设当前窗口的时间
totalTime+=customer.totalTime();//把每个顾客的总时间加起来
}
}
}
averageTime=totalTime/NUM_CUSTOMERS;
System.out.println("Number of cashiers:"+(cashiers+1));
System.out.println("Average time"+averageTime+"\n");
}
}
}
其输出结果如下
Number of cashiers:1
Average time5317
Number of cashiers:2
Average time2325
Number of cashiers:3
Average time1332
Number of cashiers:4
Average time840
Number of cashiers:5
Average time547
Number of cashiers:6
Average time355
Number of cashiers:7
Average time219
Number of cashiers:8
Average time120
Number of cashiers:9
Average time120
Number of cashiers:10
Average time120
据结果可以按要求设置合适数量的窗口。