
    hQ                    (   d Z ddlZddlZddlmZmZ ddlmZm	Z	m
Z
mZ ddlmZmZ ddlmZmZmZmZmZ ddlmZ dgZ ej0                  ej2                        j4                  Z ed	d
      	 	 	 	 	 	 ddddd       Z G d d      Z G d d      Zy)zn
differential_evolution: The differential evolution global optimization algorithm
Added by Andrew Nelson 2014
    N)OptimizeResultminimize)Boundsnew_bounds_to_oldNonlinearConstraintLinearConstraint)_status_message_wrap_callback)check_random_state
MapWrapper_FunctionWrapperrng_integers_transition_to_rng)issparsedifferential_evolutionseed	   )position_numFintegrality
vectorizedc                    t        | |fi d|d|d|d|d|d|d|d|	d	|d
|
d|d|d|d|d|d|d|d|d|5 }|j                         }ddd       |S # 1 sw Y   S xY w)aT  Finds the global minimum of a multivariate function.

    The differential evolution method [1]_ is stochastic in nature. It does
    not use gradient methods to find the minimum, and can search large areas
    of candidate space, but often requires larger numbers of function
    evaluations than conventional gradient-based techniques.

    The algorithm is due to Storn and Price [2]_.

    Parameters
    ----------
    func : callable
        The objective function to be minimized. Must be in the form
        ``f(x, *args)``, where ``x`` is the argument in the form of a 1-D array
        and ``args`` is a tuple of any additional fixed parameters needed to
        completely specify the function. The number of parameters, N, is equal
        to ``len(x)``.
    bounds : sequence or `Bounds`
        Bounds for variables. There are two ways to specify the bounds:

        1. Instance of `Bounds` class.
        2. ``(min, max)`` pairs for each element in ``x``, defining the
           finite lower and upper bounds for the optimizing argument of
           `func`.

        The total number of bounds is used to determine the number of
        parameters, N. If there are parameters whose bounds are equal the total
        number of free parameters is ``N - N_equal``.

    args : tuple, optional
        Any additional fixed parameters needed to
        completely specify the objective function.
    strategy : {str, callable}, optional
        The differential evolution strategy to use. Should be one of:

        - 'best1bin'
        - 'best1exp'
        - 'rand1bin'
        - 'rand1exp'
        - 'rand2bin'
        - 'rand2exp'
        - 'randtobest1bin'
        - 'randtobest1exp'
        - 'currenttobest1bin'
        - 'currenttobest1exp'
        - 'best2exp'
        - 'best2bin'

        The default is 'best1bin'. Strategies that may be implemented are
        outlined in 'Notes'.
        Alternatively the differential evolution strategy can be customized by
        providing a callable that constructs a trial vector. The callable must
        have the form ``strategy(candidate: int, population: np.ndarray, rng=None)``,
        where ``candidate`` is an integer specifying which entry of the
        population is being evolved, ``population`` is an array of shape
        ``(S, N)`` containing all the population members (where S is the
        total population size), and ``rng`` is the random number generator
        being used within the solver.
        ``candidate`` will be in the range ``[0, S)``.
        ``strategy`` must return a trial vector with shape ``(N,)``. The
        fitness of this trial vector is compared against the fitness of
        ``population[candidate]``.

        .. versionchanged:: 1.12.0
            Customization of evolution strategy via a callable.

    maxiter : int, optional
        The maximum number of generations over which the entire population is
        evolved. The maximum number of function evaluations (with no polishing)
        is: ``(maxiter + 1) * popsize * (N - N_equal)``
    popsize : int, optional
        A multiplier for setting the total population size. The population has
        ``popsize * (N - N_equal)`` individuals. This keyword is overridden if
        an initial population is supplied via the `init` keyword. When using
        ``init='sobol'`` the population size is calculated as the next power
        of 2 after ``popsize * (N - N_equal)``.
    tol : float, optional
        Relative tolerance for convergence, the solving stops when
        ``np.std(population_energies) <= atol + tol * np.abs(np.mean(population_energies))``,
        where and `atol` and `tol` are the absolute and relative tolerance
        respectively.
    mutation : float or tuple(float, float), optional
        The mutation constant. In the literature this is also known as
        differential weight, being denoted by :math:`F`.
        If specified as a float it should be in the range [0, 2).
        If specified as a tuple ``(min, max)`` dithering is employed. Dithering
        randomly changes the mutation constant on a generation by generation
        basis. The mutation constant for that generation is taken from
        ``U[min, max)``. Dithering can help speed convergence significantly.
        Increasing the mutation constant increases the search radius, but will
        slow down convergence.
    recombination : float, optional
        The recombination constant, should be in the range [0, 1]. In the
        literature this is also known as the crossover probability, being
        denoted by CR. Increasing this value allows a larger number of mutants
        to progress into the next generation, but at the risk of population
        stability.
    rng : `numpy.random.Generator`, optional
        Pseudorandom number generator state. When `rng` is None, a new
        `numpy.random.Generator` is created using entropy from the
        operating system. Types other than `numpy.random.Generator` are
        passed to `numpy.random.default_rng` to instantiate a ``Generator``.
    disp : bool, optional
        Prints the evaluated `func` at every iteration.
    callback : callable, optional
        A callable called after each iteration. Has the signature::

            callback(intermediate_result: OptimizeResult)

        where ``intermediate_result`` is a keyword parameter containing an
        `OptimizeResult` with attributes ``x`` and ``fun``, the best solution
        found so far and the objective function. Note that the name
        of the parameter must be ``intermediate_result`` for the callback
        to be passed an `OptimizeResult`.

        The callback also supports a signature like::

            callback(x, convergence: float=val)

        ``val`` represents the fractional value of the population convergence.
        When ``val`` is greater than ``1.0``, the function halts.

        Introspection is used to determine which of the signatures is invoked.

        Global minimization will halt if the callback raises ``StopIteration``
        or returns ``True``; any polishing is still carried out.

        .. versionchanged:: 1.12.0
            callback accepts the ``intermediate_result`` keyword.

    polish : bool, optional
        If True (default), then `scipy.optimize.minimize` with the `L-BFGS-B`
        method is used to polish the best population member at the end, which
        can improve the minimization slightly. If a constrained problem is
        being studied then the `trust-constr` method is used instead. For large
        problems with many constraints, polishing can take a long time due to
        the Jacobian computations.

        .. versionchanged:: 1.15.0
            If `workers` is specified then the map-like callable that wraps
            `func` is supplied to `minimize` instead of it using `func`
            directly. This allows the caller to control how and where the
            invocations actually run.

    init : str or array-like, optional
        Specify which type of population initialization is performed. Should be
        one of:

        - 'latinhypercube'
        - 'sobol'
        - 'halton'
        - 'random'
        - array specifying the initial population. The array should have
          shape ``(S, N)``, where S is the total population size and N is
          the number of parameters.

        `init` is clipped to `bounds` before use.

        The default is 'latinhypercube'. Latin Hypercube sampling tries to
        maximize coverage of the available parameter space.

        'sobol' and 'halton' are superior alternatives and maximize even more
        the parameter space. 'sobol' will enforce an initial population
        size which is calculated as the next power of 2 after
        ``popsize * (N - N_equal)``. 'halton' has no requirements but is a bit
        less efficient. See `scipy.stats.qmc` for more details.

        'random' initializes the population randomly - this has the drawback
        that clustering can occur, preventing the whole of parameter space
        being covered. Use of an array to specify a population could be used,
        for example, to create a tight bunch of initial guesses in an location
        where the solution is known to exist, thereby reducing time for
        convergence.
    atol : float, optional
        Absolute tolerance for convergence, the solving stops when
        ``np.std(pop) <= atol + tol * np.abs(np.mean(population_energies))``,
        where and `atol` and `tol` are the absolute and relative tolerance
        respectively.
    updating : {'immediate', 'deferred'}, optional
        If ``'immediate'``, the best solution vector is continuously updated
        within a single generation [4]_. This can lead to faster convergence as
        trial vectors can take advantage of continuous improvements in the best
        solution.
        With ``'deferred'``, the best solution vector is updated once per
        generation. Only ``'deferred'`` is compatible with parallelization or
        vectorization, and the `workers` and `vectorized` keywords can
        over-ride this option.

        .. versionadded:: 1.2.0

    workers : int or map-like callable, optional
        If `workers` is an int the population is subdivided into `workers`
        sections and evaluated in parallel
        (uses `multiprocessing.Pool <multiprocessing>`).
        Supply -1 to use all available CPU cores.
        Alternatively supply a map-like callable, such as
        `multiprocessing.Pool.map` for evaluating the population in parallel.
        This evaluation is carried out as ``workers(func, iterable)``.
        This option will override the `updating` keyword to
        ``updating='deferred'`` if ``workers != 1``.
        This option overrides the `vectorized` keyword if ``workers != 1``.
        Requires that `func` be pickleable.

        .. versionadded:: 1.2.0

    constraints : {NonLinearConstraint, LinearConstraint, Bounds}
        Constraints on the solver, over and above those applied by the `bounds`
        kwd. Uses the approach by Lampinen [5]_.

        .. versionadded:: 1.4.0

    x0 : None or array-like, optional
        Provides an initial guess to the minimization. Once the population has
        been initialized this vector replaces the first (best) member. This
        replacement is done even if `init` is given an initial population.
        ``x0.shape == (N,)``.

        .. versionadded:: 1.7.0

    integrality : 1-D array, optional
        For each decision variable, a boolean value indicating whether the
        decision variable is constrained to integer values. The array is
        broadcast to ``(N,)``.
        If any decision variables are constrained to be integral, they will not
        be changed during polishing.
        Only integer values lying between the lower and upper bounds are used.
        If there are no integer values lying between the bounds then a
        `ValueError` is raised.

        .. versionadded:: 1.9.0

    vectorized : bool, optional
        If ``vectorized is True``, `func` is sent an `x` array with
        ``x.shape == (N, S)``, and is expected to return an array of shape
        ``(S,)``, where `S` is the number of solution vectors to be calculated.
        If constraints are applied, each of the functions used to construct
        a `Constraint` object should accept an `x` array with
        ``x.shape == (N, S)``, and return an array of shape ``(M, S)``, where
        `M` is the number of constraint components.
        This option is an alternative to the parallelization offered by
        `workers`, and may help in optimization speed by reducing interpreter
        overhead from multiple function calls. This keyword is ignored if
        ``workers != 1``.
        This option will override the `updating` keyword to
        ``updating='deferred'``.
        See the notes section for further discussion on when to use
        ``'vectorized'``, and when to use ``'workers'``.

        .. versionadded:: 1.9.0

    Returns
    -------
    res : OptimizeResult
        The optimization result represented as a `OptimizeResult` object.
        Important attributes are: ``x`` the solution array, ``success`` a
        Boolean flag indicating if the optimizer exited successfully,
        ``message`` which describes the cause of the termination,
        ``population`` the solution vectors present in the population, and
        ``population_energies`` the value of the objective function for each
        entry in ``population``.
        See `OptimizeResult` for a description of other attributes. If `polish`
        was employed, and a lower minimum was obtained by the polishing, then
        OptimizeResult also contains the ``jac`` attribute.
        If the eventual solution does not satisfy the applied constraints
        ``success`` will be `False`.

    Notes
    -----
    Differential evolution is a stochastic population based method that is
    useful for global optimization problems. At each pass through the
    population the algorithm mutates each candidate solution by mixing with
    other candidate solutions to create a trial candidate. There are several
    strategies [3]_ for creating trial candidates, which suit some problems
    more than others. The 'best1bin' strategy is a good starting point for
    many systems. In this strategy two members of the population are randomly
    chosen. Their difference is used to mutate the best member (the 'best' in
    'best1bin'), :math:`x_0`, so far:

    .. math::

        b' = x_0 + F \cdot (x_{r_0} - x_{r_1})

    where :math:`F` is the `mutation` parameter.
    A trial vector is then constructed. Starting with a randomly chosen ith
    parameter the trial is sequentially filled (in modulo) with parameters
    from ``b'`` or the original candidate. The choice of whether to use ``b'``
    or the original candidate is made with a binomial distribution (the 'bin'
    in 'best1bin') - a random number in [0, 1) is generated. If this number is
    less than the `recombination` constant then the parameter is loaded from
    ``b'``, otherwise it is loaded from the original candidate. The final
    parameter is always loaded from ``b'``. Once the trial candidate is built
    its fitness is assessed. If the trial is better than the original candidate
    then it takes its place. If it is also better than the best overall
    candidate it also replaces that.

    The other strategies available are outlined in Qiang and
    Mitchell (2014) [3]_.


    - ``rand1`` : :math:`b' = x_{r_0} + F \cdot (x_{r_1} - x_{r_2})`
    - ``rand2`` : :math:`b' = x_{r_0} + F \cdot (x_{r_1} + x_{r_2} - x_{r_3} - x_{r_4})`
    - ``best1`` : :math:`b' = x_0 + F \cdot (x_{r_0} - x_{r_1})`
    - ``best2`` : :math:`b' = x_0 + F \cdot (x_{r_0} + x_{r_1} - x_{r_2} - x_{r_3})`
    - ``currenttobest1`` : :math:`b' = x_i + F \cdot (x_0 - x_i + x_{r_0} - x_{r_1})`
    - ``randtobest1`` : :math:`b' = x_{r_0} + F \cdot (x_0 - x_{r_0} + x_{r_1} - x_{r_2})`

    where the integers :math:`r_0, r_1, r_2, r_3, r_4` are chosen randomly
    from the interval [0, NP) with `NP` being the total population size and
    the original candidate having index `i`. The user can fully customize the
    generation of the trial candidates by supplying a callable to ``strategy``.

    To improve your chances of finding a global minimum use higher `popsize`
    values, with higher `mutation` and (dithering), but lower `recombination`
    values. This has the effect of widening the search radius, but slowing
    convergence.

    By default the best solution vector is updated continuously within a single
    iteration (``updating='immediate'``). This is a modification [4]_ of the
    original differential evolution algorithm which can lead to faster
    convergence as trial vectors can immediately benefit from improved
    solutions. To use the original Storn and Price behaviour, updating the best
    solution once per iteration, set ``updating='deferred'``.
    The ``'deferred'`` approach is compatible with both parallelization and
    vectorization (``'workers'`` and ``'vectorized'`` keywords). These may
    improve minimization speed by using computer resources more efficiently.
    The ``'workers'`` distribute calculations over multiple processors. By
    default the Python `multiprocessing` module is used, but other approaches
    are also possible, such as the Message Passing Interface (MPI) used on
    clusters [6]_ [7]_. The overhead from these approaches (creating new
    Processes, etc) may be significant, meaning that computational speed
    doesn't necessarily scale with the number of processors used.
    Parallelization is best suited to computationally expensive objective
    functions. If the objective function is less expensive, then
    ``'vectorized'`` may aid by only calling the objective function once per
    iteration, rather than multiple times for all the population members; the
    interpreter overhead is reduced.

    .. versionadded:: 0.15.0

    References
    ----------
    .. [1] Differential evolution, Wikipedia,
           http://en.wikipedia.org/wiki/Differential_evolution
    .. [2] Storn, R and Price, K, Differential Evolution - a Simple and
           Efficient Heuristic for Global Optimization over Continuous Spaces,
           Journal of Global Optimization, 1997, 11, 341 - 359.
    .. [3] Qiang, J., Mitchell, C., A Unified Differential Evolution Algorithm
            for Global Optimization, 2014, https://www.osti.gov/servlets/purl/1163659
    .. [4] Wormington, M., Panaccione, C., Matney, K. M., Bowen, D. K., -
           Characterization of structures from X-ray scattering data using
           genetic algorithms, Phil. Trans. R. Soc. Lond. A, 1999, 357,
           2827-2848
    .. [5] Lampinen, J., A constraint handling approach for the differential
           evolution algorithm. Proceedings of the 2002 Congress on
           Evolutionary Computation. CEC'02 (Cat. No. 02TH8600). Vol. 2. IEEE,
           2002.
    .. [6] https://mpi4py.readthedocs.io/en/stable/
    .. [7] https://schwimmbad.readthedocs.io/en/latest/
 

    Examples
    --------
    Let us consider the problem of minimizing the Rosenbrock function. This
    function is implemented in `rosen` in `scipy.optimize`.

    >>> import numpy as np
    >>> from scipy.optimize import rosen, differential_evolution
    >>> bounds = [(0,2), (0, 2), (0, 2), (0, 2), (0, 2)]
    >>> result = differential_evolution(rosen, bounds)
    >>> result.x, result.fun
    (array([1., 1., 1., 1., 1.]), 1.9216496320061384e-19)

    Now repeat, but with parallelization.

    >>> result = differential_evolution(rosen, bounds, updating='deferred',
    ...                                 workers=2)
    >>> result.x, result.fun
    (array([1., 1., 1., 1., 1.]), 1.9216496320061384e-19)

    Let's do a constrained minimization.

    >>> from scipy.optimize import LinearConstraint, Bounds

    We add the constraint that the sum of ``x[0]`` and ``x[1]`` must be less
    than or equal to 1.9.  This is a linear constraint, which may be written
    ``A @ x <= 1.9``, where ``A = array([[1, 1]])``.  This can be encoded as
    a `LinearConstraint` instance:

    >>> lc = LinearConstraint([[1, 1]], -np.inf, 1.9)

    Specify limits using a `Bounds` object.

    >>> bounds = Bounds([0., 0.], [2., 2.])
    >>> result = differential_evolution(rosen, bounds, constraints=lc,
    ...                                 rng=1)
    >>> result.x, result.fun
    (array([0.96632622, 0.93367155]), 0.0011352416852625719)

    Next find the minimum of the Ackley function
    (https://en.wikipedia.org/wiki/Test_functions_for_optimization).

    >>> def ackley(x):
    ...     arg1 = -0.2 * np.sqrt(0.5 * (x[0] ** 2 + x[1] ** 2))
    ...     arg2 = 0.5 * (np.cos(2. * np.pi * x[0]) + np.cos(2. * np.pi * x[1]))
    ...     return -20. * np.exp(arg1) - np.exp(arg2) + 20. + np.e
    >>> bounds = [(-5, 5), (-5, 5)]
    >>> result = differential_evolution(ackley, bounds, rng=1)
    >>> result.x, result.fun
    (array([0., 0.]), 4.440892098500626e-16)

    The Ackley function is written in a vectorized manner, so the
    ``'vectorized'`` keyword can be employed. Note the reduced number of
    function evaluations.

    >>> result = differential_evolution(
    ...     ackley, bounds, vectorized=True, updating='deferred', rng=1
    ... )
    >>> result.x, result.fun
    (array([0., 0.]), 4.440892098500626e-16)

    The following custom strategy function mimics 'best1bin':

    >>> def custom_strategy_fn(candidate, population, rng=None):
    ...     parameter_count = population.shape(-1)
    ...     mutation, recombination = 0.7, 0.9
    ...     trial = np.copy(population[candidate])
    ...     fill_point = rng.choice(parameter_count)
    ...
    ...     pool = np.arange(len(population))
    ...     rng.shuffle(pool)
    ...
    ...     # two unique random numbers that aren't the same, and
    ...     # aren't equal to candidate.
    ...     idxs = []
    ...     while len(idxs) < 2 and len(pool) > 0:
    ...         idx = pool[0]
    ...         pool = pool[1:]
    ...         if idx != candidate:
    ...             idxs.append(idx)
    ...
    ...     r0, r1 = idxs[:2]
    ...
    ...     bprime = (population[0] + mutation *
    ...               (population[r0] - population[r1]))
    ...
    ...     crossovers = rng.uniform(size=parameter_count)
    ...     crossovers = crossovers < recombination
    ...     crossovers[fill_point] = True
    ...     trial = np.where(crossovers, bprime, trial)
    ...     return trial

    argsstrategymaxiterpopsizetolmutationrecombinationrngpolishcallbackdispinitatolupdatingworkersconstraintsx0r   r   N)DifferentialEvolutionSolversolve)funcboundsr   r   r   r   r   r   r   r    r"   r#   r!   r$   r%   r&   r'   r(   r)   r   r   solverrets                          c/var/www/html/eduruby.in/venv/lib/python3.12/site-packages/scipy/optimize/_differentialevolution.pyr   r      s    ^ 
