背包问题(经典)

Posted

技术标签:

【中文标题】背包问题(经典)【英文标题】:knapsack problem (classic) 【发布时间】:2011-04-15 22:47:00 【问题描述】:

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

我决定迭代工作小于 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  

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

【问题讨论】:

您是要近似解决还是精确解决?因为使用简单的贪心算法只能近似地解决它,并且与最优相比不能保证其质量。 你如何测试/运行这个功能?请添加更多代码。 我只是想大致解决它。 【参考方案1】:

与 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

【讨论】:

【参考方案2】:
def swap(a,b):
    return b,a

def sort_in_decreasing_order_of_profit(ratio,weight,profit):
    for i in range(0,len(weight)):
        for j in range(i+1,len(weight)) :
            if(ratio[i]<ratio[j]):
                ratio[i],ratio[j]=swap(ratio[i],ratio[j])
                weight[i],weight[j]=swap(weight[i],weight[j])
                profit[i],profit[j]=swap(profit[i],profit[j])
    return ratio,weight,profit          
def knapsack(m,i,weight,profit,newpr):

    if(i<len(weight) and m>0):
        if(m>weight[i]):
            newpr+=profit[i]
        else:
            newpr+=(m/weight[i])*profit[i]  
        newpr=knapsack(m-weight[i],i+1,weight,profit,newpr)
    return newpr
def printing_in_tabular_form(ratio,weight,profit):

    print(" WEIGHT\tPROFIT\t RATIO")
    for i in range(0,len(ratio)):
        print ('\t \t '.format(weight[i],profit[i],ratio[i]))

weight=[10.0,10.0,18.0]
profit=[24.0,15.0,25.0]
ratio=[]
for i in range(0,len(weight)):
    ratio.append((profit[i])/weight[i])
#caling function
ratio,weight,profit=sort_in_decreasing_order_of_profit(ratio,weight,profit) 
printing_in_tabular_form(ratio,weight,profit)

newpr=0
newpr=knapsack(20.0,0,weight,profit,newpr)          
print("Profit earned=",newpr)

【讨论】:

这个背包代码是一种递归贪心方法。我首先按价格的降序排列权重,然后应用递归算法得到结果。

以上是关于背包问题(经典)的主要内容,如果未能解决你的问题,请参考以下文章

经典动态规划:完全背包问题

背包问题(经典)

C++经典算法问题:背包问题(迭代+递归算法)!含源码示例

动态规划经典题目之01背包问题

经典动态规划之01背包

在实施与经典 0-1 背包类似情况的解决方案时重复项目