gpt4 book ai didi

python - 背包问题(经典)

转载 作者:行者123 更新时间:2023-11-28 16:52:15 26 4
gpt4 key购买 nike

所以我必须解决类的背包问题。到目前为止,我想出了以下内容。我的比较器是确定两个主题中哪一个是更好选择的函数(通过查看相应的(值,工作)元组)。

我决定迭代工作量小于 maxWork 的可能主题,并且为了找到在任何给定回合哪个主题是最佳选择,我将我最近的主题与我们尚未使用的所有其他主题进行了比较.

def greedyAdvisor(subjects, maxWork, comparator):
"""
Returns a dictionary mapping subject name to (value, work) which includes
subjects selected by the algorithm, such that the total work of subjects in
the dictionary is not greater than maxWork. The subjects are chosen using
a greedy algorithm. The subjects dictionary should not be mutated.

subjects: dictionary mapping subject name to (value, work)
maxWork: int >= 0
comparator: function taking two tuples and returning a bool
returns: dictionary mapping subject name to (value, work)
"""

optimal = {}
while maxWork > 0:
new_subjects = dict((k,v) for k,v in subjects.items() if v[1] < maxWork)
key_list = new_subjects.keys()
for name in new_subjects:
#create a truncated dictionary
new_subjects = dict((name, new_subjects.get(name)) for name in key_list)
key_list.remove(name)
#compare over the entire dictionary
if reduce(comparator,new_subjects.values())==True:
#insert this name into the optimal dictionary
optimal[name] = new_subjects[name]
#update maxWork
maxWork = maxWork - subjects[name][1]
#and restart the while loop with maxWork updated
break
return optimal

问题是我不知道为什么这是错误的。我遇到了错误,我不知道我的代码哪里错了(即使在输入 print 语句之后)。非常感谢您的帮助,谢谢!

最佳答案

与 OPT 相比,使用简单的贪心算法不会对解决方案的质量提供任何限制。

这是背包的完全多项式时间 (1 - epsilon) * OPT 近似伪代码:

items = [...]  # items
profit = {...} # this needs to be the profit for each item
sizes = {...} # this needs to be the sizes of each item
epsilon = 0.1 # you can adjust this to be arbitrarily small
P = max(items) # maximum profit of the list of items
K = (epsilon * P) / float(len(items))
for item in items:
profit[item] = math.floor(profit[item] / K)
return _most_prof_set(items, sizes, profit, P)

我们现在需要定义最赚钱的集合算法。我们可以通过一些动态规划来做到这一点。但首先让我们回顾一些定义。

如果 P 是集合中最有利可图的项目,n 是我们拥有的项目数量,那么 nP 显然是允许利润的一个微不足道的上限。对于 {1,...,n} 中的每个 i 和 {1,...,nP} 中的每个 p,我们让 Sip 表示总利润恰好 p 且总规模为被最小化。然后我们让 A(i,p) 表示集合 Sip 的大小(如果不存在则为无穷大)。我们可以很容易地证明 A(1,p) 对于 {1,...,nP} 中 p 的所有值都是已知的。我们将定义一个递归来计算我们将用作动态规划问题的 A(i,p),以返回近似解。

A(i + 1, p) = min {A(i,p), size(item at i + 1 position) + A(i, p - profit(item at i + 1 position))} if profit(item at i + 1) < p otherwise A(i,p)

最后我们给出_most_prof_set

def _most_prof_set(items, sizes, profit, P):
A = {...}
for i in range(len(items) - 1):
item = items[i+1]
oitem = items[i]
for p in [P * k for k in range(1,i+1)]:
if profit[item] < p:
A[(item,p)] = min([A[(oitem,p)], \
sizes[item] + A[(item, p - profit[item])]])
else:
A[(item,p)] = A[(oitem,p)] if (oitem,p) in A else sys.maxint
return max(A)

Source

关于python - 背包问题(经典),我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/5683066/

26 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com