%T6 
< 
<.6
<-4
< .5
< ;>
< /7	
<
 4A
< *-
< 6<
< /7
< +/
< 6:
< AE
< /7
< .5
< 2=
< )+
< 2=
< 1;
<  @Flln" J#" Js   A  A*c                   N   e Zd ZdZdddddddZddddddd	Zd
Zddddddddej                  dddddddddfddddZ	d Z
d Zd Zd Zed        Zed         Zd! Zd" Zd# Zd$ Zd% Zd& Zd' Zd( Zd) Zd* Zd+ Zd, Zd- Zd. Zd/ Zd0 Z d1 Z!d2 Z"d3 Z#d4 Z$d5 Z%d6 Z&d7 Z'd8 Z(d9 Z)y):r*   a/  This class implements the differential evolution solver

    Parameters
    ----------
    func : callable
        The objective function to be minimized. Must be in the form
        ``f(x, *args)``, where ``x`` is the argument in the form of a 1-D array
        and ``args`` is a tuple of any additional fixed parameters needed to
        completely specify the function. The number of parameters, N, is equal
        to ``len(x)``.
    bounds : sequence or `Bounds`
        Bounds for variables. There are two ways to specify the bounds:

            1. Instance of `Bounds` class.
            2. ``(min, max)`` pairs for each element in ``x``, defining the
               finite lower and upper bounds for the optimizing argument of
               `func`.

        The total number of bounds is used to determine the number of
        parameters, N. If there are parameters whose bounds are equal the total
        number of free parameters is ``N - N_equal``.
    args : tuple, optional
        Any additional fixed parameters needed to
        completely specify the objective function.
    strategy : {str, callable}, optional
        The differential evolution strategy to use. Should be one of:

            - 'best1bin'
            - 'best1exp'
            - 'rand1bin'
            - 'rand1exp'
            - 'rand2bin'
            - 'rand2exp'
            - 'randtobest1bin'
            - 'randtobest1exp'
            - 'currenttobest1bin'
            - 'currenttobest1exp'
            - 'best2exp'
            - 'best2bin'

        The default is 'best1bin'. Strategies that may be
        implemented are outlined in 'Notes'.

        Alternatively the differential evolution strategy can be customized
        by providing a callable that constructs a trial vector. The callable
        must have the form
        ``strategy(candidate: int, population: np.ndarray, rng=None)``,
        where ``candidate`` is an integer specifying which entry of the
        population is being evolved, ``population`` is an array of shape
        ``(S, N)`` containing all the population members (where S is the
        total population size), and ``rng`` is the random number generator
        being used within the solver.
        ``candidate`` will be in the range ``[0, S)``.
        ``strategy`` must return a trial vector with shape ``(N,)``. The
        fitness of this trial vector is compared against the fitness of
        ``population[candidate]``.
    maxiter : int, optional
        The maximum number of generations over which the entire population is
        evolved. The maximum number of function evaluations (with no polishing)
        is: ``(maxiter + 1) * popsize * (N - N_equal)``
    popsize : int, optional
        A multiplier for setting the total population size. The population has
        ``popsize * (N - N_equal)`` individuals. This keyword is overridden if
        an initial population is supplied via the `init` keyword. When using
        ``init='sobol'`` the population size is calculated as the next power
        of 2 after ``popsize * (N - N_equal)``.
    tol : float, optional
        Relative tolerance for convergence, the solving stops when
        ``np.std(population_energies) <= atol + tol * np.abs(np.mean(population_energies))``,
        where and `atol` and `tol` are the absolute and relative tolerance
        respectively.
    mutation : float or tuple(float, float), optional
        The mutation constant. In the literature this is also known as
        differential weight, being denoted by F.
        If specified as a float it should be in the range [0, 2].
        If specified as a tuple ``(min, max)`` dithering is employed. Dithering
        randomly changes the mutation constant on a generation by generation
        basis. The mutation constant for that generation is taken from
        U[min, max). Dithering can help speed convergence significantly.
        Increasing the mutation constant increases the search radius, but will
        slow down convergence.
    recombination : float, optional
        The recombination constant, should be in the range [0, 1]. In the
        literature this is also known as the crossover probability, being
        denoted by CR. Increasing this value allows a larger number of mutants
        to progress into the next generation, but at the risk of population
        stability.

    rng : {None, int, `numpy.random.Generator`}, optional
        
        ..versionchanged:: 1.15.0
            As part of the `SPEC-007 <https://scientific-python.org/specs/spec-0007/>`_
            transition from use of `numpy.random.RandomState` to
            `numpy.random.Generator` this keyword was changed from `seed` to `rng`.
            For an interim period both keywords will continue to work (only specify
            one of them). After the interim period using the `seed` keyword will emit
            warnings. The behavior of the `seed` and `rng` keywords is outlined below.

        If `rng` is passed by keyword, types other than `numpy.random.Generator` are
        passed to `numpy.random.default_rng` to instantiate a `Generator`.
        If `rng` is already a `Generator` instance, then the provided instance is
        used.
        
        If this argument is passed by position or `seed` is passed by keyword, the
        behavior is:
        
        - If `seed` is None (or `np.random`), the `numpy.random.RandomState`
          singleton is used.
        - If `seed` is an int, a new `RandomState` instance is used,
          seeded with `seed`.
        - If `seed` is already a `Generator` or `RandomState` instance then
          that instance is used.
        
        Specify `seed`/`rng` for repeatable minimizations.
    disp : bool, optional
        Prints the evaluated `func` at every iteration.
    callback : callable, optional
        A callable called after each iteration. Has the signature:

            ``callback(intermediate_result: OptimizeResult)``

        where ``intermediate_result`` is a keyword parameter containing an
        `OptimizeResult` with attributes ``x`` and ``fun``, the best solution
        found so far and the objective function. Note that the name
        of the parameter must be ``intermediate_result`` for the callback
        to be passed an `OptimizeResult`.

        The callback also supports a signature like:

            ``callback(x, convergence: float=val)``

        ``val`` represents the fractional value of the population convergence.
         When ``val`` is greater than ``1.0``, the function halts.

        Introspection is used to determine which of the signatures is invoked.

        Global minimization will halt if the callback raises ``StopIteration``
        or returns ``True``; any polishing is still carried out.

        .. versionchanged:: 1.12.0
            callback accepts the ``intermediate_result`` keyword.

    polish : bool, optional
        If True (default), then `scipy.optimize.minimize` with the `L-BFGS-B`
        method is used to polish the best population member at the end, which
        can improve the minimization slightly. If a constrained problem is
        being studied then the `trust-constr` method is used instead. For large
        problems with many constraints, polishing can take a long time due to
        the Jacobian computations.
    maxfun : int, optional
        Set the maximum number of function evaluations. However, it probably
        makes more sense to set `maxiter` instead.
    init : str or array-like, optional
        Specify which type of population initialization is performed. Should be
        one of:

            - 'latinhypercube'
            - 'sobol'
            - 'halton'
            - 'random'
            - array specifying the initial population. The array should have
              shape ``(S, N)``, where S is the total population size and
              N is the number of parameters.
              `init` is clipped to `bounds` before use.

        The default is 'latinhypercube'. Latin Hypercube sampling tries to
        maximize coverage of the available parameter space.

        'sobol' and 'halton' are superior alternatives and maximize even more
        the parameter space. 'sobol' will enforce an initial population
        size which is calculated as the next power of 2 after
        ``popsize * (N - N_equal)``. 'halton' has no requirements but is a bit
        less efficient. See `scipy.stats.qmc` for more details.

        'random' initializes the population randomly - this has the drawback
        that clustering can occur, preventing the whole of parameter space
        being covered. Use of an array to specify a population could be used,
        for example, to create a tight bunch of initial guesses in an location
        where the solution is known to exist, thereby reducing time for
        convergence.
    atol : float, optional
        Absolute tolerance for convergence, the solving stops when
        ``np.std(pop) <= atol + tol * np.abs(np.mean(population_energies))``,
        where and `atol` and `tol` are the absolute and relative tolerance
        respectively.
    updating : {'immediate', 'deferred'}, optional
        If ``'immediate'``, the best solution vector is continuously updated
        within a single generation [4]_. This can lead to faster convergence as
        trial vectors can take advantage of continuous improvements in the best
        solution.
        With ``'deferred'``, the best solution vector is updated once per
        generation. Only ``'deferred'`` is compatible with parallelization or
        vectorization, and the `workers` and `vectorized` keywords can
        over-ride this option.
    workers : int or map-like callable, optional
        If `workers` is an int the population is subdivided into `workers`
        sections and evaluated in parallel
        (uses `multiprocessing.Pool <multiprocessing>`).
        Supply `-1` to use all cores available to the Process.
        Alternatively supply a map-like callable, such as
        `multiprocessing.Pool.map` for evaluating the population in parallel.
        This evaluation is carried out as ``workers(func, iterable)``.
        This option will override the `updating` keyword to
        `updating='deferred'` if `workers != 1`.
        Requires that `func` be pickleable.
    constraints : {NonLinearConstraint, LinearConstraint, Bounds}
        Constraints on the solver, over and above those applied by the `bounds`
        kwd. Uses the approach by Lampinen.
    x0 : None or array-like, optional
        Provides an initial guess to the minimization. Once the population has
        been initialized this vector replaces the first (best) member. This
        replacement is done even if `init` is given an initial population.
        ``x0.shape == (N,)``.
    integrality : 1-D array, optional
        For each decision variable, a boolean value indicating whether the
        decision variable is constrained to integer values. The array is
        broadcast to ``(N,)``.
        If any decision variables are constrained to be integral, they will not
        be changed during polishing.
        Only integer values lying between the lower and upper bounds are used.
        If there are no integer values lying between the bounds then a
        `ValueError` is raised.
    vectorized : bool, optional
        If ``vectorized is True``, `func` is sent an `x` array with
        ``x.shape == (N, S)``, and is expected to return an array of shape
        ``(S,)``, where `S` is the number of solution vectors to be calculated.
        If constraints are applied, each of the functions used to construct
        a `Constraint` object should accept an `x` array with
        ``x.shape == (N, S)``, and return an array of shape ``(M, S)``, where
        `M` is the number of constraint components.
        This option is an alternative to the parallelization offered by
        `workers`, and may help in optimization speed. This keyword is
        ignored if ``workers != 1``.
        This option will override the `updating` keyword to
        ``updating='deferred'``.
    _best1_randtobest1_currenttobest1_best2_rand2_rand1)best1binrandtobest1bincurrenttobest1binbest2binrand2binrand1bin)best1exprand1exprandtobest1expcurrenttobest1expbest2exprand2expzThe population initialization method must be one of 'latinhypercube' or 'random', or an array of shape (S, N) where N is the number of parameters and S>5 r8        {Gz?      ?   ffffff?NFTlatinhypercuber   	immediaterJ   r   c          	      T   t        |      rne|| j                  v rt        | | j                  |         | _        n8|| j                  v rt        | | j                  |         | _        nt        d      || _        t        |d      | _        || _	        |dv r|| _
        || _        |dk7  r(|dk(  r#t        j                  dt        d       d	| _
        |r%|dk7  r t        j                  d
d       dx| _        }|r(|dk(  r#t        j                  dt        d       d	| _
        |rd }|}t        |      | _        ||c| _        | _        || _        t)        j*                  t)        j,                  |            rVt)        j.                  t)        j0                  |      dk\        s+t)        j.                  t)        j0                  |      dk        rt        d      d | _        t5        |d      r7t7        |      dkD  r)|d   |d   g| _        | j2                  j9                          |	| _        t=        ||      | _        || _         tC        |tD              r]t)        j0                  tG        |jH                  |jJ                  t7        |jH                              tL              jN                  | _(        n&t)        j0                  |d      jN                  | _(        t)        jR                  | jP                  d      dk7  s2t)        j*                  t)        j,                  | jP                              st        d      |d}|| _*        |t(        jV                  }|| _,        d| jP                  d   | jP                  d   z   z  | _-        t)        j\                  | jP                  d   | jP                  d   z
        | _/        t)        j`                  d      5  d| j^                  z  | _1        d| jb                  t)        j,                  | jb                         <   d d d        t)        jR                  | jP                  d      | _2        tg        |
      | _4        t)        j.                  |      r=t)        jj                  || jd                        }t)        jl                  |tn              }t)        jp                  | jP                        \  }}t)        jr                  |      }t)        jt                  |      }||   ||   k  j+                         st        d      t)        jv                  ||   dz
  t(        jV                        }t)        jv                  ||   dz   t(        jV                         }|| _<        || jP                  d| jx                  f<   || jP                  d| jx                  f<   nd| _<        | jP                  d   | jP                  d   k(  }t)        jz                  |      }t}        d|t}        d| jd                  |z
        z        | _?        | j~                  | jd                  f| _@        d| _A        tC        |t              r|dk(  r| j                          n|dk(  rut        dt)        jr                  t)        j                  | j~                              z        }|| _?        | j~                  | jd                  f| _@        | j                  d       nT|dk(  r| j                  d       n<|dk(  r| j                          n&t        | j                        | j                  |       |W| j                  t)        jl                  |            }|dkD  |d k  z  j/                         rt        d!      || j                  d<   || _L        g | _M        t5        |d"      r7|D ]1  } | j                  j                  t        | | j                               3 nt        || j                        g| _M        t)        j                  | j                  D  cg c]  } | j                   c}       | _S        t)        j                  | j~                  df      | _U        t)        j                  | j~                  tn              | _W        t)        j                  | j~                        | _Y        || _Z        y # 1 sw Y   xY wc c} w )#Nz'Please select a valid mutation strategyr   )rM   deferredrJ   rM   zhdifferential_evolution: the 'workers' keyword has overridden updating='immediate' to updating='deferred'   
stacklevelrO   zPdifferential_evolution: the 'workers' keyword overrides the 'vectorized' keywordFzkdifferential_evolution: the 'vectorized' keyword has overridden updating='immediate' to updating='deferred'c                 L    t        j                   | |j                              S N)np
atleast_1dT)r,   xs     r0   maplike_for_vectorized_funczIDifferentialEvolutionSolver.__init__.<locals>.maplike_for_vectorized_func,  s     }}T!##Y//    r   zThe mutation constant must be a float in U[0, 2), or specified as a tuple(min, max) where min < max and min, max are in U[0, 2).__iter__dtypefloatz^bounds should be a sequence containing finite real valued (min, max) pairs for each value in xrE   rI   ignore)dividezlOne of the integrality constraints does not have any possible integer values between the lower/upper bounds.   rL   sobol)
qmc_enginehaltonrandom      ?        z3Some entries in x0 lay outside the specified bounds__len__)[callable	_binomialgetattrmutation_func_exponential
ValueErrorr   r
   r"   r!   	_updatingr   warningswarnUserWarningr   _mapwrapperr   r%   scalerU   allisfiniteanyarrayditherhasattrlensortcross_over_probabilityr   r,   r   
isinstancer   r   lbubr^   rW   limitssizer   infmaxfun(_DifferentialEvolutionSolver__scale_arg1fabs(_DifferentialEvolutionSolver__scale_arg2errstate._DifferentialEvolutionSolver__recip_scale_arg2parameter_countr   random_number_generatorbroadcast_toasarrayboolcopyceilfloor	nextafterr   count_nonzeromaxnum_population_memberspopulation_shape_nfevstrinit_population_lhsintlog2init_population_qmcinit_population_random,_DifferentialEvolutionSolver__init_error_msginit_population_array_unscale_parameters
populationr(   _wrapped_constraintsappend_ConstraintWrapperrX   sum
num_constrtotal_constraintszerosconstraint_violationonesfeasiblearange_random_population_indexr#   )!selfr,   r-   r   r   r   r   r   r   r   r    r   r"   r#   r!   r$   r%   r&   r'   r(   r)   r   r   rY   r   r   nlbnubebeb_countn_s	x0_scaledcs!                                    r0   __init__z$DifferentialEvolutionSolver.__init__  sd    H'!(t~~h/G!HD***!(t/@/@/J!KDFGG &x1IJ 00%DN$ a<H3MM 12=!M (DN'Q,MM @LMO+00DOj(k1MM ()4D (DN 0
 2G%g. "4$) 
r{{8,-rxx)Q./rxx)A-. M N N 8Z(S]Q->#A;4DKKK&3# %T40		
 ff%((#4VYY5;YY58^$E */0 12 K
 ((69;;DKGGDKK#q(r{{4;;/0 % & & ?G>VVF  4;;q>DKKN#BCGGDKKNT[[^$CD[[) 	O '($*;*;&;D#MND##R[[1H1H%I$IJ	O  "wwt{{A6'9#'>$ 66+//$$K **[$7K WWT[[)FBB"B{Or+6;;= ! "< = = ,,r+4bff=C,,r+4rvvg>C*D/2DKK4+++,/2DKK4+++,$D [[^t{{1~-##B' '*c!T11H<=='
# "&!<!<!%!5!5!7 
dC ''((*!rwwrwwt/J/J'KLLM.1+)-)D)D)-)=)=)?%((G(<!((H(=!++- !6!677&&t,> 00B@ISY_5::< I  "+DOOA '$&!;	* ! ))00&q$&&1 #;7)D% "$#'#<#<=aQ\\="
 %'HHd.I.I1-M$N! ; ;TB )+		$2M2M(N%	a	O 	OP >s   Ab>b%b"c                 >   | j                   }d| j                  z  }||j                  | j                        z  t	        j
                  dd| j                  d      ddt        j                  f   z   }t	        j                  |      | _        t        | j                        D ]>  }|j                  t        | j                              }|||f   | j                  dd|f<   @ t	        j                  | j                  t        j                        | _        d| _        y)z
        Initializes the population with Latin Hypercube Sampling.
        Latin Hypercube Sampling ensures that each parameter is uniformly
        sampled over its range.
        rf   r   rg   F)endpointNr   )r   r   uniformr   rU   linspacenewaxis
zeros_liker   ranger   permutationfullr   population_energiesr   )r   r    segsizesamplesjorders         r0   r   z/DifferentialEvolutionSolver.init_population_lhs  s     ** 333 S[[d.C.C[DD [[R)D)D*/112BJJ@@ --0 t++, 	6AOOE$*E*E$FGE$+E1H$5DOOAqD!	6
 $&774+F+F+-66$3  
rZ   c                    ddl m} | j                  }|dk(  r|j                  | j                  |      }n[|dk(  r|j                  | j                  |      }n8|dk(  r|j                  | j                  |      }nt        | j                        |j                  | j                        | _        t        j                  | j                  t        j                        | _        d| _        y)	aR  Initializes the population with a QMC method.

        QMC methods ensures that each parameter is uniformly
        sampled over its range.

        Parameters
        ----------
        qmc_engine : str
            The QMC method to use for initialization. Can be one of
            ``latinhypercube``, ``sobol`` or ``halton``.

        r   )qmcrL   )dr   rb   rd   )nN)scipy.statsr   r   LatinHypercuber   SobolHaltonrn   r   re   r   r   rU   r   r   r   r   )r   rc   r   r    samplers        r0   r   z/DifferentialEvolutionSolver.init_population_qmc  s     	$** ))((4+?+?c(JG7"ii$"6"6SiAG8#jj4#7#7cjBGT2233!..4+F+F.G $&774+F+F+-66$3  
rZ   c                     | j                   }|j                  | j                        | _        t	        j
                  | j                  t        j                        | _        d| _	        y)z
        Initializes the population at random. This type of initialization
        can possess clustering, Latin Hypercube sampling is generally better.
        r   r   N)
r   r   r   r   rU   r   r   r   r   r   )r   r    s     r0   r   z2DifferentialEvolutionSolver.init_population_random(  sR    
 **++4+@+@+A $&774+F+F+-66$3  
rZ   c                 L   t        j                  |t         j                        }t        j                  |d      dk  s4|j                  d   | j
                  k7  st        |j                        dk7  rt        d      t        j                  | j                  |      dd      | _
        t        j                  | j                  d      | _        | j                  | j
                  f| _        t        j                  | j                  t         j                        | _        d| _        y)ah  
        Initializes the population with a user specified population.

        Parameters
        ----------
        init : np.ndarray
            Array specifying subset of the initial population. The array should
            have shape (S, N), where N is the number of parameters.
            The population is clipped to the lower and upper bounds.
        r\   r   ra   rJ   rP   zEThe population supplied needs to have shape (S, len(x)), where S > 4.N)rU   r   float64r   shaper   r{   rn   clipr   r   r   r   r   r   r   r   )r   r$   popns      r0   r   z1DifferentialEvolutionSolver.init_population_array7  s     zz$bjj1GGD!q 

1!5!55DJJ1$ : ; ; ''$":":4"@!QG&(ggdooq&A#!%!<!<!%!5!5!7 $&774+F+F+-66$3  
rZ   c                 >    | j                  | j                  d         S )z3
        The best solution from the solver
        r   )_scale_parametersr   r   s    r0   rX   zDifferentialEvolutionSolver.xZ  s    
 %%dooa&899rZ   c                 8   t        j                  t        j                  | j                              rt         j                  S t        j
                  | j                        t        j                  t        j                  | j                              t        z   z  S )zb
        The standard deviation of the population energies divided by their
        mean.
        )	rU   rw   isinfr   r   stdabsmean_MACHEPSr   s    r0   convergencez'DifferentialEvolutionSolver.convergencea  sf     66"((4334566Mt//0 8 89:XEG 	HrZ   c                 @   t        j                  t        j                  | j                              ryt        j                  | j                        | j
                  | j                  t        j                  t        j                  | j                              z  z   k  S )z:
        Return True if the solver has converged.
        F)	rU   rw   r   r   r   r%   r   r   r   r   s    r0   	convergedz%DifferentialEvolutionSolver.convergedl  sq     66"((43345t//0		266"''$*B*B"CDDEE 	FrZ   c                 
    d\  }}t         d   }t        j                  t        j                   j                              rw j                   j                        \   _         _         j                   j                   j                            j                   j                  <    j                          t        d j                  dz         D ]  }	 t                 j"                  rt%        d| d j                  d	            j&                  rY j(                   j*                  t,        z   z  } j/                  |d
      }||_        	 t1         j'                  |            }|rd}|s j3                         s n t         d   }d} j/                  |||      } j4                  rnt        j                   j6                        sNt        j8                   j6                        r@ j:                   j6                  }}|j<                  |   |d	|f<   |j<                  |   |d|f<   d}	 j>                  rQd}	 jA                  |j<                        }
t        j8                  |
dkD        rtC        jD                  dtF        d        j"                  rt%        d|	 d       tI         fdt        jJ                  |j<                        |	 j:                  jL                   jN                        } xj                  |jP                  z  c_         j                  |_(        |jR                  |jR                  k  r|jT                  rt        j                  |j<                   j:                  d   k        rt        j                   j:                  d	   |j<                  k        rt|jR                  |_)        |j<                  |_        |jV                  |_+        |jR                   j                  d	<    jY                  |j<                         j                  d	<    j>                  r j>                  D cg c]  }|j[                  |j<                         c}|_.        t        j^                  t        j`                  |j\                              |_1        |jb                  |_2        |jd                  d	kD  rd|_*        d|jd                   |_3        |S # t        $ rE d} j                   j                   kD  r
t         d   }n j                   j                   k(  rd}Y  w xY w# t        $ r d}Y w xY wc c}w )a  
        Runs the DifferentialEvolutionSolver.

        Returns
        -------
        res : OptimizeResult
            The optimization result represented as a `OptimizeResult` object.
            Important attributes are: ``x`` the solution array, ``success`` a
            Boolean flag indicating if the optimizer exited successfully,
            ``message`` which describes the cause of the termination,
            ``population`` the solution vectors present in the population, and
            ``population_energies`` the value of the objective function for
            each entry in ``population``.
            See `OptimizeResult` for a description of other attributes. If
            `polish` was employed, and a lower minimum was obtained by the
            polishing, then OptimizeResult also contains the ``jac`` attribute.
            If the eventual solution does not satisfy the applied constraints
            ``success`` will be `False`.
        )r   FsuccessrJ   Tmaxfevz8Maximum number of function evaluations has been reached.zdifferential_evolution step z: f(x)= r   zin progress)nitmessagez&callback function requested stop earlyr   )r   r   warning_flagzL-BFGS-Bztrust-constrrg   zdifferential evolution didn't find a solution satisfying the constraints, attempting to polish from the least infeasible solutionrP   rQ   zPolishing solution with ''c                 z    t        j                  j                  t        j                  |                   d   S )Nr   )listrs   r,   rU   
