安排工作以达到最大收益Java
文章发布较早,内容可能过时,阅读注意甄别。
# 题目
你有 n 个工作和 m 个工人。给定三个数组: difficulty, profit 和 worker ,其中:
- difficulty[i] 表示第 i 个工作的难度,profit[i] 表示第 i 个工作的收益。
- worker[i] 是第 i 个工人的能力,即该工人只能完成难度小于等于 worker[i] 的工作。
每个工人 最多 只能安排 一个 工作,但是一个工作可以 完成多次 。
- 举个例子,如果 3 个工人都尝试完成一份报酬为 $1 的同样工作,那么总收益为 $3 。如果一个工人不能完成任何工作,他的收益为 $0 。
返回 在把工人分配到工作岗位后,我们所能获得的最大利润 。
示例 1:
输入: difficulty = [2,4,6,8,10], profit = [10,20,30,40,50], worker = [4,5,6,7]
输出: 100
解释: 工人被分配的工作难度是 [4,4,6,6] ,分别获得 [20,20,30,30] 的收益。
示例 2:
输入: difficulty = [85,47,57], profit = [24,66,99], worker = [40,25,25]
输出: 0
提示:
- n == difficulty.length
- n == profit.length
- m == worker.length
- 1 <= n, m <= 104
- 1 <= difficulty[i], profit[i], worker[i] <= 105
# 思路
// 遍历woker,每一个woker的难度与difficulty比较,取最大难度的,也就是对应的profit最大。相加得到此woker的最大profit。就是用时比较长点
# 解法
class Solution {
// 遍历woker,每一个woker的难度与difficulty比较,取最大难度的,也就是对应的profit最大。相加得到此woker的最大profit。就是用时比较长点
public int maxProfitAssignment(int[] difficulty, int[] profit, int[] worker) {
int totalMaxProfit = 0;
for(int i = 0; i < worker.length; i++){
int maxProfit = 0;
for(int j = 0; j < difficulty.length; j++)
if(difficulty[j] <= worker[i]){
maxProfit = Math.max(maxProfit, profit[j]);
}
totalMaxProfit += maxProfit;
}
return totalMaxProfit;
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
# 总结
- 分析出几种情况,然后分别对各个情况实现