1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232
|
# MIT License
#
# Copyright The SCons Foundation
#
# Permission is hereby granted, free of charge, to any person obtaining
# a copy of this software and associated documentation files (the
# "Software"), to deal in the Software without restriction, including
# without limitation the rights to use, copy, modify, merge, publish,
# distribute, sublicense, and/or sell copies of the Software, and to
# permit persons to whom the Software is furnished to do so, subject to
# the following conditions:
#
# The above copyright notice and this permission notice shall be included
# in all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY
# KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
# WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
# NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
# LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
# OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
# WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
"""Variable type for List Variables.
A list variable allows selecting one or more from a supplied set of
allowable values, as well as from an optional mapping of alternate names
(such as aliases and abbreviations) and the special names ``'all'`` and
``'none'``. Specified values are converted during processing into values
only from the allowable values set.
Usage example::
list_of_libs = Split('x11 gl qt ical')
opts = Variables()
opts.Add(
ListVariable(
'shared',
help='libraries to build as shared libraries',
default='all',
elems=list_of_libs,
)
)
env = Environment(variables=opts)
for lib in list_of_libs:
if lib in env['shared']:
env.SharedObject(...)
else:
env.Object(...)
"""
# Known Bug: This should behave like a Set-Type, but does not really,
# since elements can occur twice.
import collections
from typing import Callable, List, Optional, Tuple, Union
import SCons.Util
__all__ = ['ListVariable',]
class _ListVariable(collections.UserList):
"""Internal class holding the data for a List Variable.
This is normally not directly instantiated, rather the ListVariable
converter callback "converts" string input (or the default value
if none) into an instance and stores it.
Args:
initlist: the list of actual values given.
allowedElems: the list of allowable values.
"""
def __init__(
self, initlist: Optional[list] = None, allowedElems: Optional[list] = None
) -> None:
if initlist is None:
initlist = []
if allowedElems is None:
allowedElems = []
super().__init__([_f for _f in initlist if _f])
# TODO: why sorted? don't we want to display in the order user gave?
self.allowedElems = sorted(allowedElems)
def __cmp__(self, other):
return NotImplemented
def __eq__(self, other):
return NotImplemented
def __ge__(self, other):
return NotImplemented
def __gt__(self, other):
return NotImplemented
def __le__(self, other):
return NotImplemented
def __lt__(self, other):
return NotImplemented
def __str__(self) -> str:
if not self.data:
return 'none'
self.data.sort()
if self.data == self.allowedElems:
return 'all'
return ','.join(self)
def prepare_to_store(self):
return str(self)
def _converter(val, allowedElems, mapdict) -> _ListVariable:
"""Callback to convert list variables into a suitable form.
The arguments *allowedElems* and *mapdict* are non-standard
for a :class:`Variables` converter: the lambda in the
:func:`ListVariable` function arranges for us to be called correctly.
Incoming values ``all`` and ``none`` are recognized and converted
into their expanded form.
"""
if val == 'none':
val = []
elif val == 'all':
val = allowedElems
else:
val = [_f for _f in val.split(',') if _f]
val = [mapdict.get(v, v) for v in val]
return _ListVariable(val, allowedElems)
def _validator(key, val, env) -> None:
"""Callback to validate supplied value(s) for a ListVariable.
Validation means "is *val* in the allowed list"? *val* has
been subject to substitution before the validator is called. The
converter created a :class:`_ListVariable` container which is stored
in *env* after it runs; this includes the allowable elements list.
Substitution makes a string made out of the values (only),
so we need to fish the allowed elements list out of the environment
to complete the validation.
Note that since 18b45e456, whether ``subst`` has been
called is conditional on the value of the *subst* argument to
:meth:`~SCons.Variables.Variables.Add`, so we have to account for
possible different types of *val*.
Raises:
UserError: if validation failed.
.. versionadded:: 4.8.0
``_validator`` split off from :func:`_converter` with an additional
check for whether *val* has been substituted before the call.
"""
allowedElems = env[key].allowedElems
if isinstance(val, _ListVariable): # not substituted, use .data
notAllowed = [v for v in val.data if v not in allowedElems]
else: # presumably a string
notAllowed = [v for v in val.split() if v not in allowedElems]
if notAllowed:
# Converter only synthesized 'all' and 'none', they are never
# in the allowed list, so we need to add those to the error message
# (as is done for the help msg).
valid = ','.join(allowedElems + ['all', 'none'])
msg = (
f"Invalid value(s) for variable {key!r}: {','.join(notAllowed)!r}. "
f"Valid values are: {valid}"
)
raise SCons.Errors.UserError(msg) from None
# lint: W0622: Redefining built-in 'help' (redefined-builtin)
# lint: W0622: Redefining built-in 'map' (redefined-builtin)
def ListVariable(
key,
help: str,
default: Union[str, List[str]],
names: List[str],
map: Optional[dict] = None,
validator: Optional[Callable] = None,
) -> Tuple[str, str, str, None, Callable]:
"""Return a tuple describing a list variable.
The input parameters describe a list variable, where the values
can be one or more from *names* plus the special values ``all``
and ``none``.
Arguments:
key: the name of the list variable.
help: the basic help message. Will have text appended indicating
the allowable values (not including any extra names from *map*).
default: the default value(s) for the list variable. Can be
given as string (possibly comma-separated), or as a list of strings.
``all`` or ``none`` are allowed as *default*. You can also simulate
a must-specify ListVariable by giving a *default* that is not part
of *names*, it will fail validation if not supplied.
names: the allowable values. Must be a list of strings.
map: optional dictionary to map alternative names to the ones in
*names*, providing a form of alias. The converter will make
the replacement, names from *map* are not stored and will
not appear in the help message.
validator: optional callback to validate supplied values.
The default validator is used if not specified.
Returns:
A tuple including the correct converter and validator. The
result is usable as input to :meth:`~SCons.Variables.Variables.Add`.
.. versionchanged:: 4.8.0
The validation step was split from the converter to allow for
custom validators. The *validator* keyword argument was added.
"""
if map is None:
map = {}
if validator is None:
validator = _validator
names_str = f"allowed names: {' '.join(names)}"
if SCons.Util.is_List(default):
default = ','.join(default)
help = '\n '.join(
(help, '(all|none|comma-separated list of names)', names_str))
return key, help, default, validator, lambda val: _converter(val, names, map)
# Local Variables:
# tab-width:4
# indent-tabs-mode:nil
# End:
# vim: set expandtab tabstop=4 shiftwidth=4:
|