Source code for sciunit.capabilities
"""The base class for SciUnit capabilities.
By inheriting a capability class, a model tells the test that it implements
that capability and that all of its methods are safe to call.
The capability must then be implemented by the modeler (i.e. all of the
capabilty's methods must implemented in the model class).
"""
import inspect
from .base import SciUnit
[docs]class Capability(SciUnit):
"""Abstract base class for sciunit capabilities."""
[docs] @classmethod
def check(cls, model, require_extra=False):
"""Check whether the provided model has this capability.
By default, uses isinstance. If `require_extra`, also requires that an
instance check be present in `model.extra_capability_checks`.
"""
class_capable = isinstance(model, cls)
f_name = model.extra_capability_checks.get(cls, None) \
if model.extra_capability_checks is not None \
else False
if f_name:
f = getattr(model, f_name)
instance_capable = f()
elif not require_extra:
instance_capable = True
else:
instance_capable = False
return class_capable and instance_capable
[docs] def unimplemented(self):
"""Raise a `NotImplementedError` with details."""
raise NotImplementedError(("The method %s promised by capability %s "
"is not implemented") %
(inspect.stack()[1][3], self.name))
[docs] def __str__(self):
return self.name
[docs]class ProducesNumber(Capability):
"""An example capability for producing some generic number."""
[docs] def produce_number(self):
"""Produce a number."""
raise NotImplementedError("Must implement produce_number.")
[docs]class Runnable(Capability):
"""Capability for models that can be run, i.e. simulated."""
[docs] def run(self, **run_params):
"""Run, i.e. simulate the model."""
return NotImplementedError("%s not implemented" %
inspect.stack()[0][3])
[docs] def set_run_params(self, **run_params):
"""Set parameters for the next run.
Note these are parameters of the simulation itself, not the model.
"""
return NotImplementedError("%s not implemented" %
inspect.stack()[0][3])
[docs] def set_default_run_params(self, **default_run_params):
"""Set default parameters for all runs.
Note these are parameters of the simulation itself, not the model.
"""
return NotImplementedError("%s not implemented" %
inspect.stack()[0][3])