atleast_2d)rX   r   s    r0   <lambda>z3DifferentialEvolutionSolver.solve.<locals>.<lambda>  s0     $T%5%5diiqAQ%R STU V rZ   )methodr-   r(   Fz7The solution does not satisfy the constraints, MAXCV = )4r	   rU   ru   r   r   #_calculate_population_feasibilitiesr   r   r   _calculate_population_energies_promote_lowest_energyr   r   nextStopIterationr   r   r#   printr"   r   r   r   _resultr   r   r!   r   rw   r   rX   r   _constraint_violation_fnrp   rq   rr   r   r   rW   r(   nfevfunr   jacr   	violationconstrr   concatenateconstr_violationmaxcvr   )r   r   r   status_messager   res	DE_resultr   r   polish_methodr   results   `           r0   r+   z!DifferentialEvolutionSolver.solvew  so   ( %\(3 66"((4334588I 5DM44
 33OODMM24 $$T]]3 '') DLL1,- $	 C	T
 yy4SE :221568  }}HH 0 08 ;<llsMlB"#(#'c(:#;L  %MN t~~/A$	 F -Y7NLLL^, ! 
	 ;;rvvd&6&67vvd&&' '+kk43C3C)2[)Aq+~&)2[)Aq+~&&M(( .#'#@#@#M 66*R/0MM #8 #.!	=
 yy1-BC W ggikk2%2%)[[]]*.*:*:<F JJ&++%J!ZZIN
 

Y]]*NNFF688t{{1~56FF4;;q>VXX56 &

	$hh	 &

	.4jj((+%)%=%=fhh%G"$$%)%>%> @ ! !"IKK 8  @I)+y//0*2I&'88IO"$)	!&==F__<M&O	! C ! #::+%4X%>NZZ4;;.';N( % (#'L(D @s+   ST):"T;A	T&%T&)T87T8c                 r   |j                  dd       }|j                  dd       }|j                  dd      }t        | j                  | j                  d   | j                  |||du| j                  | j                        | j                        }| j                  r| j                  D cg c]  }|j                  |j                         c}|_	        t        j                  t        j                  |j                              |_        |j                  |_        |j                  dkD  rd|_        |S c c}w )Nr   r   r   Fr   T)rX   r   r   r   r   r   r   r   )getr   rX   r   r   r   r   r   r   r   rU   r   r   r   r   r   )r   kwdsr   r   r   r  r   s          r0   r   z#DifferentialEvolutionSolver._result  s   hhud#((9d+xx6ff((+!---doo> $ 8 8	
 $$&*&?&?A!" [[2 AFM&(ffR^^FMM-J&KF#!22FL||a!&As   *"D4c                    t        j                  |d      }t        || j                  | j                  z
        }t        j
                  |t         j                        }| j                  |      }	 t        | j                  | j                  |d|             }t        j                  |      }|j                  |k7  r"| j                  rt        d      t        d      ||d| | j                  r| xj                  dz  c_        |S | xj                  |z  c_        |S # t        t        f$ r}t        d      |d}~ww xY w)aw  
        Calculate the energies of a population.

        Parameters
        ----------
        population : ndarray
            An array of parameter vectors normalised to [0, 1] using lower
            and upper limits. Has shape ``(np.size(population, 0), N)``.

        Returns
        -------
        energies : ndarray
            An array of energies corresponding to each population member. If
            maxfun will be exceeded during this call, then the number of
            function evaluations will be reduced and energies will be
            right-padded with np.inf. Has shape ``(np.size(population, 0),)``
        r   zzThe map-like callable must be of the form f(func, iterable), returning a sequence of numbers the same length as 'iterable'NzcThe vectorized function must return an array of shape (S,) when given an array of shape (len(x), S)z)func(x, *args) must return a scalar valuerJ   )rU   r   minr   r   r   r   r   r   rs   r,   squeeze	TypeErrorrn   RuntimeErrorr   )r   r   num_membersSenergiesparameters_popcalc_energieses           r0   r   z:DifferentialEvolutionSolver._calculate_population_energies  s/   $ ggj!, T[[4::5677;///
;	   N1Q,?@M JJ}5M "" $; < < JKK%1??JJ!OJ  JJ!OJ- :& 	 P 	s   0=D D=,D88D=c                 P   t        j                  | j                        }|| j                     }|j                  r(t        j
                  | j                  |         }||   }n4t        j
                  t        j                  | j                  d            }| j                  |dg   | j                  d|g<   | j                  |dgd d f   | j                  d|gd d f<   | j                  |dg   | j                  d|g<   | j                  |dgd d f   | j                  d|gd d f<   y )NrJ   axisr   )
