题目描述:
解题思路:
如果m >= n,机器的数量更多,每台机器给分配一个作业即可,不用设计等待时间
如果m < n,作业的数量更多,优先选择长时间任务执行,短任务等待时间少
代码实现:
#include <iostream>
#include <algorithm>
#include <cstdio>
using namespace std;
const int N = 100;
int target[N]; // 存储完成任务所需要的时间
int machine[N]; // 存储当前机器执行完任务所需要的的时间
int main() {
int n, m;
cin >> n >> m;
for (int i = 0; i < n; i++) {
cin >> target[i];
}
auto f = [] (const int& x, const int& y) {return x > y;};
sort(target, target + n, f);
if (m > n) {
return target[0];
}
int res = 0; // 等待时间之和
for (int i = 0; i < n; i++) {
res += *min_element(machine, machine + m);
*min_element(machine, machine + m) += target[i]; // 给最先完成任务的机器分配新的任务
}
cout << "等待时间 : " << res << endl;
cout << "完成全部任务所需最短时间 : " << *max_element(machine, machine + m) << endl; // 完成全部作业所需最短时间
return 0;
}