Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add function to plot Impf variability of calibration #791

Merged
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
127 changes: 127 additions & 0 deletions climada/util/calibrate/base.py
Original file line number Diff line number Diff line change
Expand Up @@ -8,12 +8,14 @@
import pandas as pd
import numpy as np
from scipy.optimize import Bounds, LinearConstraint, NonlinearConstraint
import matplotlib.pyplot as plt
import seaborn as sns

Check warning on line 12 in climada/util/calibrate/base.py

View check run for this annotation

Jenkins - WCR / Pylint

import-error

HIGH: Unable to import 'seaborn'
Raw output
Used when pylint has been unable to import a module.

from climada.hazard import Hazard
from climada.entity import Exposures, ImpactFuncSet
from climada.engine import Impact, ImpactCalc
import climada.util.coordinates as u_coord

Check warning on line 17 in climada/util/calibrate/base.py

View check run for this annotation

Jenkins - WCR / Pylint

unused-import

NORMAL: Unused climada.util.coordinates imported as u_coord
Raw output
Used when an imported module or variable is not used.
# from .bayesian_optimizer import BayesianOptimizerOutput

ConstraintType = Union[LinearConstraint, NonlinearConstraint, Mapping]

Expand Down Expand Up @@ -158,6 +160,131 @@
"""
return self.impf_set.plot(**plot_kwargs)

def plot_impf_variability(

Check warning on line 163 in climada/util/calibrate/base.py

View check run for this annotation

Jenkins - WCR / Pylint

too-complex

LOW: 'plot_impf_variability' is too complex. The McCabe rating is 12
Raw output
no description found

Check warning on line 163 in climada/util/calibrate/base.py

View check run for this annotation

Jenkins - WCR / Pylint

too-many-locals

LOW: Too many local variables (30/15)
Raw output
Used when a function or method has too many local variables.
self,
cost_func_diff: float = 0.1,
p_space_df: Optional[pd.DataFrame] = None,
timschmi95 marked this conversation as resolved.
Show resolved Hide resolved
plot_haz: bool = True,
plot_impf_kws: Optional[dict] = None,
plot_hist_kws: Optional[dict] = None,
):

"""Plot impact function variability with parameter combinations of
almost equal cost function values

