1

我在 python 中使用PuLPwith处理 LP 模型CBC。该模型有很多约束,当然其中许多是多余的。我将展示一个例子。

#import libraries
from pulp import LpVariable, LpProblem, LpMaximize, lpSum, LpConstraint, LpStatus, value

prob = LpProblem("test_model", LpMaximize)
set_pt=[i for i in range(100)] #set of var
var = LpVariable.dicts("var",set_pt,lowBound=0,cat='Continuous')

# The objective function is added to 'prob' first
prob += lpSum([var[i] for i in set_pt]), "f(v)"

#constraits
for i in set_pt:
     prob += LpConstraint(var[i] <= 300000), "max margin "+str(i) 
     prob += LpConstraint(var[i] <= 30000000000), "ma2 margin "+str(i) 

#solve
prob.writeLP("price_mod2.lp")
print 'solver begin'
prob.solve()

# The status of the solution is printed to the screen
print "Status:", LpStatus[prob.status]

结果是:

solver begin
Status: Infeasible

当然,在这个例子中,这两个约束显然都是多余的,而且在我解决的问题中,很难看出约束是多余的。

我不知道问题是否出在求解器(CBC)上,所以我可以使用也许CPLEX来解决冗余约束的问题,或者问题是PuLP我需要使用另一个库。或者,也许我需要对问题进行建模以使其成为冗余证明。

任何指导?谢谢!

编辑:我尝试使用开放式求解器(在 excel 中)CBC并且它有效,所以我认为这一定是实现的问题PuLP,或者我做错了什么,或者可能没有办法在其中添加冗余约束PuLP

4

1 回答 1

2

我没有太多使用纸浆,所以我无法在这里解释内部结构(这会使您的案例失败),但是您以错误的方式使用纸浆的约束机制

您的方法(失败):

for i in set_pt:
    prob += LpConstraint(var[i] <= 300000), "max margin "+str(i) 
    prob += LpConstraint(var[i] <= 30000000000), "ma2 margin "+str(i) 

工作替代A(使用重载运算符)

for i in set_pt:
    prob += var[i] <= 300000, "max margin "+str(i)
    prob += var[i] <= 30000000000, "ma2 margin "+str(i)

可行的备选方案 B(明确使用LpConstraint; 需要导入)

for i in set_pt:
    prob += LpConstraint(var[i], LpConstraintLE, 300000), "max margin "+str(i)
    prob += LpConstraint(var[i], LpConstraintLE, 30000000000), "ma2 margin "+str(i)

后者更像是您最初的方法。但是您的用法看起来不像函数所期望的(请参阅文档

于 2016-08-12T18:19:45.680 回答