在LeetCode商店中, 有许多在售的物品。
然而,也有一些大礼包,每个大礼包以优惠的价格捆绑销售一组物品。
现给定每个物品的价格,每个大礼包包含物品的清单,以及待购物品清单。请输出确切完成待购清单的最低花费。
每个大礼包的由一个数组中的一组数据描述,最后一个数字代表大礼包的价格,其他数字分别表示内含的其他种类物品的数量。
任意大礼包可无限次购买。
示例 1:
输入: [2,5], [[3,0,5],[1,2,10]], [3,2]
输出: 14
解释:
有A和B两种物品,价格分别为¥2和¥5。
大礼包1,你可以以¥5的价格购买3A和0B。
大礼包2, 你可以以¥10的价格购买1A和2B。
你需要购买3个A和2个B, 所以你付了¥10购买了1A和2B(大礼包2),以及¥4购买2A。
示例 2:
输入: [2,3,4], [[1,1,0,4],[2,2,1,9]], [1,2,1]
输出: 11
解释:
A,B,C的价格分别为¥2,¥3,¥4.
你可以用¥4购买1A和1B,也可以用¥9购买2A,2B和1C。
你需要买1A,2B和1C,所以你付了¥4买了1A和1B(大礼包1),以及¥3购买1B, ¥4购买1C。
你不可以购买超出待购清单的物品,尽管购买大礼包2更加便宜。
说明:
最多6种物品, 100种大礼包。
每种物品,你最多只需要购买6个。
你不可以购买超出待购清单的物品,即使更便宜。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/shopping-offers
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
算法思路来源:https://blog.csdn.net/qq_37388085/article/details/100641602
python代码如下:
class Solution(object):
def shoppingOffers(self, price, special, needs):
"""
:type price: List[int]
:type special: List[List[int]]
:type needs: List[int]
:rtype: int
使用递归的思路,对于大礼包集合中的每一个礼包,
计算needs中去掉该礼包后的最小花费和购买当前礼
包所需的花费的总合,然后和不购买礼包的价格相比较,
选择较小的价格。
"""
minMoney = 0 #该变量用于存储所需花费的最小值
for i in range(len(needs)): #该循环用于计算不购买礼包的花费
minMoney += needs[i] * price[i]
for i in range(len(special)): #遍历大礼包集合中的每个礼包
if self.isValidSpecial(special[i], needs): #如果该礼包符合条件,则进入if中进行运算
newNeed = [0] * len(needs) #newNeed用于存储购买了该礼包后剩余需要购买的物品的数量
for j in range(len(needs)):
newNeed[j] = needs[j] - special[i][j] #新的needs = 旧的needs - 礼包中物品的个数
moneyTmp = self.shoppingOffers(price, special, newNeed) + special[i][len(special[i]) - 1]
minMoney = min(minMoney, moneyTmp)
return minMoney
def isValidSpecial(self, specialSingle, needs):
#该函数的功能是判断大礼包中某一个物品的数量是否超过所需的物品的数量,
# 如果超过了所需的数量,则抛弃该礼包。
for i in range(len(needs)):
if specialSingle[i] > needs[i]:
return False
return True
x = Solution()
price = [2,3,4]
special = [[1,1,0,4],[2,2,1,9]]
needs = [1,2,1]
res = x.shoppingOffers(price, special, needs)
print(res)
输出: 11
go代码:
package main
import (
"fmt"
"math"
)
func isValidSpecial(specialSingle []int, needs []int) bool {
for i := 0; i < len(needs); i ++ {
if specialSingle[i] > needs[i] {
return false
}
}
return true
}
func shoppingOffers(price []int, special [][]int, needs []int) int {
var minMoney int
minMoney = 0
for i := 0; i < len(needs); i ++ {
minMoney += price[i] * needs[i]
}
for i := 0; i < len(special); i ++ {
newNeed := make([]int, len(needs))
if isValidSpecial(special[i], needs) {
for j := 0; j < len(needs); j ++ {
newNeed[j] = needs[j] - special[i][j]
}
tmpMoney := shoppingOffers(price, special, newNeed) + special[i][len(special[i]) - 1]
minMoney = int(math.Min(float64(minMoney), float64(tmpMoney)))
}
}
return minMoney
}
func main() {
price := []int{2,3,4}
special := [][]int{{1,1,0,4}, {2,2,1,9}}
needs := []int{1,2,1}
t := shoppingOffers(price, special, needs)
fmt.Println(t)
}