Linear constrained optimization using scipy#
In this chapter, we’ll cover how to apply scipy.optimize.linprog to linear constrained optimization problems. As a reminder, linear constrained optimization considers:
with:
- \(f\left(x\right)\), the linear objective function 
- \(x\), the \(n\) design variables 
- \(g_j\left(x\right)\), the \(m\) linear inequality constraints 
- \(h_k\left(x\right)\), the \(p\) linear inequality constraints 
- \(x_k^l\) and \(x_k^u\), the \(n\) low er and upper bounds of the design variable 
Because all functions are linear, this problem can be rewritten as:
with:
- \(x\), the \(n\) design variables 
- \(c\), the \(n\) coefficients of the linear objective function 
- \(A_{ub}\), the inequality constraint matrix of \(m\) inequality constraints 
- \(b_{ub}\), the inequality constraint vector of \(m\) inequality constraints 
- \(A_{eq}\), the equality constraint matrix of \(p\) equality constraints 
- \(b_{eq}\), the equality constraint vector of \(p\) equality constraints 
- \(x_i^l\) and \(x_i^u\), the \(n\) lower and upper bounds of the design variable 
Method#
For linear programs, we can use the function scipy.optimize.linprog. In contrast to scipy.optimize.minimize, this function is limited to linear functions. The documentation of this function is available here: https://docs.scipy.org/doc/scipy-1.15.0/reference/generated/scipy.optimize.linprog.html [The SciPy community, 2024]. In this course we’ll cover only the relevant parts.
Again, we won’t use all options, but a minimum requirement for our problem is the command scipy.optimize.linprog(c, A_ub, b_ub, A_eq, b_eq, bounds, ...) with:
- c, a onedimensional numpy array with the \(n\) coefficients of the linear objective function \(c\).
- A_ub, a twodimensional numpy array with the \(n\) coefficient of the \(m\) linear inequality constraints matrix \({A_{ub}}\).
- b_ub, a onedimensional numpy array with the upper bound of the \(m\) linear inequality constraint vector \({b_{ub}}\).
- A_eq, a twodimensional numpy array with the \(n\) coefficient of the \(p\) linear equality constraints matrix \({A_{eq}}\).
- b_eq, a onedimensional numpy array with value of the \(p\) linear equality constraint vector \({b_{eq}}\).
- Bounds: A sequence of \(i\)- (min, max)pairs for each element in \(x\), defining the minimum \(x_i^l\) and maximum values \(x_i^u\) of that decision variable. Use- Noneto indicate that there is no bound.
The function scipy.optimize.linprog outputs an object scipy.optimize.OptimizeResult similar as scipy.optimize.minimize explained for unconstrained optimization.
Exercise 18