rU   r   r   r   r   argminr   r   r   r   )r   idxfeasible_solutionsidx_tls        r0   r   z2DifferentialEvolutionSolver._promote_lowest_energyV  s    ii334 /""IId667IJKE"5)A 		"&&!:!:CDA+/+C+CQF+K  !Q(%)__aVQY%?A	" $q!f 5q!f!!1a&!), 	!!1a&!),rZ   c                 
   t        j                  |      | j                  z  }t        j                  || j                  f      }d}| j
                  D ]  }|j                  |j                        j                  }|j                  d   |j                  k7  s|dkD  r|j                  d   |k7  rt        d      t        j                  |||j                  f      }||dd|||j                  z   f<   ||j                  z  } |S )a\  
        Calculates total constraint violation for all the constraints, for a
        set of solutions.

        Parameters
        ----------
        x : ndarray
            Solution vector(s). Has shape (S, N), or (N,), where S is the
            number of solutions to investigate and N is the number of
            parameters.

        Returns
        -------
        cv : ndarray
            Total violation of constraints. Has shape ``(S, M)``, where M is
            the total number of constraint components (which is not necessarily
            equal to len(self._wrapped_constraints)).
        r   rJ   M  An array returned from a Constraint has the wrong shape. If `vectorized is False` the Constraint should return an array of shape (M,). If `vectorized is True` then the Constraint must return an array of shape (M, S), where S is the number of solution vectors and M is the number of constraint components in a given Constraint object.N)rU   r   r   r   r   r   r   rW   r   r   r	  reshape)r   rX   r  _outoffsetconr   s          r0   r   z4DifferentialEvolutionSolver._constraint_violation_fnj  s    * GGAJ$...xxD2234,, 	%C acc"$$A wwr{cnn,Q1771:?" $9 : : 

