我正在尝试使用getDuals()获得原始LP的双值 vector 。我不知道双重变量将以什么顺序返回。我在Java中找到了一个使用HashMap的示例。我想知道使用C++时是否有解决方案。

最佳答案

IloCplex::getDuals期望将IloRangeArray作为输入参数和IloNumArray。作为输出参数。 IloRangeArray是ILOG的自定义数组类型。

IloEnv env;
IloModel m(env);

int num_vars = ...;
IloRangeArray constraints(env, num_vars);
//  ...
// populate the constraints
// ...
m.add(constraints);
IloCplex cplex(m);
int retval cplex.solve();
// verify that cplex found a solution
if (!retval) //  ...

IloNumVarArray duals(env);
cplex.getDuals(duals, constraints);

IloRangeArray是ILOG Concert的自定义数组类型,有些感觉有点像dated。您可以将IloRange对象存储在任何数据结构中。在这种情况下,要获取对偶,您需要使用IloCplex::getDual函数。例如,如果您使用 vector
IloEnv env;
IloModel m(env);

int num_vars = ...;
std::vector<IloRange> constraints(env, num_vars);
//  ...
// populate the constraints and add them to the model;

for (IloRange constr : constraints)
   m.add(constr);
IloCplex cplex(m);
int retval cplex.solve();
// verify that cplex found a solution
if (!retval)  //  ...


vector<double> duals;
for (IloRange constr: constraints)
    duals.push_back(cplex.getDual(constr);

IloRange对象是句柄,因此可以像智能指针一样对待,并存储在大多数标准数据结构中。

07-24 09:17