(In this topic, whenever I write ==
, this really means the Julia’s ==
)
I use this primal LP model to demonstrate
CodeBlock1:
import JuMP, Gurobi; GRB_ENV = Gurobi.Env()
primal = JuMP.Model(() -> Gurobi.Optimizer(GRB_ENV))
JuMP.@variable(primal, x)
JuMP.@variable(primal, y)
JuMP.@objective(primal, Min, 2 * y + 0.7 * x)
JuMP.@constraint(primal, c1, 3 * y >= x)
JuMP.@constraint(primal, c2, x >= 0)
JuMP.@constraint(primal, c3, y >= 0)
JuMP.optimize!(primal); JuMP.assert_is_solved_and_feasible(primal; dual = true, allow_local = false)
primal_objval = JuMP.objective_value(primal) # 0.0
c = JuMP.dual.([c1, c2, c3]) # c = [0.6667, 1.3667, 0.0]
First we note that c[3] == 0
, indicating that c3
is redundant.
We can do a test to verify
# reload CodeBlock1
JuMP.delete(primal, c3); JuMP.unregister(primal, :c3)
JuMP.optimize!(primal); JuMP.assert_is_solved_and_feasible(primal; dual = true, allow_local = false)
relaxed_objval = JuMP.objective_value(primal)
relaxed_objval >= primal_objval && print("c3 is indeed redundant")
Okay, let’s return to the initial state.
Note that although c[1] != 0
, we cannot conclude that c[1]
is not a redundant constraint.
Because, from a primal-side view, we have
# reload CodeBlock1
JuMP.delete(primal, c1); JuMP.unregister(primal, :c1)
JuMP.optimize!(primal); JuMP.assert_is_solved_and_feasible(primal; dual = true, allow_local = false)
relaxed_objval = JuMP.objective_value(primal)
relaxed_objval >= primal_objval && print("c1 is indeed redundant")
Alternatively, from the dual-side view, with an epsilon-relaxation trick we have
# reload CodeBlock1
JuMP.delete(primal, c1); JuMP.unregister(primal, :c1)
ϵ = 1e-5; JuMP.@constraint(primal, c1, 3 * y + ϵ >= x) # readd an ϵ-relaxed counterpart
JuMP.optimize!(primal); JuMP.assert_is_solved_and_feasible(primal; dual = true, allow_local = false)
JuMP.dual(c1) == 0 && print("c1 is indeed redundant")
Conclusion:
- After solving
primal
toOPTIMAL
, we can drop all constraints whosedual() == 0
without altering the primal-side optimal ObjVal. - There are 2 equivalent ways (one primal, one dual) to judge whether a constraint is redundant. From the primal side, if you remove that constraint, finding that
relaxed_objval == primal_objval
, then that constraint is redundant. Or, you can ϵ-relax that constraint being investigated, if thedual(constr) == 0
, then that constraint is redundant. The equivalence can be proved via these facts0 is an optimal dual solution + min-max strong duality + Lagrangian relaxation
.