2548. Maximum Price to Fill a Bag π
Description
You are given a 2D integer array items where items[i] = [pricei, weighti] denotes the price and weight of the ith item, respectively.
You are also given a positive integer capacity.
Each item can be divided into two items with ratios part1 and part2, where part1 + part2 == 1.
- The weight of the first item is
weighti * part1and the price of the first item ispricei * part1. - Similarly, the weight of the second item is
weighti * part2and the price of the second item ispricei * part2.
Return the maximum total price to fill a bag of capacity capacity with given items. If it is impossible to fill a bag return -1. Answers within 10-5 of the actual answer will be considered accepted.
Example 1:
Input: items = [[50,1],[10,8]], capacity = 5 Output: 55.00000 Explanation: We divide the 2nd item into two parts with part1 = 0.5 and part2 = 0.5. The price and weight of the 1st item are 5, 4. And similarly, the price and the weight of the 2nd item are 5, 4. The array items after operation becomes [[50,1],[5,4],[5,4]]. To fill a bag with capacity 5 we take the 1st element with a price of 50 and the 2nd element with a price of 5. It can be proved that 55.0 is the maximum total price that we can achieve.
Example 2:
Input: items = [[100,30]], capacity = 50 Output: -1.00000 Explanation: It is impossible to fill a bag with the given item.
Constraints:
1 <= items.length <= 105items[i].length == 21 <= pricei, weighti <= 1041 <= capacity <= 109
Solutions
Solution 1: Greedy + Sorting
We sort the items in descending order by unit price, and then take out the items one by one until the backpack is full.
If the backpack is not full in the end, return \(-1\), otherwise return the total price.
The time complexity is \(O(n \times \log n)\), and the space complexity is \(O(\log n)\), where \(n\) is the number of items.
1 2 3 4 5 6 7 8 | |
1 2 3 4 5 6 7 8 9 10 11 12 13 | |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 | |
1 2 3 4 5 6 7 8 9 10 11 12 13 | |
1 2 3 4 5 6 7 8 9 10 | |