1q#..12A67DF6CNN2223cnn$F?	%B rZ   c                    t        j                  |d      }| j                  s1t        j                  |t              t        j
                  |df      fS | j                  |      }| j                  r%t        j                  | j                  |            }n;t        j                  |D cg c]  }| j                  |       c}      }|dddf   }t        j                  |d      dkD   }||fS c c}w )a  
        Calculate the feasibilities of a population.

        Parameters
        ----------
        population : ndarray
            An array of parameter vectors normalised to [0, 1] using lower
            and upper limits. Has shape ``(np.size(population, 0), N)``.

        Returns
        -------
        feasible, constraint_violation : ndarray, ndarray
            Boolean array of feasibility for each population member, and an
            array of the constraint violation for each population member.
            constraint_violation has shape ``(np.size(population, 0), M)``,
            where M is the number of constraints.
        r   rJ   Nr  )rU   r   r   r   r   r   r   r   rx   r   r   )r   r   r
  r  r   rX   r   s          r0   r   z?DifferentialEvolutionSolver._calculate_population_feasibilities  s    $ ggj!,((77;-rxxa8H/III //
;??#%88--n=$ 
 $&886D-F12 .2-J-J1-M -F $G  $81#= VV0q9A=>----Fs   )C0c                     | S rT   rD   r   s    r0   r[   z$DifferentialEvolutionSolver.__iter__      rZ   c                     | S rT   rD   r   s    r0   	__enter__z%DifferentialEvolutionSolver.__enter__  r!  rZ   c                 4     | j                   j                  | S rT   )rs   __exit__)r   r   s     r0   r%  z$DifferentialEvolutionSolver.__exit__  s    (t(($//rZ   c                 L    |r|r||k  S |r|sy|s||k  j                         ryy)a  
        Trial is accepted if:
        * it satisfies all constraints and provides a lower or equal objective
          function value, while both the compared solutions are feasible
        - or -
        * it is feasible while the original solution is infeasible,
        - or -
        * it is infeasible, but provides a lower or equal constraint violation
          for all constraint functions.

        This test corresponds to section III of Lampinen [1]_.

        Parameters
        ----------
        energy_trial : float
            Energy of the trial solution
        feasible_trial : float
            Feasibility of trial solution
        cv_trial : array-like
            Excess constraint violation for the trial solution
        energy_orig : float
            Energy of the original solution
        feasible_orig : float
            Feasibility of original solution
        cv_orig : array-like
            Excess constraint violation for the original solution

        Returns
        -------
        accepted : bool

        TF)ru   )r   energy_trialfeasible_trialcv_trialenergy_origfeasible_origcv_origs          r0   _accept_trialz)DifferentialEvolutionSolver._accept_trial  s8    D ^;..MX%8$=$=$? rZ   c           
      $
   t        j                  t        j                  | j                              rw| j	                  | j
                        \  | _        | _        | j                  | j
                  | j                           | j                  | j                  <   | j                          | j                  ;| j                  j                  | j                  d   | j                  d         | _        | j                  dk(  rt        | j                         D ]  }| j"                  | j$                  kD  rt&        | j)                  |      }| j+                  |       | j-                  |      }| j.                  rd| j1                  |      }d}t         j2                  }t        j4                  |      dkD  sgd}| j7                  |      }| xj"                  dz  c_        n>d}t        j8                  dg      }| j7                  |      }| xj"                  dz  c_        | j;                  |||| j                  |   | j                  |   | j                  |         sC|| j
                  |<   t        j<                  |      | j                  |<   || j                  |<   || j                  |<   | j;                  |||| j                  d   | j                  d   | j                  d         s| j                           n| j                  dk(  r| j"                  | j$                  k\  rt&        | j?                  t        j@                  | j                               }| j+                  |       | j	                  |      \  }}t        jB                  | j                   t         j2                        }| j                  ||         ||<   tE        |||| j                  | j                  | j                        D 	cg c]  }	 | j:                  |	  }
}	t        jF                  |
      }
