Which optimizer to use#

This is a very very very short and oversimplifying guide on selecting an optimization algorithm based on a minimum of information.

To select an optimizer, you need to answer two questions:

  1. Is your criterion function differentiable?

  2. Do you have a nonlinear least squares structure (i.e. do you sum some kind of squared residuals at the end of your criterion function)?

Define some inputs#

Again, we use versions of the sphere function to illustrate how to select these algorithms in practice

import estimagic as em
import numpy as np
def sphere(params):
    out = {
        "value": params @ params,
        "root_contributions": params,
    }
    return out


def sphere_gradient(params):
    return params * 2


start_params = np.arange(5)

Differentiable criterion function#

Use scipy_lbfsgsb as optimizer and provide the closed form derivative if you can. If you do not provide a derivative, estimagic will calculate it numerically. However, this is less precise and slower.

res = em.minimize(
    criterion=sphere,
    params=start_params,
    algorithm="scipy_lbfgsb",
    derivative=sphere_gradient,
)
res.n_criterion_evaluations
3

Note that this solves a 5 dimensional problem with just 3 criterion evaluations. For higher dimensions, you will need more, but it scales very well to dozens and hundreds of parameters.

If you are worried about being stuck in a local optimum, use multistart optimization.

Not differentiable, only scalar output#

Use nag_pybobyqa. Note that for this you need to install the PyBOBYQA package if you do not already have it:

pip install Py-BOBYQA

Then you select the algorithm as follows:

res = em.minimize(
    criterion=sphere,
    params=start_params,
    algorithm="nag_pybobyqa",
)
res.n_criterion_evaluations
33

Not differentiable, least squares structure#

Use nag_dfols. To use nag_dfols, you need to install it via:

pip install DFO-LS

This optimizer will only work if your criterion function returns a dictionary that contains the entry root_contributions. This needs to be a numpy array or pytree that contains the residuals of the least squares problem.

res = em.minimize(
    criterion=sphere,
    params=start_params,
    algorithm="nag_dfols",
)
res.n_criterion_evaluations
9