Skip to content

pareto

is_pareto_efficient(costs, minimize=True)

Find the Pareto-efficient points from a set of points.

A point is Pareto-efficient if no other point exists that is better in all objectives. This function assumes that lower values are preferred for each objective when minimize=True, and higher values are preferred when minimize=False.

Parameters:

Name Type Description Default
costs ndarray

An (N,M) array-like object of points, where N is the number of points and M is the number of objectives.

required
minimize bool

If True, the function finds Pareto-efficient points assuming lower values are better. If False, it assumes higher values are better. Defaults to True.

True

Returns:

Type Description
ndarray

np.ndarray: A boolean mask of length N, where True indicates that the corresponding point is Pareto-efficient.

Examples:

>>> from spotpython.mo.pareto import is_pareto_efficient
>>> import numpy as np
>>> costs = np.array([[1, 2], [2, 1], [3, 3], [1.5, 1.5]])
>>> is_efficient = is_pareto_efficient(costs)
>>> print(is_efficient)
[ True  True False  True]
Source code in spotpython/mo/pareto.py
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
def is_pareto_efficient(costs: np.ndarray, minimize: bool = True) -> np.ndarray:
    """
    Find the Pareto-efficient points from a set of points.

    A point is Pareto-efficient if no other point exists that is better in all objectives.
    This function assumes that lower values are preferred for each objective when `minimize=True`,
    and higher values are preferred when `minimize=False`.

    Args:
        costs (np.ndarray):
            An (N,M) array-like object of points, where N is the number of points and M is the number of objectives.
        minimize (bool, optional):
            If True, the function finds Pareto-efficient points assuming
            lower values are better. If False, it assumes higher values are better.
            Defaults to True.

    Returns:
        np.ndarray:
            A boolean mask of length N, where True indicates that the corresponding point is Pareto-efficient.

    Examples:
        >>> from spotpython.mo.pareto import is_pareto_efficient
        >>> import numpy as np
        >>> costs = np.array([[1, 2], [2, 1], [3, 3], [1.5, 1.5]])
        >>> is_efficient = is_pareto_efficient(costs)
        >>> print(is_efficient)
        [ True  True False  True]
    """
    is_efficient = np.ones(costs.shape[0], dtype=bool)
    for i, cost in enumerate(costs):
        if is_efficient[i]:
            if minimize:
                is_efficient[is_efficient] = np.any(costs[is_efficient] < cost, axis=1)
            else:
                is_efficient[is_efficient] = np.any(costs[is_efficient] > cost, axis=1)
            is_efficient[i] = True
    return is_efficient