t        jH                  |
ddt         jJ                  f   || j
                        | _        t        jH                  |
|| j                        | _        t        jH                  |
|| j                        | _        t        jH                  |
ddt         jJ                  f   || j                        | _        | j                          | jL                  | j                  d   fS c c}	w )	z
        Evolve the population by a single generation

        Returns
        -------
        x : ndarray
            The best solution from the solver.
        fun : float
            Value of objective function obtained from the best solution.
        Nr   rJ   rM   FTrg   rO   )'rU   ru   r   r   r   r   r   r   r   r   ry   r   r   rt   ro   r   r   r   r   r   _mutate_ensure_constraintr   r   r   r   r   r,   r   r-  r  _mutate_manyr   r   ziprx   wherer   rX   )r   	candidatetrial
parameterscvr   energy	trial_poptrial_energiesvallocs              r0   __next__z$DifferentialEvolutionSolver.__next__  sQ    66"((4334588I 5DM44 33OODMM24 $$T]]3 '');;"55==dkk!n>Bkk!nNDJ >>[("4#>#>? -6	::+'' Y/ ''. "33E:
 ,,66zBB$HVVF66":>#'!%:!6

a
#Ht,B!YYz2FJJ!OJ %%fh&*&>&>y&I&*mmI&>&*&?&?	&JL 27DOOI.:<**V:LD,,Y7/7DMM),;=D--i8 ))&(B*.*B*B1*E*.--*:*.*C*CA*FH 335[-6^ ^^z)zzT[[(## ))		$556I
 ##I.  CCINLHbWWT%@%@"&&IN (,'J'J(#(%N8$
 ~xT5M5M}}d&?&?AB%4%%s+ BC B ((3-C hhs1bjj='9'0'+8DO (*xx0>040H0H(JD$ HHS%-%)]]4DM )+Q

]1C13151J1J)LD% '')vvt//222+Bs   3Tc                    | j                   |dz
  | j                  z  z   }t        j                  | j                        rEt        j
                  | j                  |j                        }t        j                  ||         ||<   |S )z2Scale from a number between 0 and 1 to parameters.rI   )r   r   rU   r   r   r   r   round)r   r5  scaledis       r0   r   z-DifferentialEvolutionSolver._scale_parameters  sl     ""eckT5F5F%FFD,,- 0 0&,,?A+F1IrZ   c                 @    || j                   z
  | j                  z  dz   S )z2Scale from parameters to a number between 0 and 1.rI   )r   r   )r   r6  s     r0   r   z/DifferentialEvolutionSolver._unscale_parameters  s#    T...$2I2IICOOrZ   c                     t        j                  |dkD  |dk        }t        j                  |      x}r | j                  j	                  |      ||<   yy)z0Make sure the parameters lie between the limits.rJ   r   r   N)rU   