Args:
cost_func_diff (float, optional): Max deviation from optimal cost
function value (as fraction). Defaults to 0.1 (i.e. 10%).
p_space_df (pd.DataFrame, optional): parameter space. Defaults to None.
plot_haz (bool, optional): Whether or not to plot hazard intensity
distibution. Defaults to False.
plot_impf_kws (dict, optional): Keyword arguments for impact
function plot. Defaults to None.
plot_hist_kws (dict, optional): Keyword arguments for hazard
intensity distribution plot. Defaults to None.
"""

# Initialize plot keyword arguments
if plot_impf_kws is None:
plot_impf_kws = {}
if plot_hist_kws is None:
plot_hist_kws = {}

# Retrieve hazard type and parameter space
haz_type = self.input.hazard.haz_type
if p_space_df is None:
# Assert that self.output has the p_space_to_dataframe() method,
# which is defined for the BayesianOptimizerOutput class
if not hasattr(self.output,"p_space_to_dataframe"):
peanutfun marked this conversation as resolved.
Show resolved Hide resolved
raise TypeError(
"To derive the full impact function parameter space, "
"plot_impf_variability() requires BayesianOptimizerOutput "
"as OutputEvaluator.output attribute, which provides the "
"method p_space_to_dataframe()."
)
p_space_df = self.output.p_space_to_dataframe()
timschmi95 marked this conversation as resolved.
Show resolved Hide resolved

# Retrieve list of parameters required for creating impact functions
# and remove the dimension 'Cost Function'.
params = p_space_df.columns.tolist()
try:
params.remove('Cost Function')
except ValueError:
pass

# Retrieve parameters of impact functions with cost function values
# within 'cost_func_diff' % of the best estimate
params_within_range = p_space_df[params]
plot_space_label = 'Parameter space'
if cost_func_diff is not None:
max_cost_func_val = (p_space_df['Cost Function'].min()*
(1+cost_func_diff))
params_within_range = p_space_df.loc[
p_space_df['Cost Function'] <=max_cost_func_val,params
]
plot_space_label = (f"within {int(cost_func_diff*100)} percent "
f"of best fit")

# Set plot defaults
color = plot_impf_kws.pop('color','tab:blue')
lw = plot_impf_kws.pop('lw',2)

Check warning on line 230 in climada/util/calibrate/base.py

View check run for this annotation

Jenkins - WCR / Pylint

invalid-name

LOW: Variable name "lw" doesn't conform to '(([a-z][a-z0-9_]{2,30})|(_[a-z0-9_]*))$' pattern
Raw output
Used when the name doesn't match the regular expression associated to its type(constant, variable, class...).
zorder = plot_impf_kws.pop('zorder',3)
label = plot_impf_kws.pop('label','best fit')

#get number of impact functions and create a plot for each
n_impf = len(self.impf_set.get_func(haz_type=haz_type))
axes=[]

for impf_idx in range(n_impf):

_,ax = plt.subplots()

Check warning on line 240 in climada/util/calibrate/base.py

View check run for this annotation

Jenkins - WCR / Pylint

invalid-name

LOW: Variable name "ax" doesn't conform to '(([a-z][a-z0-9_]{2,30})|(_[a-z0-9_]*))$' pattern
Raw output
Used when the name doesn't match the regular expression associated to its type(constant, variable, class...).

#Plot best-fit impact function
best_impf = self.impf_set.get_func(haz_type=haz_type)[impf_idx]
ax.plot(best_impf.intensity,best_impf.mdd*best_impf.paa*100,
color=color,lw=lw,zorder=zorder,label=label,**plot_impf_kws)
timschmi95 marked this conversation as resolved.
Show resolved Hide resolved

#Plot all impact functions within 'cost_func_diff' % of best estimate
for row in range(params_within_range.shape[0]):
label_temp = plot_space_label if row == 0 else None

sel_params = params_within_range.iloc[row,:].to_dict()
temp_impf_set = self.input.impact_func_creator(**sel_params)
temp_impf = temp_impf_set.get_func(haz_type=haz_type)[impf_idx]

ax.plot(temp_impf.intensity,temp_impf.mdd*temp_impf.paa*100,
color='grey',alpha=0.4,label=label_temp)

# Plot hazard intensity value distributions
if plot_haz:
haz_vals = self.input.hazard.intensity[
:, self.input.exposure.gdf[f"centr_{haz_type}"]
]

#Plot defaults
color_hist = plot_hist_kws.pop('color','tab:orange')
alpha_hist = plot_hist_kws.pop('alpha',0.3)

ax2 = ax.twinx()
ax2.hist(haz_vals.data,bins=40,color=color_hist,
alpha=alpha_hist,label='Hazard intensity\noccurence')
ax2.set(ylabel='Hazard intensity occurence (#Exposure points)')
ax.axvline(x=haz_vals.max(),label='Maximum hazard value',
color='tab:orange')
ax2.legend(loc='lower right')

ax.set(xlabel=f"Intensity ({self.input.hazard.units})",
ylabel="Mean Damage Ratio (MDR) in %",
xlim=(min(best_impf.intensity),max(best_impf.intensity)))
ax.legend()
axes.append(ax)

if n_impf > 1:
return axes

return ax


def plot_at_event(
self,
data_transf: Callable[[pd.DataFrame], pd.DataFrame] = lambda x: x,
Expand Down Expand Up @@ -337,7 +464,7 @@
"""
return self.input.cost_func(true, predicted)

def _kwargs_to_impact_func_creator(self, *_, **kwargs) -> Dict[str, Any]:

Check warning on line 467 in climada/util/calibrate/base.py

View check run for this annotation

Jenkins - WCR / Pylint

no-self-use

LOW: Method could be a function
Raw output
Used when a method doesn't use its bound instance, and so could be written asa function.
"""Define how the parameters to :py:meth:`_opt_func` must be transformed

Optimizers may implement different ways of representing the parameters (e.g.,
Expand Down
Loading
Loading