Source code for pypesto.visualize.parameters

import logging
from collections.abc import Callable, Iterable, Sequence
from typing import Optional

import matplotlib.axes
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
from matplotlib.colors import Colormap
from matplotlib.ticker import MaxNLocator

from pypesto.util import delete_nan_inf

from ..C import (
    COLOR,
    INNER_PARAMETERS,
    LOG10,
    WATERFALL_MAX_VALUE,
    InnerParameterType,
)
from ..result import Result
from .clust_color import assign_colors
from .misc import (
    process_parameter_indices,
    process_result_list,
    process_start_indices,
)
from .reference_points import ReferencePoint, create_references

try:
    from ..hierarchical.base_problem import scale_value
    from ..hierarchical.relative import RelativeInnerProblem
    from ..hierarchical.semiquantitative import SemiquantProblem
except ImportError:
    pass

logger = logging.getLogger(__name__)


[docs] def parameters( results: Result | Sequence[Result], ax: matplotlib.axes.Axes | None = None, parameter_indices: str | Sequence[int] = "free_only", lb: np.ndarray | list[float] | None = None, ub: np.ndarray | list[float] | None = None, size: tuple[float, float] | None = None, reference: list[ReferencePoint] | None = None, colors: COLOR | list[COLOR] | np.ndarray | None = None, legends: str | list[str] | None = None, balance_alpha: bool = True, start_indices: int | Iterable[int] | None = None, scale_to_interval: tuple[float, float] | None = None, plot_inner_parameters: bool = True, log10_scale_hier_sigma: bool = True, ) -> matplotlib.axes.Axes: """ Plot parameter values. Parameters ---------- results: Optimization result obtained by 'optimize.py' or list of those ax: Axes object to use. parameter_indices: Specifies which parameters should be plotted. Allowed string values are 'all' (both fixed and free parameters will be plotted) and 'free_only' (only free parameters will be plotted) lb, ub: If not None, override result.problem.lb, problem.problem.ub. Dimension either result.problem.dim or result.problem.dim_full. size: Figure size (width, height) in inches. Is only applied when no ax object is specified reference: List of reference points for optimization results, containing at least a function value fval colors: list of colors recognized by matplotlib, or single color If not set, clustering is done and colors are assigned automatically legends: Labels for line plots, one label per result object balance_alpha: Flag indicating whether alpha for large clusters should be reduced to avoid overplotting (default: True) start_indices: list of integers specifying the multistarts to be plotted or int specifying up to which start index should be plotted scale_to_interval: Tuple of bounds to which to scale all parameter values and bounds, or ``None`` to use bounds as determined by ``lb, ub``. plot_inner_parameters: Flag indicating whether to plot inner parameters (default: True). log10_scale_hier_sigma: Flag indicating whether to scale inner parameters of type ``InnerParameterType.SIGMA`` to log10 (default: True). Returns ------- ax: The plot axes. """ # parse input (results, colors, legends) = process_result_list(results, colors, legends) if isinstance(parameter_indices, str): if parameter_indices == "all": parameter_indices = range(0, results[0].problem.dim_full) elif parameter_indices == "free_only": parameter_indices = results[0].problem.x_free_indices else: raise ValueError( "Permissible values for parameter_indices are " "'all', 'free_only' or a list of indices" ) def scale_parameters(x): """Scale `x` from [lb, ub] to interval given by `scale_to_interval`.""" if scale_to_interval is None or scale_to_interval is False: return x return scale_to_interval[0] + (x - lb) / (ub - lb) * ( scale_to_interval[1] - scale_to_interval[0] ) for j, result in enumerate(results): # handle results and bounds (lb, ub, x_labels, fvals, xs, x_axis_label) = handle_inputs( result=result, lb=lb, ub=ub, parameter_indices=parameter_indices, start_indices=start_indices, plot_inner_parameters=plot_inner_parameters, log10_scale_hier_sigma=log10_scale_hier_sigma, ) # parse fvals and parameters fvals = np.array(fvals) # remove nan or inf values xs, fvals = delete_nan_inf( fvals=fvals, x=xs, xdim=len(ub) if ub is not None else 1, magnitude_bound=WATERFALL_MAX_VALUE, ) lb, ub, xs = map(scale_parameters, (lb, ub, xs)) # call lowlevel routine ax = parameters_lowlevel( xs=xs, fvals=fvals, lb=lb, ub=ub, x_labels=x_labels, x_axis_label=x_axis_label, ax=ax, size=size, colors=colors[j], legend_text=legends[j], balance_alpha=balance_alpha, ) # parse and apply plotting options ref = create_references(references=reference) # plot reference points for i_ref in ref: # reduce parameter vector in reference point, if necessary if len(parameter_indices) < results[0].problem.dim_full: x_ref = np.array( results[0].problem.get_reduced_vector( i_ref["x"], parameter_indices ) ) else: x_ref = np.array(i_ref["x"]) x_ref = np.reshape(x_ref, (1, x_ref.size)) x_ref = scale_parameters(x_ref) # plot reference parameters using lowlevel routine ax = parameters_lowlevel( x_ref, [i_ref["fval"]], ax=ax, colors=i_ref["color"], linestyle="--", legend_text=i_ref.legend, balance_alpha=balance_alpha, ) return ax
[docs] def parameter_hist( result: Result, parameter_name: str, bins: int | str = "auto", ax: Optional["matplotlib.Axes"] = None, size: tuple[float] | None = (18.5, 10.5), color: COLOR | None = None, start_indices: int | list[int] | None = None, ): """ Plot parameter values as a histogram. Parameters ---------- result: Optimization result obtained by 'optimize.py' parameter_name: The name of the parameter that should be plotted bins: Specifies bins of the histogram ax: Axes object to use size: Figure size (width, height) in inches. Is only applied when no ax object is specified color: Color recognized by matplotlib. start_indices: List of integers specifying the multistarts to be plotted or int specifying up to which start index should be plotted Returns ------- ax: The plot axes. """ if ax is None: ax = plt.subplots()[1] fig = plt.gcf() fig.set_size_inches(*size) xs = result.optimize_result.x # reduce number of displayed results if isinstance(start_indices, int): xs = xs[:start_indices] elif start_indices is not None: xs = [xs[ind] for ind in start_indices] parameter_index = result.problem.x_names.index(parameter_name) parameter_values = [x[parameter_index] for x in xs] ax.hist(parameter_values, color=color, bins=bins, label=parameter_name) ax.set_xlabel(parameter_name) ax.set_ylabel("counts") ax.set_title(f"{parameter_name}") return ax
[docs] def parameters_lowlevel( xs: np.ndarray, fvals: np.ndarray, lb: np.ndarray | list[float] | None = None, ub: np.ndarray | list[float] | None = None, x_labels: Iterable[str] | None = None, x_axis_label: str = "Parameter value", ax: matplotlib.axes.Axes | None = None, size: tuple[float, float] | None = None, colors: Sequence[np.ndarray | COLOR] | None = None, linestyle: str = "-", legend_text: str | None = None, balance_alpha: bool = True, ) -> matplotlib.axes.Axes: """ Plot parameters plot using list of parameters. Parameters ---------- xs: Including optimized parameters for each start that did not result in an infinite fval. Shape: (n_starts_successful, dim). fvals: Function values. Needed to assign cluster colors. lb, ub: The lower and upper bounds. x_labels: Labels to be used for the parameters. ax: Axes object to use. size: see parameters colors: A single color recognized by matplotlib or a list of colors, one for each element in 'fvals'. linestyle: linestyle argument for parameter plot legend_text: Label for line plots balance_alpha: Flag indicating whether alpha for large clusters should be reduced to avoid overplotting (default: True) Returns ------- ax: The plot axes. """ if size is None: # 0.5 inch height per parameter size = (18.5, max(xs.shape[1], 1) / 2) if ax is None: ax = plt.subplots()[1] fig = plt.gcf() fig.set_size_inches(*size) # assign colors colors = assign_colors( vals=fvals, colors=colors, balance_alpha=balance_alpha ) # parameter indices parameters_ind = list(range(1, xs.shape[1] + 1))[::-1] # plot parameters ax.xaxis.set_major_locator(MaxNLocator(integer=True)) for j_x, x in reversed(list(enumerate(xs))): if j_x == 0: tmp_legend = legend_text else: tmp_legend = None ax.plot( x, parameters_ind, linestyle, color=colors[j_x], marker="o", label=tmp_legend, ) ax.set_yticks(parameters_ind) if x_labels is not None: ax.set_yticklabels(x_labels) # draw bounds parameters_ind = np.array(parameters_ind).flatten() if lb is not None: lb = np.array(lb, dtype="float64") ax.plot(lb.flatten(), parameters_ind, "k--", marker="+") if ub is not None: ub = np.array(ub, dtype="float64") ax.plot(ub.flatten(), parameters_ind, "k--", marker="+") ax.set_xlabel(x_axis_label) ax.set_ylabel("Parameter") ax.set_title("Estimated parameters") if legend_text is not None: ax.legend() return ax
def handle_inputs( result: Result, parameter_indices: list[int], lb: np.ndarray | list[float] | None = None, ub: np.ndarray | list[float] | None = None, start_indices: int | Iterable[int] | None = None, plot_inner_parameters: bool = False, log10_scale_hier_sigma: bool = True, ) -> tuple[np.ndarray, np.ndarray, list[str], np.ndarray, list[np.ndarray]]: """ Compute the correct bounds for the parameter indices to be plotted. Outputs the corresponding parameters and their labels. Parameters ---------- result: Optimization result obtained by 'optimize.py'. parameter_indices: Specifies which parameters should be plotted. lb, ub: If not None, override result.problem.lb, problem.problem.ub. Dimension either result.problem.dim or result.problem.dim_full. start_indices: list of integers specifying the multistarts to be plotted or int specifying up to which start index should be plotted plot_inner_parameters: Flag indicating whether inner parameters should be plotted. log10_scale_hier_sigma: Flag indicating whether to scale inner parameters of type ``InnerParameterType.SIGMA`` to log10 (default: True). Returns ------- lb, ub: Dimension either result.problem.dim or result.problem.dim_full. x_labels: ytick labels to be applied later on fvals: objective function values which are needed for plotting later xs: parameter values which will be plotted later x_axis_label: label for the x-axis """ # retrieve results fvals = result.optimize_result.fval xs = result.optimize_result.x # retrieve inner parameters in case of hierarchical optimization ( inner_xs, inner_xs_names, inner_xs_scales, inner_lb, inner_ub, ) = _handle_inner_inputs(result, log10_scale_hier_sigma) # parse indices which should be plotted if start_indices is not None: start_indices = process_start_indices(result, start_indices) # reduce number of displayed results xs_out = [xs[ind] for ind in start_indices] fvals_out = [fvals[ind] for ind in start_indices] if inner_xs is not None and plot_inner_parameters: inner_xs_out = [inner_xs[ind] for ind in start_indices] else: # use non-reduced versions xs_out = xs fvals_out = fvals if inner_xs is not None and plot_inner_parameters: inner_xs_out = inner_xs # get bounds if lb is None: lb = result.problem.lb_full if ub is None: ub = result.problem.ub_full # get labels as x_names and scales x_labels = list( zip(result.problem.x_names, result.problem.x_scales, strict=True) ) # handle fixed and free indices if len(parameter_indices) < result.problem.dim_full: for ix, x in enumerate(xs_out): xs_out[ix] = result.problem.get_reduced_vector( x, parameter_indices ) lb = result.problem.get_reduced_vector(lb, parameter_indices) ub = result.problem.get_reduced_vector(ub, parameter_indices) x_labels = [x_labels[int(i)] for i in parameter_indices] else: lb = result.problem.lb_full ub = result.problem.ub_full if inner_xs is not None and plot_inner_parameters: lb = np.concatenate([lb, inner_lb]) ub = np.concatenate([ub, inner_ub]) inner_xs_labels = list( zip(inner_xs_names, inner_xs_scales, strict=True) ) x_labels = x_labels + inner_xs_labels xs_out = [ np.concatenate([x, inner_x]) if x is not None else None for x, inner_x in zip(xs_out, inner_xs_out, strict=True) ] # If all the scales are the same, put it in the x_axis_label if len({x_scale for _, x_scale in x_labels}) == 1: x_axis_label = "Parameter value (" + x_labels[0][1] + ")" x_labels = [x_name for x_name, _ in x_labels] else: x_axis_label = "Parameter value" x_labels = [f"{x_name} ({x_scale})" for x_name, x_scale in x_labels] return lb, ub, x_labels, fvals_out, xs_out, x_axis_label def _handle_inner_inputs( result: Result, log10_scale_hier_sigma: bool = True, ) -> ( tuple[None, None, None, None, None] | tuple[list[np.ndarray], list[str], list[str], np.ndarray, np.ndarray] ): """Handle inner parameters from hierarchical optimization, if available. Parameters ---------- result: Optimization result obtained by 'optimize.py'. log10_scale_hier_sigma: Flag indicating whether to scale inner parameters of type ``InnerParameterType.SIGMA`` to log10 (default: True). Returns ------- inner_xs: Inner parameter values which will be appended to xs. inner_xs_names: Inner parameter names. inner_xs_scales: Inner parameter scales. inner_lb: Inner parameter lower bounds. inner_ub: Inner parameter upper bounds. """ inner_xs = [ res.get(INNER_PARAMETERS, None) for res in result.optimize_result.list ] inner_xs_names = None inner_xs_scales = None inner_lb = None inner_ub = None from ..problem import HierarchicalProblem if any(inner_x is not None for inner_x in inner_xs) and isinstance( result.problem, HierarchicalProblem ): inner_xs_names = result.problem.inner_x_names # replace None with a list of nans inner_xs = [ ( np.full(len(inner_xs_names), np.nan) if inner_xs_for_start is None else np.asarray(inner_xs_for_start) ) for inner_xs_for_start in inner_xs ] # set bounds for inner parameters inner_lb = result.problem.inner_lb inner_ub = result.problem.inner_ub # Scale inner parameter bounds according to their parameters scales inner_xs_scales = result.problem.inner_scales if log10_scale_hier_sigma: inner_problems_with_sigma = [ inner_calculator.inner_problem for inner_calculator in result.problem.objective.calculator.inner_calculators if isinstance( inner_calculator.inner_problem, RelativeInnerProblem ) or isinstance(inner_calculator.inner_problem, SemiquantProblem) ] for inner_problem in inner_problems_with_sigma: for inner_x_idx, inner_x_name in enumerate(inner_xs_names): if (inner_x_name in inner_problem.get_x_ids()) and ( inner_problem.get_for_id( inner_x_name ).inner_parameter_type == InnerParameterType.SIGMA ): # Scale all values, lower and upper bounds for inner_x_for_start in inner_xs: inner_x_for_start[inner_x_idx] = scale_value( inner_x_for_start[inner_x_idx], LOG10 ) inner_xs_scales[inner_x_idx] = LOG10 for inner_x_idx, inner_scale in enumerate(inner_xs_scales): inner_lb[inner_x_idx] = scale_value( inner_lb[inner_x_idx], inner_scale ) inner_ub[inner_x_idx] = scale_value( inner_ub[inner_x_idx], inner_scale ) if inner_xs_names is None: inner_xs = None return inner_xs, inner_xs_names, inner_xs_scales, inner_lb, inner_ub
[docs] def parameters_correlation_matrix( result: Result, parameter_indices: str | Sequence[int] = "free_only", start_indices: int | Iterable[int] | None = None, method: str | Callable = "pearson", cluster: bool = True, cmap: Colormap | str = "bwr", return_table: bool = False, ) -> matplotlib.axes.Axes: """ Plot correlation of optimized parameters. Parameters ---------- result: Optimization result obtained by 'optimize.py' parameter_indices: List of integers specifying the parameters to be considered. start_indices: List of integers specifying the multistarts to be plotted or int specifying up to which start index should be plotted method: The method to compute correlation. Allowed are `pearson, kendall, spearman` or a callable function. cluster: Whether to cluster the correlation matrix. cmap: Colormap to use for the heatmap. Defaults to 'bwr'. return_table: Whether to return the parameter table additionally for further inspection. Returns ------- ax: The plot axis. """ import seaborn as sns start_indices = process_start_indices( start_indices=start_indices, result=result ) parameter_indices = process_parameter_indices( parameter_indices=parameter_indices, result=result ) # put all parameters into a dataframe, where columns are parameters parameters = [ result.optimize_result[i_start]["x"][parameter_indices] for i_start in start_indices ] x_labels = [ result.problem.x_names[parameter_index] for parameter_index in parameter_indices ] df = pd.DataFrame(parameters, columns=x_labels) corr_matrix = df.corr(method=method) if cluster: ax = sns.clustermap( data=corr_matrix, yticklabels=True, vmin=-1, vmax=1, cmap=cmap ) else: ax = sns.heatmap( data=corr_matrix, yticklabels=True, vmin=-1, vmax=1, cmap=cmap ) if return_table: return ax, df return ax
[docs] def optimization_scatter( result: Result, parameter_indices: str | Sequence[int] = "free_only", start_indices: int | Iterable[int] | None = None, diag_kind: str = "kde", suptitle: str = None, size: tuple[float, float] = None, show_bounds: bool = False, ): """ Plot a scatter plot of all pairs of parameters for the given starts. Parameters ---------- result: Optimization result obtained by 'optimize.py'. parameter_indices: List of integers specifying the parameters to be considered. start_indices: List of integers specifying the multistarts to be plotted or int specifying up to which start index should be plotted. diag_kind: Visualization mode for marginal densities {‘auto’, ‘hist’, ‘kde’, None}. suptitle: Title of the plot. size: Size of the plot. show_bounds: Whether to show the parameter bounds. Returns ------- ax: The plot axis. """ import seaborn as sns start_indices = process_start_indices( start_indices=start_indices, result=result ) parameter_indices = process_parameter_indices( parameter_indices=parameter_indices, result=result ) # put all parameters into a dataframe, where columns are parameters parameters = [ result.optimize_result[i_start]["x"][parameter_indices] for i_start in start_indices ] x_labels = [ result.problem.x_names[parameter_index] for parameter_index in parameter_indices ] df = pd.DataFrame(parameters, columns=x_labels) sns.set(style="ticks") ax = sns.pairplot( df, diag_kind=diag_kind, ) if size is not None: ax.fig.set_size_inches(size) if suptitle: ax.fig.suptitle(suptitle) if show_bounds: # set bounds of plot to parameter bounds. Only use diagonal as # sns.PairGrid has sharex,sharey = True by default. for i_axis, axis in enumerate(np.diag(ax.axes)): axis.set_xlim(result.problem.lb[i_axis], result.problem.ub[i_axis]) axis.set_ylim(result.problem.lb[i_axis], result.problem.ub[i_axis]) return ax