bitwise_orr   r   r   )r   r5  maskoobs       r0   r0  z.DifferentialEvolutionSolver._ensure_constraint  sR    }}UQY	2""4((3(66>>C>HE$K )rZ   c           
         | j                   }d}| j                  | j                        }t        t	        j
                  |            s9| j                  |||      }|j
                  | j                  fk7  r{t        |      |j
                  d   }t	        j                  |D cg c]  }| j                  |||       c}t              }|j
                  || j                  fk7  rt        |      | j                  |      S c c}w )Nzqstrategy must have signature f(candidate: int, population: np.ndarray, rng=None) returning an array of shape (N,))r    r   r\   )r   r   r   r{   rU   r   r   r   r	  rx   r^   r   )r   r4  r    msg_populationr5  r  r   s           r0   _mutate_customz*DifferentialEvolutionSolver._mutate_custom  s    **# 	
 ,,T__=288I&'MM)[cMBE{{t3355"3''"AHHAJKAq+37KE {{q$"6"677"3''''.. Ls   #Dc           	         | j                   }t        |      }t        | j                        r| j	                  |      S t        j                  | j                  |         }t        j                  |D cg c]  }| j                  |d       c}      }| j                  dv r| j                  ||      }n| j                  |      }t        || j                  |      }|j                  || j                  f      }	|	| j                  k  }	| j                  | j                  v r8t        j                   |      }
d|	|
||
   f<   t        j"                  |	||      }|S | j                  | j$                  v rqd|	d<   t'        |      D ]\  }d}
||   }|
| j                  k  s|	||
f   s"|||f   |||f<   |dz   | j                  z  }|
dz  }
|
| j                  k  sU|	||
f   r;^ |S yc c}w )	z2Create trial vectors based on a mutation strategy.ra   rA   r:   r   T).r   r   rJ   N)r   r{   ri   r   rJ  rU   r   r   rx   _select_samplesrl   r   r   r   r}   rj   r   r3  rm   r   )r   
candidatesr    r  r5  r   r   bprime
fill_point
crossoversrA  r   	init_fills                r0   r1  z(DifferentialEvolutionSolver._mutate_many  s   **
ODMM"&&z22
34((
K1D00A6KL==FF''
G<F''0F!#t';';!D
[[q$*>*>&?[@
$"="==
==DNN*
 		!A+/Jq*Q-'(HHZ7EL]]d///!%Jv1X &qM	4///Jq!t4D*0I*>E!Y,'!*Q$2F2F FIFA 4///Jq!t4D L 0) Ls   3G$c                    | j                   }t        | j                        r| j                  |      S t	        || j
                        }| j                  |d      }t        j                  | j                  |         }| j                  dv r| j                  ||      }n| j                  |      }|j                  | j
                        }|| j                  k  }| j                  | j                  v rd||<   t        j                  |||      }|S | j                  | j                  v rQd}d|d<   || j
                  k  r9||   r4||   ||<   |dz   | j
                  z  }|dz  }|| j
                  k  r||   r4|S y)z3Create a trial vector based on a mutation strategy.ra   rL  r   Tr   rJ   N)r   ri   r   rJ  r   r   rM  rU   r   r   rl   r   r}   rj   r3  rm   )	r   r4  r    rP  r   r5  rO  rQ  rA  s	            r0   r/  z#DifferentialEvolutionSolver._mutate  so   **DMM"&&y11!#t';';<
&&y!4	23==FF''	7;F''0F[[d&:&:[;
$"="==
==DNN*
 &*Jz"HHZ7EL]]d///A JqMd***z!}$*:$6j!(1n0D0DD
Q d***z!}
 L 0rZ   c                     |dddf   j                   \  }}| j                  d   | j                  | j                  |   | j                  |   z
  z  z   S )zbest1bin, best1exp.NrP   r   rW   r   rt   )r   r   r0r1s       r0   r2   z"DifferentialEvolutionSolver._best1  s[    
 bqb!##B"TZZ$tr'::&< < 	=rZ   c                     |dddf   j                   \  }}}| j                  |   | j                  | j                  |   | j                  |   z
  z  z   S )zrand1bin, rand1exp.N   rU  )r   r   rV  rW  r2s        r0   r7   z"DifferentialEvolutionSolver._rand1  s[    S"1"W%''
B#djj$tr'::'< < 	=rZ   c                    |dddf   j                   \  }}}t        j                  | j                  |         }|| j                  | j                  d   |z
  z  z  }|| j                  | j                  |   | j                  |   z
  z  z  }|S )zrandtobest1bin, randtobest1exp.NrY  r   )rW   rU   r   r   rt   )r   r   rV  rW  rZ  rO  s         r0   r3   z(DifferentialEvolutionSolver._randtobest1  s    S"1"W%''
B,-$** 2V ;<<$** 3 $ 3!4 5 	5rZ   c                     |dddf   j                   \  }}| j                  |   | j                  | j                  d   | j                  |   z
  | j                  |   z   | j                  |   z
  z  z   }|S )z$currenttobest1bin, currenttobest1exp.NrP   r   rU  )r   r4  r   rV  rW  rO  s         r0   r4   z+DifferentialEvolutionSolver._currenttobest1  s    bqb!##B//),tzz??1%	(BB??2&')-)<=0> > rZ   c                     |dddf   j                   \  }}}}| j                  d   | j                  | j                  |   | j                  |   z   | j                  |   z
  | j                  |   z
  z  z   }|S )zbest2bin, best2exp.N   r   rU  )r   r   rV  rW  rZ  r3rO  s          r0   r5   z"DifferentialEvolutionSolver._best2  s     bqb)++BB//!$tzz??2&)<<??2&')-)<=(> > rZ   c                     |dddf   j                   \  }}}}}| j                  |   | j                  | j                  |   | j                  |   z   | j                  |   z
  | j                  |   z
  z  z   }|S )zrand2bin, rand2exp.Nra   rU  )r   r   rV  rW  rZ  r_  r4rO  s           r0   r6   z"DifferentialEvolutionSolver._rand2(  s    $S"1"W-//BB//"%

??2&)<<??2&')-)<=)> > rZ   c                     | j                   j                  | j                         | j                  d|dz    }|||k7     d| S )z
        obtain random integers from range(self.num_population_members),
        without replacement. You can't have the original candidate either.
        NrJ   )r   shuffler   )r   r4  number_samplesidxss       r0   rM  z+DifferentialEvolutionSolver._select_samples1  sM    
 	$$,,T-J-JK,,-@nq.@ADI%&77rZ   )*__name__
__module____qualname____doc__rj   rm   r   rU   r   r   r   r   r   r   propertyrX   r   r   r+   r   r   r   r   r   r[   r#  r%  r-  r=  r   r   r0  rJ  r1  r/  r2   r7   r3   r4   r5   r6   rM  rD   rZ   r0   r*   r*     sZ   k\ &#1&7%%%'I !) (&4): ( (*LM +-$dBHCTE$&Qt`
 EI!`D$L"H!F : : H H	FM^25n.(9v+.Z0+Z{3zPI/.'R$L==8rZ   r*   c                   "    e Zd ZdZd Zd Zd Zy)r   a  Object to wrap/evaluate user defined constraints.

    Very similar in practice to `PreparedConstraint`, except that no evaluation
    of jac/hess is performed (explicit or implicit).

    If created successfully, it will contain the attributes listed below.

    Parameters
    ----------
    constraint : {`NonlinearConstraint`, `LinearConstraint`, `Bounds`}
        Constraint to check and prepare.
    x0 : array_like
        Initial vector of independent variables, shape (N,)

    Attributes
    ----------
    fun : callable
        Function defining the constraint wrapped by one of the convenience
        classes.
    bounds : 2-tuple
        Contains lower and upper bounds for the constraints --- lb and ub.
        These are converted to ndarray and have a size equal to the number of
        the constraints.

    Notes
    -----
    _ConstraintWrapper.fun and _ConstraintWrapper.violation can get sent
    arrays of shape (N, S) or (N,), where S is the number of vectors of shape
    (N,) to consider constraints for.
    c                 t   | _         t        t              rfd}n5t        t              rfd}nt        t              rd }nt        d      || _        t        j                  j                  t              }t        j                  j                  t              }t        j                  |      } ||      }|j                  x| _        }|j                  | _        |j                  dk(  rt        j                   ||      }|j                  dk(  rt        j                   ||      }||f| _        y )Nc                 v    t        j                  |       } t        j                  j                  |             S rT   )rU   r   rV   r   )rX   
constraints    r0   r   z(_ConstraintWrapper.__init__.<locals>.fun^  s(    JJqM}}Z^^A%677rZ   c                     t        j                        rj                  }nt        j                  j                        }|j	                  |       }| j
                  dk(  r+|j
                  dk(  rt        j                  |      d d df   }|S )NrJ   rP   r   )r   ArU   r   dotndimr   )rX   rp  r   rn  s      r0   r   z(_ConstraintWrapper.__init__.<locals>.funb  sk    JLL)"Ajll3AeeAh 66Q;388q= **S/!Q$/C
rZ   c                 ,    t        j                  |       S rT   )rU   r   )rX   s    r0   r   z(_ConstraintWrapper.__init__.<locals>.funu  s    zz!}$rZ   z*`constraint` of an unknown type is passed.r\   r   )rn  r~   r   r   r   rn   r   rU   r   r   r^   r   r   r   r   rr  resizer-   )r   rn  r)   r   r   r   f0ms    `      r0   r   z_ConstraintWrapper.__init__Z  s    $j"568 
$45$ 
F+% IJJZZ
U3ZZ
U3ZZ^ W gg%!!ww77a<2q!B77a<2q!B2hrZ   c                 J    t        j                  | j                  |            S rT   )rU   rV   r   )r   rX   s     r0   __call__z_ConstraintWrapper.__call__  s    }}TXXa[))rZ   c                 h   | j                  t        j                  |            }	 t        j                  | j                  d   |j
                  z
  d      }t        j                  |j
                  | j                  d   z
  d      }||z   j
                  }|S # t        $ r}t        d      |d}~ww xY w)a  How much the constraint is exceeded by.

        Parameters
        ----------
        x : array-like
            Vector of independent variables, (N, S), where N is number of
            parameters and S is the number of solutions to be investigated.

        Returns
        -------
        excess : array-like
            How much the constraint is exceeded by, for each of the
            constraints specified by `_ConstraintWrapper.fun`.
            Has shape (M, S) where M is the number of constraint components.
        r   rJ   r  N)r   rU   r   maximumr-   rW   rn   r	  )r   rX   ev	excess_lb	excess_ubr  vs          r0   r   z_ConstraintWrapper.violation  s    " XXbjjm$	=

4;;q>BDD#8!<I

244$++a.#8!<I "%%  		=  5 6 <==		=s   A B 	B1 B,,B1N)rf  rg  rh  ri  r   rx  r   rD   rZ   r0   r   r   ;  s    <1f*"rZ   r   )rD   r8   rE   rF   rG   rH   rK   NNFTrL   r   rM   rJ   rD   N)ri  rp   numpyrU   scipy.optimizer   r   scipy.optimize._constraintsr   r   r   r   scipy.optimize._optimizer	   r
   scipy._lib._utilr   r   r   r   r   scipy._lib._sparser   __all__finfor   epsr   r   r*   r   rD   rZ   r0   <module>r     s      3P P D@ @ ' $
$ 288BJJ## F+;E9=EI=ACN9=_ (,_ ,_D}8 }8@*w wrZ   