题目:
最优服务次序问题:设有n个顾客同时等待一项服务。顾客i需要的服务时间为ti,1<=i<=n。应如何安排n个顾客的服务次序,才能使平均等待时间最少?平均等待时间是n个顾客等待服务时间的总和除以n。
思路:
先服务等待时间最少的顾客,因此首先需要对顾客需要的服务时间进行排序,且每个顾客的等待时间除了自身需要的服务时间外,还需加上自己开始被服务前的等待时间(比自己的服务时间短的顾客的服务时间总和),最后对每个顾客的等待加服务时间进行求和求平均,即为最短平均等待时间。
附上代码:
// Chapter9_3.cpp : Defines the entry point for the application.
// 最优服务次序问题:设有n个顾客同时等待一项服务。顾客i需要的服务时间为ti,1<=i<=n。
// 应如何安排n个顾客的服务次序,才能使平均等待时间最少?
// 平均等待时间是n个顾客等待服务时间的总和除以n。
#include "stdafx.h"
#include
using namespace std;
//排序
//从小到大,参数为:数组,数组个数
void funSort(int *a,int n)
{
int temp;
for(int i=0;ia[j])
{
temp = a[i];
a[i] = a[j];
a[j] = temp;
}
}
}
int minWaitingTime(int *a,int n) //数组a为顾客的服务时间
{
int *b = new int[n];
int i,sum=0;
for(i=0;i> N;
int *time = new int[N]; //用户输入的各顾客的服务时间
cout << "input the need service time of each customer: " << endl;
for(i=0;i> time[i];
}
funSort(time,N);
cout << "排序后的数组为: ";
for(i=0;i
运行结果为:
另外,也可以用vector代替数组,避免了动态分配内存,程序如下:
#include "stdafx.h"
#include
#include
using namespace std;
void funSort(vector&a)
{
int temp,n;
n = a.end()-a.begin();
for(int i=0;ia[j])
{
temp = a[i];
a[i] = a[j];
a[j] = temp;
}
}
}
int minWaitingTime(vectora) //数组a为顾客的服务时间
{
vectorb;
int i,n,sum=0;
n = a.end()-a.begin();
for(i=0;itime;
cout << "input the number of the customer: ";
cin >> N;
cout << "input the need service time of each customer: " << endl;
for(i=0;i> temp;
time.push_back(temp);
}
funSort(time);
aveTime = minWaitingTime(time);
cout << "the least average waiting time is: " << aveTime << endl;
system("pause");
return 0;
}
运行结果和之前一样。