tiramisu/tiramisu/option.py

614 lines
24 KiB
Python
Raw Normal View History

# -*- coding: utf-8 -*-
"option types and option description for the configuration management"
2013-02-21 17:07:00 +01:00
# Copyright (C) 2012-2013 Team tiramisu (see AUTHORS for all contributors)
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program; if not, write to the Free Software
# Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
#
2012-10-05 16:00:07 +02:00
# The original `Config` design model is unproudly borrowed from
# the rough pypy's guys: http://codespeak.net/svn/pypy/dist/pypy/config/
# the whole pypy projet is under MIT licence
# ____________________________________________________________
2013-02-25 15:52:10 +01:00
import re
2012-11-19 09:51:40 +01:00
from types import FunctionType
2013-03-01 13:10:52 +01:00
from tiramisu.basetype import BaseType
2012-10-05 16:00:07 +02:00
from tiramisu.error import (ConfigError, ConflictConfigError, NotFoundError,
2012-10-16 15:09:52 +02:00
RequiresError, RequirementRecursionError, MandatoryError,
PropertiesOptionError)
2012-10-15 15:06:41 +02:00
from tiramisu.autolib import carry_out_calculation
2013-02-07 16:20:21 +01:00
from tiramisu.setting import groups, owners
2012-10-15 15:06:41 +02:00
2013-03-13 11:29:29 +01:00
requires_actions = [('hide', 'show'), ('enable', 'disable'),
2013-03-01 13:10:52 +01:00
('freeze', 'unfreeze')]
2012-09-20 10:51:35 +02:00
available_actions = []
reverse_actions = {}
for act1, act2 in requires_actions:
available_actions.extend([act1, act2])
reverse_actions[act1] = act2
reverse_actions[act2] = act1
# ____________________________________________________________
2013-02-25 15:52:10 +01:00
name_regexp = re.compile(r'^\d+')
def valid_name(name):
2013-03-06 09:22:56 +01:00
try:
name = str(name)
except:
raise ValueError("not a valid string name")
2013-02-25 16:06:10 +01:00
if re.match(name_regexp, name) is None:
return True
else:
return False
#____________________________________________________________
#
2013-02-25 16:06:10 +01:00
class BaseInformation:
def set_information(self, key, value):
"""updates the information's attribute
(wich is a dictionnary)
:param key: information's key (ex: "help", "doc"
:param value: information's value (ex: "the help string")
"""
self.informations[key] = value
def get_information(self, key):
"""retrieves one information's item
:param key: the item string (ex: "help")
"""
if key in self.informations:
return self.informations[key]
else:
raise ValueError("Information's item not found: {0}".format(key))
class Option(BaseType, BaseInformation):
2012-10-05 16:00:07 +02:00
"""
2012-11-20 17:14:58 +01:00
Abstract base class for configuration option's.
Reminder: an Option object is **not** a container for the value
2012-10-05 16:00:07 +02:00
"""
2012-11-20 17:14:58 +01:00
#freeze means: cannot modify the value of an Option once set
_frozen = False
2012-11-20 17:14:58 +01:00
#if an Option has been frozen, shall return the default value
_force_default_on_freeze = False
2012-10-05 16:00:07 +02:00
def __init__(self, name, doc, default=None, default_multi=None,
requires=None, mandatory=False, multi=False, callback=None,
2012-11-19 09:51:40 +01:00
callback_params=None, validator=None, validator_args={}):
2012-11-12 12:06:58 +01:00
"""
2012-11-20 17:14:58 +01:00
:param name: the option's name
:param doc: the option's description
:param default: specifies the default value of the option,
for a multi : ['bla', 'bla', 'bla']
2012-11-12 12:06:58 +01:00
:param default_multi: 'bla' (used in case of a reset to default only at
2012-11-20 17:14:58 +01:00
a given index)
:param requires: is a list of names of options located anywhere
in the configuration.
:param multi: if true, the option's value is a list
:param callback: the name of a function. If set, the function's output
is responsible of the option's value
:param callback_params: the callback's parameter
:param validator: the name of a function wich stands for a custom
validation of the value
:param validator_args: the validator's parameters
2012-11-12 12:06:58 +01:00
"""
2013-02-25 16:06:10 +01:00
if not valid_name(name):
raise NameError("invalid name: {0} for option".format(name))
self._name = name
self.doc = doc
self._requires = requires
self._mandatory = mandatory
self.multi = multi
2012-11-19 09:51:40 +01:00
self._validator = None
self._validator_args = None
if validator is not None:
if type(validator) != FunctionType:
raise TypeError("validator must be a function")
self._validator = validator
if validator_args is not None:
self._validator_args = validator_args
if not self.multi and default_multi is not None:
raise ConfigError("a default_multi is set whereas multi is False"
2012-10-05 16:00:07 +02:00
" in option: {0}".format(name))
if default_multi is not None and not self._validate(default_multi):
raise ConfigError("invalid default_multi value {0} "
"for option {1}".format(str(default_multi), name))
self.default_multi = default_multi
#if self.multi and default_multi is None:
2012-10-05 16:00:07 +02:00
# _cfgimpl_warnings[name] = DefaultMultiWarning
if callback is not None and (default is not None or default_multi is not None):
2012-10-05 16:00:07 +02:00
raise ConfigError("defaut values not allowed if option: {0} "
"is calculated".format(name))
self.callback = callback
if self.callback is None and callback_params is not None:
raise ConfigError("params defined for a callback function but"
2012-10-05 16:00:07 +02:00
" no callback defined yet for option {0}".format(name))
self.callback_params = callback_params
if self.multi == True:
if default == None:
default = []
2012-11-19 09:51:40 +01:00
if not isinstance(default, list):
raise ConfigError("invalid default value {0} "
"for option {1} : not list type".format(str(default), name))
2012-11-19 09:51:40 +01:00
if not self.validate(default, False):
raise ConfigError("invalid default value {0} "
"for option {1}".format(str(default), name))
else:
2012-11-19 09:51:40 +01:00
if default != None and not self.validate(default, False):
2012-10-05 16:00:07 +02:00
raise ConfigError("invalid default value {0} "
"for option {1}".format(str(default), name))
self.default = default
self.properties = [] # 'hidden', 'disabled'...
2013-03-13 11:29:29 +01:00
self.informations = {}
2012-10-05 16:00:07 +02:00
2012-11-19 09:51:40 +01:00
def validate(self, value, validate=True):
"""
:param value: the option's value
:param validate: if true enables ``self._validator`` validation
"""
# generic calculation
if self.multi == False:
# None allows the reset of the value
if value != None:
2012-11-22 11:53:51 +01:00
# customizing the validator
if validate and self._validator is not None and \
not self._validator(value, **self._validator_args):
return False
return self._validate(value)
else:
2012-10-05 16:00:07 +02:00
if not isinstance(value, list):
raise ConfigError("invalid value {0} "
"for option {1} which must be a list".format(value,
self._name))
for val in value:
2012-11-22 11:53:51 +01:00
# None allows the reset of the value
if val != None:
2012-11-22 11:53:51 +01:00
# customizing the validator
if validate and self._validator is not None and \
not self._validator(val, **self._validator_args):
return False
if not self._validate(val):
return False
return True
2012-11-29 11:40:52 +01:00
def getdefault(self, default_multi=False):
2012-10-05 16:00:07 +02:00
"accessing the default value"
2012-11-29 11:40:52 +01:00
if default_multi == False or not self.is_multi():
return self.default
else:
return self.getdefault_multi()
2012-11-15 14:59:36 +01:00
def getdefault_multi(self):
"accessing the default value for a multi"
return self.default_multi
2012-09-11 15:18:38 +02:00
def is_empty_by_default(self):
2012-10-05 16:00:07 +02:00
"no default value has been set yet"
2012-09-11 15:18:38 +02:00
if ((not self.is_multi() and self.default == None) or
2012-11-22 10:19:13 +01:00
(self.is_multi() and (self.default == [] or None in self.default))):
2012-09-11 15:18:38 +02:00
return True
return False
def force_default(self):
2012-10-05 16:00:07 +02:00
"if an Option has been frozen, shall return the default value"
self._force_default_on_freeze = True
def hascallback_and_isfrozen():
return self._frozen and self.has_callback()
def is_forced_on_freeze(self):
2012-10-05 16:00:07 +02:00
"if an Option has been frozen, shall return the default value"
return self._frozen and self._force_default_on_freeze
def getdoc(self):
2012-10-05 16:00:07 +02:00
"accesses the Option's doc"
return self.doc
def getcallback(self):
2012-10-05 16:00:07 +02:00
"a callback is only a link, the name of an external hook"
return self.callback
2012-10-05 16:00:07 +02:00
2012-07-27 11:46:27 +02:00
def has_callback(self):
2012-10-05 16:00:07 +02:00
"to know if a callback has been defined or not"
2012-07-27 11:46:27 +02:00
if self.callback == None:
return False
else:
return True
2012-10-15 15:06:41 +02:00
def getcallback_value(self, config):
return carry_out_calculation(self._name,
2012-10-16 15:09:52 +02:00
option=self, config=config)
2012-10-15 15:06:41 +02:00
def getcallback_params(self):
2012-10-05 16:00:07 +02:00
"if a callback has been defined, returns his arity"
return self.callback_params
def setowner(self, config, owner):
2012-10-05 16:00:07 +02:00
"""
:param config: *must* be only the **parent** config
2012-11-20 17:14:58 +01:00
(not the toplevel config)
2012-12-10 14:10:05 +01:00
:param owner: is a **real** owner, that is an object
that lives in setting.owners
2012-10-05 16:00:07 +02:00
"""
name = self._name
2012-12-10 14:10:05 +01:00
if not isinstance(owner, owners.Owner):
raise ConfigError("invalid type owner for option: {0}".format(
str(name)))
2013-02-07 16:20:21 +01:00
config._cfgimpl_context._cfgimpl_values.owners[self] = owner
def getowner(self, config):
2012-10-05 16:00:07 +02:00
"config *must* be only the **parent** config (not the toplevel config)"
return config._cfgimpl_context._cfgimpl_values.getowner(self)
2013-02-26 14:56:15 +01:00
def get_previous_value(self, config):
return config._cfgimpl_context._cfgimpl_values.get_previous_value(self)
2012-11-16 10:04:25 +01:00
def reset(self, config):
2012-11-12 12:06:58 +01:00
"""resets the default value and owner
"""
2013-02-21 17:07:00 +01:00
config._cfgimpl_context._cfgimpl_values.reset(self)
2012-11-12 12:06:58 +01:00
2012-11-15 10:55:14 +01:00
def is_default_owner(self, config):
2012-11-08 09:03:28 +01:00
"""
:param config: *must* be only the **parent** config
2012-11-20 17:14:58 +01:00
(not the toplevel config)
2012-11-08 09:03:28 +01:00
:return: boolean
"""
2012-12-11 11:18:53 +01:00
return self.getowner(config) == owners.default
2012-10-15 15:06:41 +02:00
2012-12-10 14:10:05 +01:00
def setoption(self, config, value):
2012-10-05 16:00:07 +02:00
"""changes the option's value with the value_owner's who
:param config: the parent config is necessary here to store the value
2012-12-10 14:10:05 +01:00
"""
name = self._name
2012-11-19 09:51:40 +01:00
rootconfig = config._cfgimpl_get_toplevel()
2013-02-07 16:20:21 +01:00
if not self.validate(value,
config._cfgimpl_context._cfgimpl_settings.validator):
raise ConfigError('invalid value %s for option %s' % (value, name))
2012-09-11 13:28:37 +02:00
if self.is_mandatory():
# value shall not be '' for a mandatory option
# so '' is considered as being None
2012-09-11 15:18:38 +02:00
if not self.is_multi() and value == '':
2012-09-11 13:28:37 +02:00
value = None
2013-02-21 17:07:00 +01:00
# if self.is_multi() and '' in value:
# value = Multi([{'': None}.get(i, i) for i in value],
# config._cfgimpl_context, self)
2013-02-07 16:20:21 +01:00
if config._cfgimpl_context._cfgimpl_settings.is_mandatory() \
and ((self.is_multi() and value == []) or \
2012-09-11 13:28:37 +02:00
(not self.is_multi() and value is None)):
2012-09-19 09:31:02 +02:00
raise MandatoryError('cannot change the value to %s for '
2012-09-11 13:28:37 +02:00
'option %s' % (value, name))
if self not in config._cfgimpl_descr._children:
2012-09-11 13:28:37 +02:00
raise AttributeError('unknown option %s' % (name))
2012-09-19 09:31:02 +02:00
2013-02-07 16:20:21 +01:00
if config._cfgimpl_context._cfgimpl_settings.is_frozen_for_everything():
2013-02-06 14:59:24 +01:00
raise TypeError("cannot set a value to the option {} if the whole "
"config has been frozen".format(name))
2013-02-07 16:20:21 +01:00
if config._cfgimpl_context._cfgimpl_settings.is_frozen() \
and self.is_frozen():
2012-09-19 09:31:02 +02:00
raise TypeError('cannot change the value to %s for '
2012-11-19 09:51:40 +01:00
'option %s this option is frozen' % (str(value), name))
apply_requires(self, config)
2013-02-07 16:20:21 +01:00
config._cfgimpl_context._cfgimpl_values[self] = value
def getkey(self, value):
return value
# ____________________________________________________________
2012-10-05 16:00:07 +02:00
"freeze utility"
def freeze(self):
self._frozen = True
return True
def unfreeze(self):
self._frozen = False
2012-09-11 13:28:37 +02:00
def is_frozen(self):
return self._frozen
# ____________________________________________________________
def is_multi(self):
return self.multi
def is_mandatory(self):
return self._mandatory
2012-10-05 16:00:07 +02:00
class ChoiceOption(Option):
opt_type = 'string'
2012-10-05 16:00:07 +02:00
2012-11-16 10:04:25 +01:00
def __init__(self, name, doc, values, default=None, default_multi=None,
requires=None, mandatory=False, multi=False, callback=None,
2012-11-19 09:51:40 +01:00
callback_params=None, open_values=False, validator=None,
validator_args={}):
self.values = values
2012-07-23 14:30:06 +02:00
if open_values not in [True, False]:
raise ConfigError('Open_values must be a boolean for '
'{0}'.format(name))
self.open_values = open_values
super(ChoiceOption, self).__init__(name, doc, default=default,
2012-11-16 10:04:25 +01:00
default_multi=default_multi, callback=callback,
callback_params=callback_params, requires=requires,
2012-11-19 09:51:40 +01:00
multi=multi, mandatory=mandatory, validator=validator,
validator_args=validator_args)
def _validate(self, value):
2012-07-23 14:30:06 +02:00
if not self.open_values:
return value is None or value in self.values
else:
return True
class BoolOption(Option):
opt_type = 'bool'
2012-10-05 16:00:07 +02:00
def _validate(self, value):
return isinstance(value, bool)
class IntOption(Option):
opt_type = 'int'
2012-10-05 16:00:07 +02:00
def _validate(self, value):
2012-09-19 09:31:02 +02:00
return isinstance(value, int)
class FloatOption(Option):
opt_type = 'float'
def _validate(self, value):
2012-09-19 09:31:02 +02:00
return isinstance(value, float)
class StrOption(Option):
opt_type = 'string'
2012-10-05 16:00:07 +02:00
def _validate(self, value):
return isinstance(value, str)
2012-10-05 16:00:07 +02:00
2013-03-20 12:37:27 +01:00
class UnicodeOption(Option):
opt_type = 'unicode'
def _validate(self, value):
return isinstance(value, unicode)
class SymLinkOption(object):
opt_type = 'symlink'
2012-10-05 16:00:07 +02:00
2012-11-30 16:23:40 +01:00
def __init__(self, name, path, opt):
self._name = name
2012-10-05 16:00:07 +02:00
self.path = path
2012-11-30 16:23:40 +01:00
self.opt = opt
2012-10-05 16:00:07 +02:00
2012-12-10 14:10:05 +01:00
def setoption(self, config, value):
2013-02-21 17:07:00 +01:00
setattr(config._cfgimpl_get_toplevel(), self.path, value)
2012-11-30 15:08:34 +01:00
def __getattr__(self, name):
2012-11-30 16:23:40 +01:00
if name in ('_name', 'path', 'opt', 'setoption'):
return self.__dict__[name]
else:
return getattr(self.opt, name)
2012-11-30 15:08:34 +01:00
class IPOption(Option):
opt_type = 'ip'
2012-10-05 16:00:07 +02:00
def _validate(self, value):
# by now the validation is nothing but a string, use IPy instead
return isinstance(value, str)
2012-10-05 16:00:07 +02:00
class NetmaskOption(Option):
opt_type = 'netmask'
2012-10-05 16:00:07 +02:00
def _validate(self, value):
# by now the validation is nothing but a string, use IPy instead
return isinstance(value, str)
2012-10-05 16:00:07 +02:00
class OptionDescription(BaseType, BaseInformation):
2012-12-06 18:14:57 +01:00
"""Config's schema (organisation, group) and container of Options"""
# the group_type is useful for filtering OptionDescriptions in a config
group_type = groups.default
def __init__(self, name, doc, children, requires=None):
2012-10-05 16:00:07 +02:00
"""
:param children: is a list of option descriptions (including
``OptionDescription`` instances for nested namespaces).
"""
2013-02-25 16:06:10 +01:00
if not valid_name(name):
raise NameError("invalid name: {0} for option descr".format(name))
self._name = name
self.doc = doc
self._children = children
self._requires = requires
self._build()
self.properties = [] # 'hidden', 'disabled'...
2013-03-13 11:29:29 +01:00
self.informations = {}
self._cache_paths = {}
2012-10-05 16:00:07 +02:00
def getdoc(self):
return self.doc
def _build(self):
for child in self._children:
setattr(self, child._name, child)
def add_child(self, child):
"dynamically adds a configuration option"
#Nothing is static. Even the Mona Lisa is falling apart.
for ch in self._children:
if isinstance(ch, Option):
if child._name == ch._name:
raise ConflictConfigError("existing option : {0}".format(
child._name))
self._children.append(child)
setattr(self, child._name, child)
2012-10-05 16:00:07 +02:00
def update_child(self, child):
"modification of an existing option"
2012-10-05 16:00:07 +02:00
# XXX : corresponds to the `redefine`, is it usefull
pass
2012-10-05 16:00:07 +02:00
def getkey(self, config):
return tuple([child.getkey(getattr(config, child._name))
for child in self._children])
def getpaths(self, include_groups=False, currpath=None):
"""returns a list of all paths in self, recursively
currpath should not be provided (helps with recursion)
"""
if currpath is None:
currpath = []
paths = []
for option in self._children:
attr = option._name
if attr.startswith('_cfgimpl'):
continue
2012-09-24 15:58:37 +02:00
if isinstance(option, OptionDescription):
if include_groups:
paths.append('.'.join(currpath + [attr]))
currpath.append(attr)
2012-09-24 15:58:37 +02:00
paths += option.getpaths(include_groups=include_groups,
currpath=currpath)
currpath.pop()
else:
paths.append('.'.join(currpath + [attr]))
return paths
2013-03-27 17:01:20 +01:00
def build_cache(self, cache=None, currpath=None):
if currpath is None and self._cache_paths != {}:
return
if currpath is None:
currpath = []
2013-03-27 17:01:20 +01:00
if cache is None:
cache = self._cache_paths
for option in self._children:
attr = option._name
if attr.startswith('_cfgimpl'):
continue
if isinstance(option, OptionDescription):
currpath.append(attr)
2013-03-27 17:01:20 +01:00
option.build_cache(cache, currpath)
currpath.pop()
else:
2013-03-27 17:01:20 +01:00
cache[option] = str('.'.join(currpath + [attr]))
# ____________________________________________________________
def set_group_type(self, group_type):
2012-12-06 18:14:57 +01:00
"""sets a given group object to an OptionDescription
2012-12-10 14:38:25 +01:00
:param group_type: an instance of `GroupType` or `MasterGroupType`
2012-12-06 18:14:57 +01:00
that lives in `setting.groups`
"""
2012-12-10 14:38:25 +01:00
if isinstance(group_type, groups.GroupType):
self.group_type = group_type
2012-12-10 14:38:25 +01:00
if isinstance(group_type, groups.MasterGroupType):
identical_master_child_name = False
for child in self._children:
if isinstance(child, OptionDescription):
raise ConfigError("master group {} shall not have "
2013-02-06 17:19:56 +01:00
"a subgroup".format(self._name))
if not child.multi:
raise ConfigError("not allowed option {0} in group {1}"
": this option is not a multi".format(child._name,
self._name))
if child._name == self._name:
identical_master_child_name = True
if not identical_master_child_name:
raise ConfigError("the master group: {} has not any "
"master child".format(self._name))
else:
2012-12-06 18:14:57 +01:00
raise ConfigError('not allowed group_type : {0}'.format(group_type))
2012-10-05 16:00:07 +02:00
def get_group_type(self):
return self.group_type
# ____________________________________________________________
2012-10-05 16:00:07 +02:00
"actions API"
def hide(self):
super(OptionDescription, self).hide()
for child in self._children:
if isinstance(child, OptionDescription):
child.hide()
def show(self):
super(OptionDescription, self).show()
for child in self._children:
if isinstance(child, OptionDescription):
child.show()
2012-10-05 16:00:07 +02:00
def disable(self):
super(OptionDescription, self).disable()
for child in self._children:
if isinstance(child, OptionDescription):
child.disable()
def enable(self):
super(OptionDescription, self).enable()
for child in self._children:
if isinstance(child, OptionDescription):
child.enable()
# ____________________________________________________________
2012-09-20 10:51:35 +02:00
def validate_requires_arg(requires, name):
2012-10-05 16:00:07 +02:00
"malformed requirements"
2012-09-20 10:51:35 +02:00
config_action = []
for req in requires:
if not type(req) == tuple and len(req) != 3:
raise RequiresError("malformed requirements for option:"
" {0}".format(name))
action = req[2]
if action not in available_actions:
raise RequiresError("malformed requirements for option: {0}"
" unknown action: {1}".format(name, action))
2012-09-20 10:51:35 +02:00
if reverse_actions[action] in config_action:
raise RequiresError("inconsistency in action types for option: {0}"
" action: {1} in contradiction with {2}\n"
2012-09-20 10:51:35 +02:00
" ({3})".format(name, action,
reverse_actions[action], requires))
config_action.append(action)
def build_actions(requires):
2012-10-05 16:00:07 +02:00
"action are hide, show, enable, disable..."
2012-09-20 10:51:35 +02:00
trigger_actions = {}
for require in requires:
action = require[2]
trigger_actions.setdefault(action, []).append(require)
return trigger_actions
2012-11-30 10:47:35 +01:00
def apply_requires(opt, config, permissive=False):
2012-10-05 16:00:07 +02:00
"carries out the jit (just in time requirements between options"
2012-09-20 10:51:35 +02:00
if hasattr(opt, '_requires') and opt._requires is not None:
rootconfig = config._cfgimpl_get_toplevel()
validate_requires_arg(opt._requires, opt._name)
# filters the callbacks
trigger_actions = build_actions(opt._requires)
for requires in trigger_actions.values():
matches = False
2012-09-20 10:51:35 +02:00
for require in requires:
name, expected, action = require
path = config._cfgimpl_get_path() + '.' + opt._name
if name.startswith(path):
2012-09-20 10:51:35 +02:00
raise RequirementRecursionError("malformed requirements "
"imbrication detected for option: '{0}' "
"with requirement on: '{1}'".format(path, name))
2013-03-14 16:07:26 +01:00
homeconfig, shortname = rootconfig.cfgimpl_get_home_by_path(name)
2012-10-16 15:09:52 +02:00
try:
value = homeconfig._getattr(shortname, permissive=True)
except PropertiesOptionError, err:
properties = err.proptype
2012-11-30 10:47:35 +01:00
if permissive:
2013-02-07 16:20:21 +01:00
for perm in \
config._cfgimpl_context._cfgimpl_settings.permissive:
2012-11-30 10:47:35 +01:00
if perm in properties:
properties.remove(perm)
if properties != []:
raise NotFoundError("option '{0}' has requirement's property error: "
"{1} {2}".format(opt._name, name, properties))
2012-10-16 15:09:52 +02:00
except Exception, err:
raise NotFoundError("required option not found: "
"{0}".format(name))
2012-10-16 15:09:52 +02:00
if value == expected:
getattr(opt, action)() #.hide() or show() or...
# FIXME generic programming opt.property_launch(action, False)
matches = True
# no callback has been triggered, then just reverse the action
if not matches:
getattr(opt, reverse_actions[action])()