This file shows how to solve Example 4.4.1 (Drug Running) from Van Roy and Maison in Pyomo.
from pyomo.environ import *
from pyomo.opt import *
opt = solvers.SolverFactory("glpk")
Given are the probabilities of interception for the various ports.
IP = {('SD'):1/3,
('LA'):1/2,
('SF'):3/5}
We extract the list of ports as usual.
Cities = list(IP.keys())
Decision variables are the pi, the probability of sending a boat to port i, and the overall probability of getting through without interception s.
model = ConcreteModel()
model.p = Var(Cities, within=NonNegativeReals)
model.s = Var(within=Reals)
Now the model. According to the minimax principle, the optimal solution is given by maximizing s subject to ∑ipi=1 and s≤∑ipisij where sij is the probability of success at port i assuming the coast guard vessel is located at port j. Thus, sij=1 if i≠j and sii=1−IPi.
def intercept_rule(model, j):
return model.s <= sum(model.p[i] for i in Cities) - IP[j]*model.p[j]
model.intercept = Constraint(Cities, rule=intercept_rule)
model.probabilities = Constraint(expr = sum(model.p[i] for i in Cities) == 1)
model.success = Objective(expr = model.s, sense=maximize)
We solve and output the optimal landing probabilities.
model.dual = Suffix(direction=Suffix.IMPORT)
results = opt.solve(model)
model.p.get_values()
The dual variables are the corresponding probabilities that the coast guard should choose to guard the different ports. Since the pay-off matrix for this problem is symmetric, these dual probabilities come out identical to the primal one. In more general two-player zero-sum games, they may be different.