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 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385
|
# Copyright 2017 Alethea Katherine Flowers
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
from __future__ import annotations
import argparse
import ast
import itertools
from collections import OrderedDict
from collections.abc import Iterable, Iterator, Sequence
from typing import Any, Mapping
from nox._decorators import Call, Func
from nox.sessions import Session, SessionRunner
WARN_PYTHONS_IGNORED = "python_ignored"
def _unique_list(*args: str) -> list[str]:
"""Return a list without duplicates, while preserving order."""
return list(OrderedDict.fromkeys(args))
class Manifest:
"""Session manifest.
The session manifest provides the source of truth for the sequence of
sessions that should be run by Nox.
It is possible for this to be mutated during execution. This allows for
useful use cases, such as for one session to "notify" another or
"chain" to another.
Args:
session_functions (Mapping[str, function]): The registry of discovered
session functions.
global_config (.nox.main.GlobalConfig): The global configuration.
module_docstring (Optional[str]): The user noxfile.py docstring.
Defaults to `None`.
"""
def __init__(
self,
session_functions: Mapping[str, Func],
global_config: argparse.Namespace,
module_docstring: str | None = None,
) -> None:
self._all_sessions: list[SessionRunner] = []
self._queue: list[SessionRunner] = []
self._consumed: list[SessionRunner] = []
self._config: argparse.Namespace = global_config
self.module_docstring: str | None = module_docstring
# Create the sessions based on the provided session functions.
for name, func in session_functions.items():
for session in self.make_session(name, func):
self.add_session(session)
def __contains__(self, needle: str | SessionRunner) -> bool:
if needle in self._queue or needle in self._consumed:
return True
for session in self._queue + self._consumed:
if session.name == needle or needle in session.signatures:
return True
return False
def __iter__(self) -> Manifest:
return self
def __getitem__(self, key: str) -> SessionRunner:
for session in self._queue + self._consumed:
if session.name == key or key in session.signatures:
return session
raise KeyError(key)
def __next__(self) -> SessionRunner:
"""Return the next item in the queue.
Raises:
StopIteration: If the queue has been entirely consumed.
"""
if not len(self._queue):
raise StopIteration
session = self._queue.pop(0)
self._consumed.append(session)
return session
def __len__(self) -> int:
return len(self._queue) + len(self._consumed)
def list_all_sessions(self) -> Iterator[tuple[SessionRunner, bool]]:
"""Yields all sessions and whether or not they're selected."""
for session in self._all_sessions:
yield session, session in self._queue
def add_session(self, session: SessionRunner) -> None:
"""Add the given session to the manifest.
Args:
session (~nox.sessions.Session): A session object, such as
one returned from ``make_session``.
"""
if session not in self._all_sessions:
self._all_sessions.append(session)
if session not in self._queue:
self._queue.append(session)
def filter_by_name(self, specified_sessions: Iterable[str]) -> None:
"""Filter sessions in the queue based on the user-specified names.
Args:
specified_sessions (Sequence[str]): A list of specified
session names.
Raises:
KeyError: If any explicitly listed sessions are not found.
"""
# Filter the sessions remaining in the queue based on
# whether they are individually specified.
queue = []
for session_name in specified_sessions:
for session in self._queue:
if _normalized_session_match(session_name, session):
queue.append(session)
self._queue = queue
# If a session was requested and was not found, complain loudly.
all_sessions = set(
map(
_normalize_arg,
(
itertools.chain(
[x.name for x in self._all_sessions if x.name],
*[x.signatures for x in self._all_sessions],
)
),
)
)
missing_sessions = [
session_name
for session_name in specified_sessions
if _normalize_arg(session_name) not in all_sessions
]
if missing_sessions:
raise KeyError(f"Sessions not found: {', '.join(missing_sessions)}")
def filter_by_default(self) -> None:
"""Filter sessions in the queue based on the default flag."""
self._queue = [x for x in self._queue if x.func.default]
def filter_by_python_interpreter(self, specified_pythons: Sequence[str]) -> None:
"""Filter sessions in the queue based on the user-specified
python interpreter versions.
Args:
specified_pythons (Sequence[str]): A list of specified
python interpreter versions.
"""
self._queue = [x for x in self._queue if x.func.python in specified_pythons]
def filter_by_keywords(self, keywords: str) -> None:
"""Filter sessions using pytest-like keyword expressions.
Args:
keywords (str): A Python expression of keywords which
session names are checked against.
"""
self._queue = [
x
for x in self._queue
if keyword_match(keywords, [*x.signatures, *x.tags, x.name])
]
def filter_by_tags(self, tags: Iterable[str]) -> None:
"""Filter sessions by their tags.
Args:
tags (list[str]): A list of tags which session names
are checked against.
"""
self._queue = [x for x in self._queue if set(x.tags).intersection(tags)]
def make_session(
self, name: str, func: Func, multi: bool = False
) -> list[SessionRunner]:
"""Create a session object from the session function.
Args:
name (str): The name of the session.
func (function): The session function.
multi (bool): Whether the function is a member of a set of sessions
with different interpreters.
Returns:
Sequence[~nox.session.Session]: A sequence of Session objects
bound to this manifest and configuration.
"""
sessions = []
# If the backend is "none", we won't parametrize `python`.
backend = (
self._config.force_venv_backend
or func.venv_backend
or self._config.default_venv_backend
)
if backend == "none" and isinstance(func.python, (list, tuple, set)):
# we can not log a warning here since the session is maybe deselected.
# instead let's set a flag, to warn later when session is actually run.
func.should_warn[WARN_PYTHONS_IGNORED] = func.python
func.python = False
if self._config.extra_pythons:
# If extra python is provided, expand the func.python list to
# include additional python interpreters
extra_pythons: list[str] = self._config.extra_pythons
if isinstance(func.python, (list, tuple, set)):
func.python = _unique_list(*func.python, *extra_pythons)
elif not multi and func.python:
# If this is multi, but there is only a single interpreter, it
# is the reentrant case. The extra_python interpreter shouldn't
# be added in that case. If func.python is False, the session
# has no backend; if None, it uses the same interpreter as Nox.
# Otherwise, add the extra specified python.
assert isinstance(func.python, str)
func.python = _unique_list(func.python, *extra_pythons)
elif not func.python and self._config.force_pythons:
# If a python is forced by the user, but the underlying function
# has no version parametrised, add it as sole occupant to func.python
func.python = _unique_list(*extra_pythons)
# If the func has the python attribute set to a list, we'll need
# to expand them.
if isinstance(func.python, (list, tuple, set)):
for python in func.python:
single_func = func.copy()
single_func.python = python
sessions.extend(self.make_session(name, single_func, multi=True))
return sessions
# Simple case: If this function is not parametrized, then make
# a simple session.
if not hasattr(func, "parametrize"):
long_names = []
if not multi:
long_names.append(name)
if func.python:
long_names.append(f"{name}-{func.python}")
return [SessionRunner(name, long_names, func, self._config, self)]
# Since this function is parametrized, we need to add a distinct
# session for each permutation.
parametrize = func.parametrize
calls = Call.generate_calls(func, parametrize)
for call in calls:
long_names = []
if not multi:
long_names.append(f"{name}{call.session_signature}")
if func.python:
long_names.append(f"{name}-{func.python}{call.session_signature}")
# Ensure that specifying session-python will run all parameterizations.
long_names.append(f"{name}-{func.python}")
sessions.append(SessionRunner(name, long_names, call, self._config, self))
# Edge case: If the parameters made it such that there were no valid
# calls, add an empty, do-nothing session.
if not calls:
sessions.append(
SessionRunner(name, [], _null_session_func, self._config, self)
)
# Return the list of sessions.
return sessions
def next(self) -> SessionRunner:
return self.__next__()
def notify(
self, session: str | SessionRunner, posargs: Iterable[str] | None = None
) -> bool:
"""Enqueue the specified session in the queue.
If the session is already in the queue, or has been run already,
then this is a no-op.
Args:
session (Union[str, ~nox.session.Session]): The session to be
enqueued.
posargs (Optional[List[str]]): If given, sets the positional
arguments *only* for the queued session. Otherwise, the
standard globally available positional arguments will be
used instead.
Returns:
bool: Whether the session was added to the queue.
Raises:
ValueError: If the session was not found.
"""
# Sanity check: If this session is already in the queue, this is
# a no-op.
if session in self:
return False
# Locate the session in the list of all sessions, and place it at
# the end of the queue.
for s in self._all_sessions:
if s == session or s.name == session or session in s.signatures:
if posargs is not None:
s.posargs = list(posargs)
self._queue.append(s)
return True
# The session was not found in the list of sessions.
raise ValueError(f"Session {session} not found.")
class KeywordLocals(Mapping[str, bool]):
"""Eval locals using keywords.
When looking up a local variable the variable name is compared against
the set of keywords. If the local variable name matches any *substring* of
any keyword, then the name lookup returns True. Otherwise, the name lookup
returns False.
"""
def __init__(self, keywords: set[str]) -> None:
self._keywords = keywords
def __getitem__(self, variable_name: str) -> bool:
return any(variable_name in keyword for keyword in self._keywords)
def __iter__(self) -> Iterator[str]:
return iter(self._keywords)
def __len__(self) -> int:
return len(self._keywords)
def keyword_match(expression: str, keywords: Iterable[str]) -> Any:
"""See if an expression matches the given set of keywords."""
locals = KeywordLocals(set(keywords))
return eval(expression, {}, locals) # noqa: PGH001
def _null_session_func_(session: Session) -> None:
"""A no-op session for patemetrized sessions with no available params."""
session.skip("This session had no parameters available.")
def _normalized_session_match(session_name: str, session: SessionRunner) -> bool:
"""Checks if session_name matches session."""
if session_name == session.name or session_name in session.signatures:
return True
for name in session.signatures:
equal_rep = _normalize_arg(session_name) == _normalize_arg(name)
if equal_rep:
return True
# Exhausted
return False
def _normalize_arg(arg: str) -> str:
"""Normalize arg for comparison."""
try:
return str(ast.dump(ast.parse(arg)))
except (TypeError, SyntaxError):
return arg
_null_session_func = Func(_null_session_func_, python=False)
|