683 lines
27 KiB
Python
683 lines
27 KiB
Python
# -*- coding: utf-8 -*-
|
|
# Copyright (C) 2014-2018 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 Lesser General Public License as published by the
|
|
# Free Software Foundation, either version 3 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 Lesser General Public License for more
|
|
# details.
|
|
#
|
|
# You should have received a copy of the GNU Lesser General Public License
|
|
# along with this program. If not, see <http://www.gnu.org/licenses/>.
|
|
#
|
|
# 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
|
|
# ____________________________________________________________
|
|
import re
|
|
from types import FunctionType
|
|
import weakref
|
|
from inspect import signature
|
|
|
|
from ..i18n import _
|
|
from ..setting import undefined
|
|
from ..error import ConfigError
|
|
|
|
STATIC_TUPLE = frozenset()
|
|
|
|
|
|
submulti = 2
|
|
NAME_REGEXP = re.compile(r'^[a-z][a-zA-Z\d_-]*$')
|
|
FORBIDDEN_NAMES = frozenset(['iter_all', 'iter_group', 'find', 'find_first',
|
|
'make_dict', 'unwrap_from_path', 'read_only',
|
|
'read_write', 'getowner', 'set_contexts'])
|
|
|
|
|
|
def valid_name(name):
|
|
"""an option's name is a str and does not start with 'impl' or 'cfgimpl'
|
|
and name is not a function name"""
|
|
if not isinstance(name, str):
|
|
return False
|
|
return re.match(NAME_REGEXP, name) is not None and \
|
|
name not in FORBIDDEN_NAMES and \
|
|
not name.startswith('impl_') and \
|
|
not name.startswith('cfgimpl_')
|
|
|
|
|
|
def validate_calculator(callback,
|
|
callback_params,
|
|
type_,
|
|
callbackoption):
|
|
"""validate function and parameter set for callback, validation, ...
|
|
"""
|
|
|
|
def _validate_option(option):
|
|
#validate option
|
|
if not isinstance(option, OnlyOption):
|
|
raise ValueError(_('{}_params must have an option'
|
|
' not a {} for first argument'
|
|
).format(type_, type(option)))
|
|
if option.impl_is_symlinkoption():
|
|
cur_opt = option.impl_getopt()
|
|
else:
|
|
cur_opt = option
|
|
if cur_opt != callbackoption:
|
|
cur_opt._add_dependency(callbackoption)
|
|
callbackoption._has_dependency = True
|
|
|
|
def _validate_force_permissive(force_permissive):
|
|
#validate force_permissive
|
|
if not isinstance(force_permissive, bool):
|
|
raise ValueError(_('{}_params must have a boolean'
|
|
' not a {} for second argument'
|
|
).format(type_,
|
|
type(force_permissive)))
|
|
|
|
def _validate_calculator(callbk):
|
|
if isinstance(callbk, tuple):
|
|
if len(callbk) == 1:
|
|
if callbk not in ((None,), ('index',)):
|
|
raise ValueError(_('{0}_params with length of '
|
|
'tuple as 1 must only have '
|
|
'None as first value').format(type_))
|
|
if callbk == ((None,)):
|
|
callbackoption._has_calc_context = True
|
|
return
|
|
elif len(callbk) != 2:
|
|
raise ValueError(_('{0}_params must only have 1 or 2 '
|
|
'as length').format(type_))
|
|
option, force_permissive = callbk
|
|
_validate_option(option)
|
|
_validate_force_permissive(force_permissive)
|
|
|
|
if not isinstance(callback, FunctionType):
|
|
raise ValueError(_('{0} must be a function').format(type_))
|
|
if callback_params is not None:
|
|
if not isinstance(callback_params, dict):
|
|
raise ValueError(_('{0}_params must be a dict').format(type_))
|
|
for key, callbacks in callback_params.items():
|
|
if key != '' and len(callbacks) != 1:
|
|
raise ValueError(_("{0}_params with key {1} mustn't have "
|
|
"length different to 1").format(type_,
|
|
key))
|
|
if not isinstance(callbacks, tuple):
|
|
raise ValueError(_('{0}_params must be tuple for key "{1}"'
|
|
).format(type_, key))
|
|
for callbk in callbacks:
|
|
_validate_calculator(callbk)
|
|
|
|
|
|
#____________________________________________________________
|
|
#
|
|
class Base(object):
|
|
"""Base use by all *Option* classes (Option, OptionDescription, SymLinkOption, ...)
|
|
"""
|
|
__slots__ = ('_name',
|
|
'_informations',
|
|
#calcul
|
|
'_subdyn',
|
|
'_requires',
|
|
'_properties',
|
|
'_calc_properties',
|
|
#
|
|
'_consistencies',
|
|
#other
|
|
'_has_dependency',
|
|
'_dependencies',
|
|
'_has_calc_context',
|
|
'__weakref__'
|
|
)
|
|
|
|
def __init__(self,
|
|
name,
|
|
doc,
|
|
requires=None,
|
|
properties=None,
|
|
is_multi=False):
|
|
if not valid_name(name):
|
|
raise ValueError(_('invalid name: "{0}" for option').format(name))
|
|
if requires is not None:
|
|
calc_properties, requires = validate_requires_arg(self,
|
|
is_multi,
|
|
requires,
|
|
name)
|
|
else:
|
|
calc_properties = frozenset()
|
|
requires = undefined
|
|
if properties is None:
|
|
properties = frozenset()
|
|
if isinstance(properties, tuple):
|
|
properties = frozenset(properties)
|
|
if is_multi and 'empty' not in properties:
|
|
properties = properties | {'empty'}
|
|
if not isinstance(properties, frozenset):
|
|
raise TypeError(_('invalid properties type {0} for {1},'
|
|
' must be a frozenset').format(type(properties),
|
|
name))
|
|
if calc_properties != frozenset([]) and properties:
|
|
set_forbidden_properties = calc_properties & properties
|
|
if set_forbidden_properties != frozenset():
|
|
raise ValueError(_('conflict: properties already set in '
|
|
'requirement {0}').format(list(set_forbidden_properties)))
|
|
_setattr = object.__setattr__
|
|
_setattr(self, '_name', name)
|
|
_setattr(self, '_informations', {'doc': doc})
|
|
if calc_properties is not undefined:
|
|
_setattr(self, '_calc_properties', calc_properties)
|
|
if requires is not undefined:
|
|
_setattr(self, '_requires', requires)
|
|
if properties:
|
|
_setattr(self, '_properties', properties)
|
|
|
|
def _get_function_args(self,
|
|
function):
|
|
args = set()
|
|
kwargs = set()
|
|
positional = False
|
|
keyword = False
|
|
for param in signature(function).parameters.values():
|
|
if param.kind == param.VAR_POSITIONAL:
|
|
positional = True
|
|
elif param.kind == param.VAR_KEYWORD:
|
|
keyword = True
|
|
elif param.default is param.empty:
|
|
args.add(param.name)
|
|
else:
|
|
kwargs.add(param.name)
|
|
return args, kwargs, positional, keyword
|
|
|
|
def _get_parameters_args(self,
|
|
calculator_params,
|
|
add_value):
|
|
|
|
args = set()
|
|
kwargs = set()
|
|
if add_value:
|
|
args.add('value')
|
|
if self.impl_is_dynoptiondescription():
|
|
kwargs.add('suffix')
|
|
if calculator_params is not None:
|
|
for param in calculator_params.keys():
|
|
if param == '':
|
|
for idx, _ in enumerate(calculator_params['']):
|
|
# construct an appropriate name
|
|
args.add('param{}'.format(idx))
|
|
else:
|
|
kwargs.add(param)
|
|
return args, kwargs
|
|
|
|
def _build_calculator_params(self,
|
|
calculator,
|
|
calculator_params,
|
|
add_value=False):
|
|
|
|
is_multi = self.impl_is_optiondescription() or self.impl_is_multi()
|
|
if calculator_params is None:
|
|
calculator_params = {}
|
|
func_args, func_kwargs, func_positional, func_keyword = self._get_function_args(calculator)
|
|
calculator_args, calculator_kwargs = self._get_parameters_args(calculator_params, add_value)
|
|
# remove knowned kwargs
|
|
common_kwargs = func_kwargs & calculator_kwargs
|
|
func_kwargs -= common_kwargs
|
|
calculator_kwargs -= common_kwargs
|
|
# remove knowned calculator's kwargs in func's args
|
|
common = func_args & calculator_kwargs
|
|
func_args -= common
|
|
calculator_kwargs -= common
|
|
# remove unknown calculator's args in func's args
|
|
for idx in range(min(len(calculator_args), len(func_args))):
|
|
func_args.pop()
|
|
calculator_args.pop()
|
|
# remove unknown calculator's args in func's kwargs
|
|
if is_multi:
|
|
func_kwargs_left = func_kwargs - {'index', 'self'}
|
|
else:
|
|
func_kwargs_left = func_kwargs
|
|
func_kwargs_pop = set()
|
|
for idx in range(min(len(calculator_args), len(func_kwargs_left))):
|
|
func_kwargs_pop.add(func_kwargs_left.pop())
|
|
calculator_args.pop()
|
|
func_kwargs -= func_kwargs_pop
|
|
if func_positional:
|
|
calculator_args = set()
|
|
if func_keyword:
|
|
calculator_kwargs = set()
|
|
if calculator_args or calculator_kwargs:
|
|
# there is more args/kwargs than expected!
|
|
raise ConfigError(_('cannot find those arguments "{}" in function "{}" for "{}"'
|
|
'').format(list(calculator_args | calculator_kwargs),
|
|
calculator.__name__,
|
|
self.impl_get_display_name()))
|
|
has_self = False
|
|
has_index = False
|
|
if is_multi and func_args:
|
|
# there is extra args/kwargs
|
|
if not self.impl_is_optiondescription() and is_multi:
|
|
params = list(calculator_params.get('', tuple()))
|
|
if add_value:
|
|
# only for validator
|
|
has_self = True
|
|
params.append((self, False))
|
|
func_args.pop()
|
|
if func_args:
|
|
has_index = True
|
|
params.append(('index',))
|
|
func_args.pop()
|
|
if func_args:
|
|
raise ConfigError(_('missing those arguements "{}" in function "{}" for "{}"'
|
|
'').format(list(func_args),
|
|
calculator.__name__,
|
|
self.impl_get_display_name()))
|
|
calculator_params[''] = tuple(params)
|
|
if not self.impl_is_optiondescription() and self.impl_is_multi():
|
|
if add_value and not has_self and 'self' in func_kwargs:
|
|
# only for validator
|
|
calculator_params['self'] = (self, False)
|
|
if not has_index and 'index' in func_kwargs:
|
|
calculator_params['index'] = (('index',),)
|
|
return calculator_params
|
|
|
|
def impl_has_dependency(self,
|
|
self_is_dep=True):
|
|
if self_is_dep is True:
|
|
#if self.impl_is_master_slaves():
|
|
# return True
|
|
return getattr(self, '_has_dependency', False)
|
|
else:
|
|
return hasattr(self, '_dependencies')
|
|
|
|
def _get_dependencies(self,
|
|
context):
|
|
if context:
|
|
od = context.cfgimpl_get_description()
|
|
ret = set(getattr(self, '_dependencies', STATIC_TUPLE))
|
|
if context and hasattr(od, '_dependencies'):
|
|
return set(od._dependencies) | ret
|
|
else:
|
|
return ret
|
|
|
|
def _add_dependency(self,
|
|
option):
|
|
options = self._get_dependencies(None)
|
|
options.add(weakref.ref(option))
|
|
self._dependencies = tuple(options)
|
|
|
|
def impl_set_callback(self,
|
|
callback,
|
|
callback_params=None,
|
|
_init=False):
|
|
|
|
if callback is None and callback_params is not None:
|
|
raise ValueError(_("params defined for a callback function but "
|
|
"no callback defined"
|
|
' yet for option "{0}"').format(
|
|
self.impl_getname()))
|
|
if not _init and self.impl_get_callback()[0] is not None:
|
|
raise ConfigError(_("a callback is already set for {0}, "
|
|
"cannot set another one's").format(self.impl_getname()))
|
|
self._validate_calculator(callback,
|
|
callback_params)
|
|
if callback is not None:
|
|
validate_calculator(callback,
|
|
callback_params,
|
|
'callback',
|
|
self)
|
|
callback_params = self._build_calculator_params(callback,
|
|
callback_params)
|
|
val = getattr(self, '_val_call', (None,))[0]
|
|
if callback_params is None or callback_params == {}:
|
|
val_call = (callback,)
|
|
else:
|
|
val_call = tuple([callback, callback_params])
|
|
self._val_call = (val, val_call)
|
|
|
|
def impl_is_optiondescription(self):
|
|
#FIXME deplacer dans OpenDescription ?
|
|
return self.__class__.__name__ in ['OptionDescription',
|
|
'DynOptionDescription',
|
|
'SynDynOptionDescription',
|
|
'MasterSlaves']
|
|
|
|
def impl_is_dynoptiondescription(self):
|
|
return self.__class__.__name__ in ['DynOptionDescription',
|
|
'SynDynOptionDescription']
|
|
|
|
def impl_getname(self):
|
|
return self._name
|
|
|
|
def impl_is_readonly(self):
|
|
return not isinstance(getattr(self, '_informations', dict()), dict)
|
|
|
|
def impl_getproperties(self):
|
|
return getattr(self, '_properties', frozenset())
|
|
|
|
def _set_readonly(self):
|
|
if not self.impl_is_readonly():
|
|
_setattr = object.__setattr__
|
|
dico = self._informations
|
|
keys = tuple(dico.keys())
|
|
if len(keys) == 1:
|
|
dico = dico['doc']
|
|
else:
|
|
dico = tuple([keys, tuple(dico.values())])
|
|
_setattr(self, '_informations', dico)
|
|
extra = getattr(self, '_extra', None)
|
|
if extra is not None:
|
|
_setattr(self, '_extra', tuple([tuple(extra.keys()), tuple(extra.values())]))
|
|
|
|
def _impl_setsubdyn(self,
|
|
subdyn):
|
|
self._subdyn = weakref.ref(subdyn)
|
|
|
|
def impl_getrequires(self):
|
|
return getattr(self, '_requires', STATIC_TUPLE)
|
|
|
|
def impl_get_callback(self):
|
|
call = getattr(self, '_val_call', (None, None))[1]
|
|
if call is None:
|
|
ret_call = (None, {})
|
|
elif len(call) == 1:
|
|
ret_call = (call[0], {})
|
|
else:
|
|
ret_call = call
|
|
return ret_call
|
|
|
|
# ____________________________________________________________
|
|
# information
|
|
def impl_get_information(self,
|
|
key,
|
|
default=undefined):
|
|
"""retrieves one information's item
|
|
|
|
:param key: the item string (ex: "help")
|
|
"""
|
|
def _is_string(infos):
|
|
return isinstance(infos, str)
|
|
|
|
dico = self._informations
|
|
if isinstance(dico, tuple):
|
|
if key in dico[0]:
|
|
return dico[1][dico[0].index(key)]
|
|
elif _is_string(dico):
|
|
if key == 'doc':
|
|
return dico
|
|
elif isinstance(dico, dict):
|
|
if key in dico:
|
|
return dico[key]
|
|
if default is not undefined:
|
|
return default
|
|
raise ValueError(_("information's item not found: {0}").format(
|
|
key))
|
|
|
|
def impl_set_information(self,
|
|
key,
|
|
value):
|
|
"""updates the information's attribute
|
|
(which is a dictionary)
|
|
|
|
:param key: information's key (ex: "help", "doc"
|
|
:param value: information's value (ex: "the help string")
|
|
"""
|
|
if self.impl_is_readonly():
|
|
raise AttributeError(_("'{0}' ({1}) object attribute '{2}' is"
|
|
" read-only").format(self.__class__.__name__,
|
|
self,
|
|
#self.impl_getname(),
|
|
key))
|
|
self._informations[key] = value
|
|
|
|
|
|
class BaseOption(Base):
|
|
"""This abstract base class stands for attribute access
|
|
in options that have to be set only once, it is of course done in the
|
|
__setattr__ method
|
|
"""
|
|
__slots__ = tuple()
|
|
|
|
def __getstate__(self):
|
|
raise NotImplementedError()
|
|
|
|
def __setattr__(self,
|
|
name,
|
|
value):
|
|
"""set once and only once some attributes in the option,
|
|
like `_name`. `_name` cannot be changed one the option and
|
|
pushed in the :class:`tiramisu.option.OptionDescription`.
|
|
|
|
if the attribute `_readonly` is set to `True`, the option is
|
|
"frozen" (which has noting to do with the high level "freeze"
|
|
propertie or "read_only" property)
|
|
"""
|
|
if name != '_option' and \
|
|
not isinstance(value, tuple):
|
|
is_readonly = False
|
|
# never change _name dans _opt
|
|
if name == '_name':
|
|
if self.impl_getname() is not None:
|
|
#so _name is already set
|
|
is_readonly = True
|
|
elif name != '_readonly':
|
|
is_readonly = self.impl_is_readonly()
|
|
if is_readonly:
|
|
raise AttributeError(_('"{}" ({}) object attribute "{}" is'
|
|
' read-only').format(self.__class__.__name__,
|
|
self.impl_get_display_name(),
|
|
name))
|
|
super(BaseOption, self).__setattr__(name, value)
|
|
|
|
def impl_getpath(self,
|
|
context):
|
|
return context.cfgimpl_get_description().impl_get_path_by_opt(self)
|
|
|
|
def impl_has_callback(self):
|
|
"to know if a callback has been defined or not"
|
|
return self.impl_get_callback()[0] is not None
|
|
|
|
def _is_subdyn(self):
|
|
return getattr(self, '_subdyn', None) is not None
|
|
|
|
def _impl_valid_string(self,
|
|
value):
|
|
if not isinstance(value, str):
|
|
raise ValueError(_('invalid string'))
|
|
|
|
def impl_get_display_name(self,
|
|
dyn_name=None):
|
|
name = self.impl_getdoc()
|
|
if name is None or name == '':
|
|
if dyn_name is not None:
|
|
name = dyn_name
|
|
else:
|
|
name = self.impl_getname()
|
|
return name
|
|
|
|
def reset_cache(self,
|
|
opt,
|
|
path,
|
|
obj,
|
|
type_,
|
|
resetted_opts):
|
|
if opt in resetted_opts:
|
|
return
|
|
if not type_ == 'values' or not opt.impl_is_optiondescription():
|
|
if type_ != 'permissives':
|
|
obj._p_.delcache(path)
|
|
if type_ in ['settings', 'permissives']:
|
|
obj._pp_.delcache(path)
|
|
resetted_opts.append(opt)
|
|
|
|
def impl_is_symlinkoption(self):
|
|
return False
|
|
|
|
|
|
class OnlyOption(BaseOption):
|
|
__slots__ = tuple()
|
|
|
|
|
|
def validate_requires_arg(new_option,
|
|
multi,
|
|
requires,
|
|
name):
|
|
"""check malformed requirements
|
|
and tranform dict to internal tuple
|
|
|
|
:param requires: have a look at the
|
|
:meth:`tiramisu.setting.Settings.apply_requires` method to
|
|
know more about
|
|
the description of the requires dictionary
|
|
"""
|
|
def get_option(require):
|
|
option = require['option']
|
|
#FIXME etrange ...
|
|
if not hasattr(option, 'impl_is_symlinkoption'):
|
|
raise ValueError(_('malformed requirements '
|
|
'must be an option in option {0}').format(name))
|
|
if not multi and option.impl_is_multi():
|
|
raise ValueError(_('malformed requirements '
|
|
'multi option must not set '
|
|
'as requires of non multi option {0}').format(name))
|
|
option._add_dependency(new_option)
|
|
return option
|
|
|
|
def _set_expected(action,
|
|
inverse,
|
|
transitive,
|
|
same_action,
|
|
option,
|
|
expected,
|
|
operator):
|
|
if inverse not in ret_requires[action]:
|
|
ret_requires[action][inverse] = ([(option, [expected])], action, inverse, transitive, same_action, operator)
|
|
else:
|
|
for exp in ret_requires[action][inverse][0]:
|
|
if exp[0] == option:
|
|
exp[1].append(expected)
|
|
break
|
|
else:
|
|
ret_requires[action][inverse][0].append((option, [expected]))
|
|
|
|
def set_expected(require,
|
|
ret_requires):
|
|
expected = require['expected']
|
|
inverse = get_inverse(require)
|
|
transitive = get_transitive(require)
|
|
same_action = get_sameaction(require)
|
|
operator = get_operator(require)
|
|
if isinstance(expected, list):
|
|
for exp in expected:
|
|
if set(exp.keys()) != {'option', 'value'}:
|
|
raise ValueError(_('malformed requirements expected must have '
|
|
'option and value for option {0}').format(name))
|
|
option = exp['option']
|
|
option._add_dependency(new_option)
|
|
if option is not None:
|
|
err = option._validate(exp['value'], undefined)
|
|
if err:
|
|
raise ValueError(_('malformed requirements expected value '
|
|
'must be valid for option {0}'
|
|
': {1}').format(name, err))
|
|
_set_expected(action,
|
|
inverse,
|
|
transitive,
|
|
same_action,
|
|
option,
|
|
exp['value'],
|
|
operator)
|
|
else:
|
|
option = get_option(require)
|
|
if expected is not None:
|
|
err = option._validate(expected, undefined)
|
|
if err:
|
|
raise ValueError(_('malformed requirements expected value '
|
|
'must be valid for option {0}'
|
|
': {1}').format(name, err))
|
|
_set_expected(action,
|
|
inverse,
|
|
transitive,
|
|
same_action,
|
|
option,
|
|
expected,
|
|
operator)
|
|
|
|
def get_action(require):
|
|
action = require['action']
|
|
if action == 'force_store_value':
|
|
raise ValueError(_("malformed requirements for option: {0}"
|
|
" action cannot be force_store_value"
|
|
).format(name))
|
|
return action
|
|
|
|
def get_inverse(require):
|
|
inverse = require.get('inverse', False)
|
|
if inverse not in [True, False]:
|
|
raise ValueError(_('malformed requirements for option: {0}'
|
|
' inverse must be boolean'))
|
|
return inverse
|
|
|
|
def get_transitive(require):
|
|
transitive = require.get('transitive', True)
|
|
if transitive not in [True, False]:
|
|
raise ValueError(_('malformed requirements for option: {0}'
|
|
' transitive must be boolean'))
|
|
return transitive
|
|
|
|
def get_sameaction(require):
|
|
same_action = require.get('same_action', True)
|
|
if same_action not in [True, False]:
|
|
raise ValueError(_('malformed requirements for option: {0}'
|
|
' same_action must be boolean'))
|
|
return same_action
|
|
|
|
def get_operator(require):
|
|
operator = require.get('operator', 'or')
|
|
if operator not in ['and', 'or']:
|
|
raise ValueError(_('malformed requirements for option: "{0}"'
|
|
' operator must be "or" or "and"').format(operator))
|
|
return operator
|
|
|
|
|
|
ret_requires = {}
|
|
config_action = set()
|
|
|
|
# start parsing all requires given by user (has dict)
|
|
# transforme it to a tuple
|
|
for require in requires:
|
|
if not isinstance(require, dict):
|
|
raise ValueError(_("malformed requirements type for option:"
|
|
" {0}, must be a dict").format(name))
|
|
valid_keys = ('option', 'expected', 'action', 'inverse', 'transitive',
|
|
'same_action', 'operator')
|
|
unknown_keys = frozenset(require.keys()) - frozenset(valid_keys)
|
|
if unknown_keys != frozenset():
|
|
raise ValueError(_('malformed requirements for option: {0}'
|
|
' unknown keys {1}, must only '
|
|
'{2}').format(name,
|
|
unknown_keys,
|
|
valid_keys))
|
|
# prepare all attributes
|
|
if not ('expected' in require and isinstance(require['expected'], list)) and \
|
|
not ('option' in require and 'expected' in require) or \
|
|
'action' not in require:
|
|
raise ValueError(_("malformed requirements for option: {0}"
|
|
" require must have option, expected and"
|
|
" action keys").format(name))
|
|
action = get_action(require)
|
|
config_action.add(action)
|
|
if action not in ret_requires:
|
|
ret_requires[action] = {}
|
|
set_expected(require, ret_requires)
|
|
|
|
# transform dict to tuple
|
|
ret = []
|
|
for requires in ret_requires.values():
|
|
ret_action = []
|
|
for require in requires.values():
|
|
ret_action.append((tuple(require[0]), require[1],
|
|
require[2], require[3], require[4], require[5]))
|
|
ret.append(tuple(ret_action))
|
|
return frozenset(config_action), tuple(ret)
|