Drop support for Python 3.8 (#11511)

This commit is contained in:
Adam Turner
2023-07-25 02:07:23 +01:00
committed by GitHub
parent 80ec979861
commit ad61e41157
97 changed files with 319 additions and 206 deletions

View File

@@ -23,7 +23,6 @@ jobs:
fail-fast: false
matrix:
python:
- "3.8"
- "3.9"
- "3.10"
- "3.11"

View File

@@ -131,7 +131,9 @@ nitpick_ignore = {
('js:func', 'string'),
('py:attr', 'srcline'),
('py:class', 'Element'), # sphinx.domains.Domain
('py:class', 'IndexEntry'), # sphinx.domains.IndexEntry
('py:class', 'Node'), # sphinx.domains.Domain
('py:class', 'NullTranslations'), # gettext.NullTranslations
('py:class', 'RoleFunction'), # sphinx.domains.Domain
('py:class', 'Theme'), # sphinx.application.TemplateBridge
('py:class', 'TitleGetter'), # sphinx.domains.Domain

View File

@@ -79,10 +79,10 @@ a comma-separated list of group names.
* ``pyversion``, a string option, can be used to specify the required Python
version for the example to be tested. For instance, in the following case
the example will be tested only for Python versions greater than 3.3::
the example will be tested only for Python versions greater than 3.10::
.. doctest::
:pyversion: > 3.3
:pyversion: > 3.10
The following operands are supported:

View File

@@ -12,7 +12,7 @@ Installing Sphinx
Overview
--------
Sphinx is written in `Python`__ and supports Python 3.8+. It builds upon the
Sphinx is written in `Python`__ and supports Python 3.9+. It builds upon the
shoulders of many third-party libraries such as `Docutils`__ and `Jinja`__,
which are installed when Sphinx is installed.
@@ -84,18 +84,18 @@ Install either ``python3x-sphinx`` using :command:`port`:
::
$ sudo port install py38-sphinx
$ sudo port install py39-sphinx
To set up the executable paths, use the ``port select`` command:
::
$ sudo port select --set python python38
$ sudo port select --set sphinx py38-sphinx
$ sudo port select --set python python39
$ sudo port select --set sphinx py39-sphinx
For more information, refer to the `package overview`__.
__ https://www.macports.org/ports.php?by=library&substr=py38-sphinx
__ https://www.macports.org/ports.php?by=library&substr=py39-sphinx
Anaconda
~~~~~~~~

View File

@@ -13,7 +13,7 @@ urls.Download = "https://pypi.org/project/Sphinx/"
urls.Homepage = "https://www.sphinx-doc.org/"
urls."Issue tracker" = "https://github.com/sphinx-doc/sphinx/issues"
license.text = "BSD-2-Clause"
requires-python = ">=3.8"
requires-python = ">=3.9"
# Classifiers list: https://pypi.org/classifiers/
classifiers = [
@@ -30,10 +30,10 @@ classifiers = [
"Programming Language :: Python",
"Programming Language :: Python :: 3",
"Programming Language :: Python :: 3 :: Only",
"Programming Language :: Python :: 3.8",
"Programming Language :: Python :: 3.9",
"Programming Language :: Python :: 3.10",
"Programming Language :: Python :: 3.11",
"Programming Language :: Python :: 3.12",
"Programming Language :: Python :: Implementation :: CPython",
"Programming Language :: Python :: Implementation :: PyPy",
"Framework :: Sphinx",
@@ -134,7 +134,7 @@ profile = "black"
remove_redundant_aliases = true
[tool.ruff]
target-version = "py38" # Pin Ruff to Python 3.8
target-version = "py39" # Pin Ruff to Python 3.9
line-length = 95
show-source = true
exclude = [
@@ -286,6 +286,9 @@ select = [
"sphinx/environment/adapters/toctree.py" = ["B026"]
"tests/*" = ["E501"]
# these tests need old ``typing`` generic aliases
"tests/test_util_typing.py" = ["UP006", "UP035"]
"tests/typing_test_data.py" = ["UP006", "UP035"]
[tool.ruff.flake8-quotes]
inline-quotes = "single"
@@ -296,7 +299,7 @@ disallow_incomplete_defs = true
follow_imports = "skip"
ignore_missing_imports = true
no_implicit_optional = true
python_version = "3.8"
python_version = "3.9"
show_column_numbers = true
show_error_codes = true
show_error_context = true

View File

@@ -2,12 +2,14 @@
from __future__ import annotations
from typing import TYPE_CHECKING, Any, Sequence
from typing import TYPE_CHECKING, Any
from docutils import nodes
from docutils.nodes import Element
if TYPE_CHECKING:
from collections.abc import Sequence
from sphinx.application import Sphinx
# deprecated name -> (object to return, canonical path or empty string)

View File

@@ -6,7 +6,7 @@ import codecs
import pickle
import time
from os import path
from typing import TYPE_CHECKING, Any, Iterable, Sequence
from typing import TYPE_CHECKING, Any
from docutils import nodes
from docutils.nodes import Node
@@ -34,6 +34,8 @@ from sphinx import directives # noqa: F401 isort:skip
from sphinx import roles # noqa: F401 isort:skip
if TYPE_CHECKING:
from collections.abc import Iterable, Sequence
from sphinx.application import Sphinx

View File

@@ -7,7 +7,7 @@ from collections import defaultdict
from datetime import datetime, timedelta, timezone, tzinfo
from os import getenv, path, walk
from time import time
from typing import Any, Generator, Iterable
from typing import TYPE_CHECKING, Any
from uuid import uuid4
from docutils import nodes
@@ -27,6 +27,9 @@ from sphinx.util.osutil import canon_path, ensuredir, relpath
from sphinx.util.tags import Tags
from sphinx.util.template import SphinxRenderer
if TYPE_CHECKING:
from collections.abc import Generator, Iterable
logger = logging.getLogger(__name__)

View File

@@ -11,7 +11,7 @@ import warnings
import zlib
from datetime import datetime, timezone
from os import path
from typing import IO, Any, Iterable, Iterator, List, Tuple, Type
from typing import IO, TYPE_CHECKING, Any
from urllib.parse import quote
import docutils.readers.doctree
@@ -49,19 +49,22 @@ from sphinx.util.tags import Tags
from sphinx.writers.html import HTMLWriter
from sphinx.writers.html5 import HTML5Translator
if TYPE_CHECKING:
from collections.abc import Iterable, Iterator
#: the filename for the inventory of objects
INVENTORY_FILENAME = 'objects.inv'
logger = logging.getLogger(__name__)
return_codes_re = re.compile('[\r\n]+')
DOMAIN_INDEX_TYPE = Tuple[
DOMAIN_INDEX_TYPE = tuple[
# Index name (e.g. py-modindex)
str,
# Index class
Type[Index],
type[Index],
# list of (heading string, list of index entries) pairs.
List[Tuple[str, List[IndexEntry]]],
list[tuple[str, list[IndexEntry]]],
# whether sub-entries should start collapsed
bool,
]

View File

@@ -5,7 +5,7 @@ from __future__ import annotations
import os
import warnings
from os import path
from typing import Any, Iterable
from typing import TYPE_CHECKING, Any
from docutils.frontend import OptionParser
from docutils.nodes import Node
@@ -35,6 +35,9 @@ from sphinx.writers.latex import LaTeXTranslator, LaTeXWriter
# load docutils.nodes after loading sphinx.builders.latex.nodes
from docutils import nodes # isort:skip
if TYPE_CHECKING:
from collections.abc import Iterable
XINDY_LANG_OPTIONS = {
# language codes from docutils.writers.latex2e.Babel
# ! xindy language names may differ from those in use by LaTeX/babel

View File

@@ -26,7 +26,8 @@ from sphinx.util.console import darkgray, darkgreen, purple, red, turquoise # t
from sphinx.util.nodes import get_node_line
if TYPE_CHECKING:
from typing import Any, Callable, Generator, Iterator
from collections.abc import Generator, Iterator
from typing import Any, Callable
from requests import Response

View File

@@ -5,7 +5,7 @@ from __future__ import annotations
import os
import warnings
from os import path
from typing import Any, Iterable
from typing import TYPE_CHECKING, Any
from docutils import nodes
from docutils.frontend import OptionParser
@@ -28,6 +28,9 @@ from sphinx.util.nodes import inline_all_toctrees
from sphinx.util.osutil import SEP, ensuredir, make_filename_from_project
from sphinx.writers.texinfo import TexinfoTranslator, TexinfoWriter
if TYPE_CHECKING:
from collections.abc import Iterable
logger = logging.getLogger(__name__)
template_dir = os.path.join(package_dir, 'templates', 'texinfo')

View File

@@ -3,7 +3,7 @@
from __future__ import annotations
from os import path
from typing import Any, Iterator
from typing import TYPE_CHECKING, Any
from docutils.io import StringOutput
from docutils.nodes import Node
@@ -15,6 +15,9 @@ from sphinx.util import logging
from sphinx.util.osutil import ensuredir, os_path
from sphinx.writers.text import TextTranslator, TextWriter
if TYPE_CHECKING:
from collections.abc import Iterator
logger = logging.getLogger(__name__)

View File

@@ -3,7 +3,7 @@
from __future__ import annotations
from os import path
from typing import Any, Iterator
from typing import TYPE_CHECKING, Any
from docutils import nodes
from docutils.io import StringOutput
@@ -17,6 +17,9 @@ from sphinx.util import logging
from sphinx.util.osutil import ensuredir, os_path
from sphinx.writers.xml import PseudoXMLWriter, XMLWriter
if TYPE_CHECKING:
from collections.abc import Iterator
logger = logging.getLogger(__name__)

View File

@@ -6,7 +6,7 @@ import re
import traceback
import types
from os import getenv, path
from typing import TYPE_CHECKING, Any, Callable, Generator, Iterator, NamedTuple
from typing import TYPE_CHECKING, Any, Callable, NamedTuple
from sphinx.errors import ConfigError, ExtensionError
from sphinx.locale import _, __
@@ -22,6 +22,8 @@ except ImportError:
from sphinx.util.osutil import _chdir as chdir
if TYPE_CHECKING:
from collections.abc import Generator, Iterator
from sphinx.application import Sphinx
from sphinx.environment import BuildEnvironment

View File

@@ -3,7 +3,7 @@
from __future__ import annotations
import re
from typing import TYPE_CHECKING, Any, Generic, List, TypeVar, cast
from typing import TYPE_CHECKING, Any, Generic, TypeVar, cast
from docutils import nodes
from docutils.nodes import Node
@@ -298,7 +298,7 @@ class DefaultRole(SphinxDirective):
literal_block, line=self.lineno)
messages += [error]
return cast(List[nodes.Node], messages)
return cast(list[nodes.Node], messages)
class DefaultDomain(SphinxDirective):

View File

@@ -8,7 +8,7 @@ from __future__ import annotations
import copy
from abc import ABC, abstractmethod
from typing import TYPE_CHECKING, Any, Callable, Iterable, NamedTuple, Optional, cast
from typing import TYPE_CHECKING, Any, Callable, NamedTuple, Optional, cast
from docutils import nodes
from docutils.nodes import Element, Node, system_message
@@ -21,6 +21,8 @@ from sphinx.roles import XRefRole
from sphinx.util.typing import RoleFunction
if TYPE_CHECKING:
from collections.abc import Iterable
from docutils.parsers.rst import Directive
from sphinx.builders import Builder

View File

@@ -3,7 +3,7 @@
from __future__ import annotations
import re
from typing import Any, Callable, Generator, Iterator, TypeVar, Union, cast
from typing import TYPE_CHECKING, Any, Callable, TypeVar, Union, cast
from docutils import nodes
from docutils.nodes import Element, Node, TextElement, system_message
@@ -47,6 +47,9 @@ from sphinx.util.docutils import SphinxDirective
from sphinx.util.nodes import make_refnode
from sphinx.util.typing import OptionSpec
if TYPE_CHECKING:
from collections.abc import Generator, Iterator
logger = logging.getLogger(__name__)
T = TypeVar('T')

View File

@@ -3,7 +3,7 @@
from __future__ import annotations
import re
from typing import Any, Callable, Generator, Iterator, TypeVar
from typing import TYPE_CHECKING, Any, Callable, TypeVar
from docutils import nodes
from docutils.nodes import Element, Node, TextElement, system_message
@@ -48,6 +48,9 @@ from sphinx.util.docutils import SphinxDirective
from sphinx.util.nodes import make_refnode
from sphinx.util.typing import OptionSpec
if TYPE_CHECKING:
from collections.abc import Generator, Iterator
logger = logging.getLogger(__name__)
T = TypeVar('T')

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import TYPE_CHECKING, Any, Iterable
from typing import TYPE_CHECKING, Any
from docutils import nodes
from docutils.nodes import Node, system_message
@@ -17,6 +17,8 @@ from sphinx.util.nodes import process_index_entry
from sphinx.util.typing import OptionSpec
if TYPE_CHECKING:
from collections.abc import Iterable
from sphinx.application import Sphinx

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Any, Iterator, Tuple, cast
from typing import TYPE_CHECKING, Any, cast
from docutils import nodes
from docutils.nodes import Element, Node
@@ -24,10 +24,13 @@ from sphinx.util.docutils import SphinxDirective
from sphinx.util.nodes import make_id, make_refnode, nested_parse_with_titles
from sphinx.util.typing import OptionSpec
if TYPE_CHECKING:
from collections.abc import Iterator
logger = logging.getLogger(__name__)
class JSObject(ObjectDescription[Tuple[str, str]]):
class JSObject(ObjectDescription[tuple[str, str]]):
"""
Description of a JavaScript object.
"""

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import TYPE_CHECKING, Any, Iterable
from typing import TYPE_CHECKING, Any
from docutils import nodes
from docutils.nodes import Element, Node, make_id, system_message
@@ -16,6 +16,8 @@ from sphinx.util import logging
from sphinx.util.nodes import make_refnode
if TYPE_CHECKING:
from collections.abc import Iterable
from sphinx.application import Sphinx
from sphinx.builders import Builder

View File

@@ -9,7 +9,7 @@ import re
import token
import typing
from inspect import Parameter
from typing import Any, Iterable, Iterator, List, NamedTuple, Tuple, cast
from typing import TYPE_CHECKING, Any, NamedTuple, cast
from docutils import nodes
from docutils.nodes import Element, Node
@@ -38,6 +38,9 @@ from sphinx.util.nodes import (
)
from sphinx.util.typing import OptionSpec, TextlikeNode
if TYPE_CHECKING:
from collections.abc import Iterable, Iterator
logger = logging.getLogger(__name__)
@@ -162,8 +165,6 @@ def _parse_annotation(annotation: str, env: BuildEnvironment | None) -> list[Nod
return [nodes.Text(repr(node.value))]
if isinstance(node, ast.Expr):
return unparse(node.value)
if isinstance(node, ast.Index):
return unparse(node.value)
if isinstance(node, ast.Invert):
return [addnodes.desc_sig_punctuation('', '~')]
if isinstance(node, ast.List):
@@ -220,9 +221,6 @@ def _parse_annotation(annotation: str, env: BuildEnvironment | None) -> list[Nod
def _unparse_pep_604_annotation(node: ast.Subscript) -> list[Node]:
subscript = node.slice
if isinstance(subscript, ast.Index):
# py38 only
subscript = subscript.value # type: ignore[assignment]
flattened: list[Node] = []
if isinstance(subscript, ast.Tuple):
@@ -652,7 +650,7 @@ class PyTypedField(PyXrefMixin, TypedField):
pass
class PyObject(ObjectDescription[Tuple[str, str]]):
class PyObject(ObjectDescription[tuple[str, str]]):
"""
Description of a general Python object.
@@ -1354,7 +1352,7 @@ def filter_meta_fields(app: Sphinx, domain: str, objtype: str, content: Element)
for node in content:
if isinstance(node, nodes.field_list):
fields = cast(List[nodes.field], node)
fields = cast(list[nodes.field], node)
# removing list items while iterating the list needs reversed()
for field in reversed(fields):
field_name = cast(nodes.field_body, field[0]).astext().strip()

View File

@@ -3,7 +3,7 @@
from __future__ import annotations
import re
from typing import Any, Iterator, cast
from typing import TYPE_CHECKING, Any, cast
from docutils.nodes import Element
from docutils.parsers.rst import directives
@@ -21,6 +21,9 @@ from sphinx.util import logging
from sphinx.util.nodes import make_id, make_refnode
from sphinx.util.typing import OptionSpec
if TYPE_CHECKING:
from collections.abc import Iterator
logger = logging.getLogger(__name__)
dir_sig_re = re.compile(r'\.\. (.+?)::(.*)$')

View File

@@ -4,7 +4,7 @@ from __future__ import annotations
import re
from copy import copy
from typing import TYPE_CHECKING, Any, Callable, Final, Iterable, Iterator, cast
from typing import TYPE_CHECKING, Any, Callable, Final, cast
from docutils import nodes
from docutils.nodes import Element, Node, system_message
@@ -23,6 +23,8 @@ from sphinx.util.nodes import clean_astext, make_id, make_refnode
from sphinx.util.typing import OptionSpec, RoleFunction
if TYPE_CHECKING:
from collections.abc import Iterable, Iterator
from sphinx.application import Sphinx
from sphinx.builders import Builder
from sphinx.environment import BuildEnvironment

View File

@@ -9,7 +9,7 @@ from collections import defaultdict
from copy import copy
from datetime import datetime, timezone
from os import path
from typing import TYPE_CHECKING, Any, Callable, Generator, Iterator
from typing import TYPE_CHECKING, Any, Callable
from docutils import nodes
from docutils.nodes import Node
@@ -30,6 +30,8 @@ from sphinx.util.nodes import is_translatable
from sphinx.util.osutil import canon_path, os_path
if TYPE_CHECKING:
from collections.abc import Generator, Iterator
from sphinx.application import Sphinx
from sphinx.builders import Builder
@@ -76,7 +78,8 @@ versioning_conditions: dict[str, bool | Callable] = {
}
if TYPE_CHECKING:
from typing import Literal, MutableMapping
from collections.abc import MutableMapping
from typing import Literal
from typing_extensions import overload

View File

@@ -2,7 +2,8 @@
from __future__ import annotations
from typing import TYPE_CHECKING, Any, Iterable, TypeVar, cast
from collections.abc import Iterable
from typing import TYPE_CHECKING, Any, TypeVar, cast
from docutils import nodes
from docutils.nodes import Element, Node

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Any, List, cast
from typing import Any, cast
from docutils import nodes
@@ -35,7 +35,7 @@ class MetadataCollector(EnvironmentCollector):
for node in doctree[index]: # type: ignore
# nodes are multiply inherited...
if isinstance(node, nodes.authors):
authors = cast(List[nodes.author], node)
authors = cast(list[nodes.author], node)
md['authors'] = [author.astext() for author in authors]
elif isinstance(node, nodes.field):
assert len(node) == 2

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Any, Sequence, TypeVar, cast
from typing import TYPE_CHECKING, Any, TypeVar, cast
from docutils import nodes
from docutils.nodes import Element, Node
@@ -16,6 +16,9 @@ from sphinx.locale import __
from sphinx.transforms import SphinxContentsFilter
from sphinx.util import logging, url_re
if TYPE_CHECKING:
from collections.abc import Sequence
N = TypeVar('N')
logger = logging.getLogger(__name__)

View File

@@ -20,7 +20,7 @@ from copy import copy
from fnmatch import fnmatch
from importlib.machinery import EXTENSION_SUFFIXES
from os import path
from typing import Any, Generator
from typing import TYPE_CHECKING, Any
import sphinx.locale
from sphinx import __display_version__, package_dir
@@ -29,6 +29,9 @@ from sphinx.locale import __
from sphinx.util.osutil import FileAvoidWrite, ensuredir
from sphinx.util.template import ReSTRenderer
if TYPE_CHECKING:
from collections.abc import Generator
# automodule options
if 'SPHINX_APIDOC_OPTIONS' in os.environ:
OPTIONS = os.environ['SPHINX_APIDOC_OPTIONS'].split(',')

View File

@@ -10,17 +10,7 @@ from __future__ import annotations
import re
import sys
from inspect import Parameter, Signature
from typing import (
TYPE_CHECKING,
Any,
Callable,
Iterator,
List,
Sequence,
Tuple,
TypeVar,
Union,
)
from typing import TYPE_CHECKING, Any, Callable, TypeVar, Union
from docutils.statemachine import StringList
@@ -44,6 +34,7 @@ from sphinx.util.inspect import (
from sphinx.util.typing import OptionSpec, get_type_hints, restify, stringify_annotation
if TYPE_CHECKING:
from collections.abc import Iterator, Sequence
from types import ModuleType
from sphinx.ext.autodoc.directive import DocumenterBridge
@@ -286,7 +277,7 @@ class ObjectMember(tuple):
self.class_ = class_
ObjectMembers = Union[List[ObjectMember], List[Tuple[str, Any]]]
ObjectMembers = Union[list[ObjectMember], list[tuple[str, Any]]]
class Documenter:

View File

@@ -4,6 +4,7 @@ from __future__ import annotations
import importlib
import traceback
import typing
import warnings
from typing import TYPE_CHECKING, Any, Callable, NamedTuple
@@ -84,7 +85,18 @@ def import_object(modname: str, objpath: list[str], objtype: str = '',
objpath = list(objpath)
while module is None:
try:
try:
# try importing with ``typing.TYPE_CHECKING == True``
typing.TYPE_CHECKING = True
module = import_module(modname, warningiserror=warningiserror)
except ImportError:
# if that fails (e.g. circular import), retry with
# ``typing.TYPE_CHECKING == False``
typing.TYPE_CHECKING = False
module = import_module(modname, warningiserror=warningiserror)
finally:
# ensure ``typing.TYPE_CHECKING == False``
typing.TYPE_CHECKING = False
logger.debug('[autodoc] import %s => %r', modname, module)
except ImportError as exc:
logger.debug('[autodoc] import %s => failed', modname)

View File

@@ -8,11 +8,14 @@ import sys
from importlib.abc import Loader, MetaPathFinder
from importlib.machinery import ModuleSpec
from types import MethodType, ModuleType
from typing import Any, Generator, Iterator, Sequence
from typing import TYPE_CHECKING, Any
from sphinx.util import logging
from sphinx.util.inspect import isboundmethod, safe_getattr
if TYPE_CHECKING:
from collections.abc import Generator, Iterator, Sequence
logger = logging.getLogger(__name__)

View File

@@ -4,7 +4,7 @@ from __future__ import annotations
import ast
from inspect import Parameter, Signature, getsource
from typing import Any, cast
from typing import TYPE_CHECKING, Any, cast
import sphinx
from sphinx.application import Sphinx
@@ -12,17 +12,19 @@ from sphinx.locale import __
from sphinx.pycode.ast import unparse as ast_unparse
from sphinx.util import inspect, logging
if TYPE_CHECKING:
from collections.abc import Sequence
logger = logging.getLogger(__name__)
def not_suppressed(argtypes: list[ast.AST] = []) -> bool:
def not_suppressed(argtypes: Sequence[ast.expr] = ()) -> bool:
"""Check given *argtypes* is suppressed type_comment or not."""
if len(argtypes) == 0: # no argtypees
return False
if len(argtypes) == 1 and ast_unparse(argtypes[0]) == "...": # suppressed
# Note: To support multiple versions of python, this uses ``ast_unparse()`` for
# comparison with Ellipsis. Since 3.8, ast.Constant has been used to represent
# Ellipsis node instead of ast.Ellipsis.
if len(argtypes) == 1:
arg = argtypes[0]
if isinstance(arg, ast.Constant) and arg.value is ...: # suppressed
return False
# not suppressed
return True

View File

@@ -3,7 +3,8 @@
from __future__ import annotations
import re
from typing import Any, Iterable, cast
from collections.abc import Iterable
from typing import Any, cast
from docutils import nodes
from docutils.nodes import Element

View File

@@ -56,7 +56,7 @@ import sys
from inspect import Parameter
from os import path
from types import ModuleType
from typing import Any, List, Sequence, cast
from typing import TYPE_CHECKING, Any, cast
from docutils import nodes
from docutils.nodes import Node, system_message
@@ -91,6 +91,9 @@ from sphinx.util.matching import Matcher
from sphinx.util.typing import OptionSpec
from sphinx.writers.html import HTML5Translator
if TYPE_CHECKING:
from collections.abc import Sequence
logger = logging.getLogger(__name__)
@@ -127,7 +130,7 @@ def autosummary_table_visit_html(self: HTML5Translator, node: autosummary_table)
table = cast(nodes.table, node[0])
tgroup = cast(nodes.tgroup, table[0])
tbody = cast(nodes.tbody, tgroup[-1])
rows = cast(List[nodes.row], tbody)
rows = cast(list[nodes.row], tbody)
for row in rows:
col1_entry = cast(nodes.entry, row[0])
par = cast(nodes.paragraph, col1_entry[0])

View File

@@ -23,7 +23,7 @@ import pydoc
import re
import sys
from os import path
from typing import TYPE_CHECKING, Any, NamedTuple, Sequence
from typing import TYPE_CHECKING, Any, NamedTuple
from jinja2 import TemplateNotFound
from jinja2.sandbox import SandboxedEnvironment
@@ -50,6 +50,7 @@ from sphinx.util.osutil import ensuredir
from sphinx.util.template import SphinxTemplateLoader
if TYPE_CHECKING:
from collections.abc import Sequence
from gettext import NullTranslations
logger = logging.getLogger(__name__)

View File

@@ -11,7 +11,7 @@ import sys
import time
from io import StringIO
from os import path
from typing import TYPE_CHECKING, Any, Callable, Iterable, Sequence
from typing import TYPE_CHECKING, Any, Callable
from docutils import nodes
from docutils.nodes import Element, Node, TextElement
@@ -29,6 +29,8 @@ from sphinx.util.osutil import relpath
from sphinx.util.typing import OptionSpec
if TYPE_CHECKING:
from collections.abc import Iterable, Sequence
from sphinx.application import Sphinx

View File

@@ -33,8 +33,9 @@ from __future__ import annotations
import builtins
import inspect
import re
from collections.abc import Iterable
from importlib import import_module
from typing import Any, Iterable, cast
from typing import Any, cast
from docutils import nodes
from docutils.nodes import Node

View File

@@ -25,7 +25,7 @@ import re
import sys
import time
from os import path
from typing import IO, TYPE_CHECKING, Any, Iterable, cast
from typing import TYPE_CHECKING, cast
from urllib.parse import urlsplit, urlunsplit
from docutils import nodes
@@ -42,8 +42,9 @@ from sphinx.util.docutils import CustomReSTDispatcher, SphinxRole
from sphinx.util.inventory import InventoryFile
if TYPE_CHECKING:
from collections.abc import Iterable
from types import ModuleType
from typing import Tuple, Union
from typing import IO, Any, Union
from docutils.nodes import Node, TextElement, system_message
from docutils.utils import Reporter
@@ -54,7 +55,7 @@ if TYPE_CHECKING:
from sphinx.environment import BuildEnvironment
from sphinx.util.typing import Inventory, InventoryItem, RoleFunction
InventoryCacheEntry = Tuple[Union[str, None], int, Inventory]
InventoryCacheEntry = tuple[Union[str, None], int, Inventory]
logger = logging.getLogger(__name__)

View File

@@ -5,7 +5,7 @@ from __future__ import annotations
import posixpath
import traceback
from os import path
from typing import Any, Generator, Iterable, cast
from typing import TYPE_CHECKING, Any, cast
from docutils import nodes
from docutils.nodes import Element, Node
@@ -23,6 +23,9 @@ from sphinx.util import get_full_modname, logging
from sphinx.util.display import status_iterator
from sphinx.util.nodes import make_refnode
if TYPE_CHECKING:
from collections.abc import Generator, Iterable
logger = logging.getLogger(__name__)

View File

@@ -5,7 +5,7 @@ from __future__ import annotations
import pathlib
from os import path
from pprint import pformat
from typing import TYPE_CHECKING, Any, Callable, Iterator
from typing import TYPE_CHECKING, Any, Callable
from jinja2 import BaseLoader, FileSystemLoader, TemplateNotFound
from jinja2.environment import Environment
@@ -23,6 +23,8 @@ except ImportError:
from jinja2 import contextfunction as pass_context
if TYPE_CHECKING:
from collections.abc import Iterator
from sphinx.builders import Builder

View File

@@ -5,7 +5,11 @@ from __future__ import annotations
import locale
from gettext import NullTranslations, translation
from os import path
from typing import Any, Callable, Iterable
from typing import TYPE_CHECKING
if TYPE_CHECKING:
from collections.abc import Iterable
from typing import Any, Callable
class _TranslationProxy:

View File

@@ -4,13 +4,16 @@ from __future__ import annotations
import os
from glob import glob
from typing import Iterable
from typing import TYPE_CHECKING
from sphinx.locale import __
from sphinx.util import logging
from sphinx.util.matching import get_matching_files
from sphinx.util.osutil import SEP, path_stabilize, relpath
if TYPE_CHECKING:
from collections.abc import Iterable
logger = logging.getLogger(__name__)
EXCLUDE_PATHS = ['**/_sources', '.#*', '**/.#*', '*.lproj/**']

View File

@@ -143,9 +143,6 @@ class _UnparseVisitor(ast.NodeVisitor):
items = (k + ": " + v for k, v in zip(keys, values))
return "{" + ", ".join(items) + "}"
def visit_Index(self, node: ast.Index) -> str:
return self.visit(node.value)
def visit_Lambda(self, node: ast.Lambda) -> str:
return "lambda %s: ..." % self.visit(node.args)
@@ -159,20 +156,16 @@ class _UnparseVisitor(ast.NodeVisitor):
return "{" + ", ".join(self.visit(e) for e in node.elts) + "}"
def visit_Subscript(self, node: ast.Subscript) -> str:
def is_simple_tuple(value: ast.AST) -> bool:
def is_simple_tuple(value: ast.expr) -> bool:
return (
isinstance(value, ast.Tuple) and
bool(value.elts) and
not any(isinstance(elt, ast.Starred) for elt in value.elts)
isinstance(value, ast.Tuple)
and bool(value.elts)
and not any(isinstance(elt, ast.Starred) for elt in value.elts)
)
if is_simple_tuple(node.slice):
elts = ", ".join(self.visit(e) for e in node.slice.elts) # type: ignore
return f"{self.visit(node.value)}[{elts}]"
elif isinstance(node.slice, ast.Index) and is_simple_tuple(node.slice.value):
elts = ", ".join(self.visit(e) for e in node.slice.value.elts) # type: ignore
return f"{self.visit(node.value)}[{elts}]"
else:
return f"{self.visit(node.value)}[{self.visit(node.slice)}]"
def visit_UnaryOp(self, node: ast.UnaryOp) -> str:

View File

@@ -6,7 +6,7 @@ import sys
import traceback
from importlib import import_module
from types import MethodType
from typing import TYPE_CHECKING, Any, Callable, Iterator
from typing import TYPE_CHECKING, Any, Callable
from docutils import nodes
from docutils.core import Publisher
@@ -36,6 +36,8 @@ from sphinx.util.logging import prefixed_warnings
from sphinx.util.typing import RoleFunction, TitleGetter
if TYPE_CHECKING:
from collections.abc import Iterator
from sphinx.application import Sphinx
from sphinx.ext.autodoc import Documenter

View File

@@ -9,22 +9,7 @@ import pickle
import re
from importlib import import_module
from os import path
from typing import (
IO,
Any,
Callable,
Dict,
Generator,
Iterable,
Iterator,
List,
Optional,
Sequence,
Set,
Tuple,
Type,
Union,
)
from typing import IO, TYPE_CHECKING, Any
from docutils import nodes
from docutils.nodes import Element, Node
@@ -33,6 +18,9 @@ from sphinx import addnodes, package_dir
from sphinx.environment import BuildEnvironment
from sphinx.util import split_index_msg
if TYPE_CHECKING:
from collections.abc import Iterable
class SearchLanguage:
"""

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -13,7 +13,7 @@ from __future__ import annotations
import os
import re
import sys
from typing import Any, Dict, List
from typing import TYPE_CHECKING, Any, Dict, List
try:
import MeCab

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict, Set
from typing import TYPE_CHECKING, Dict, Set
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict
from typing import TYPE_CHECKING, Dict
import snowballstemmer

View File

@@ -2,7 +2,7 @@
from __future__ import annotations
from typing import Dict, Set
from typing import TYPE_CHECKING, Dict, Set
import snowballstemmer

View File

@@ -4,7 +4,7 @@ from __future__ import annotations
import os
import re
from typing import Dict, List
from typing import TYPE_CHECKING, Dict, List
import snowballstemmer

View File

@@ -6,13 +6,16 @@ import subprocess
import sys
from collections import namedtuple
from io import StringIO
from typing import Any, Callable, Generator
from typing import TYPE_CHECKING, Any, Callable
import pytest
from sphinx.testing import util
from sphinx.testing.util import SphinxTestApp, SphinxTestAppWrapperForSkipBuilding
if TYPE_CHECKING:
from collections.abc import Generator
DEFAULT_ENABLED_MARKERS = [
(
'sphinx(builder, testroot=None, freshenv=False, confoverrides=None, tags=None,'

View File

@@ -6,7 +6,7 @@ import os
import re
import sys
import warnings
from typing import IO, TYPE_CHECKING, Any, Generator
from typing import IO, TYPE_CHECKING, Any
from xml.etree import ElementTree
from docutils import nodes
@@ -19,6 +19,7 @@ from sphinx.testing.path import path
from sphinx.util.osutil import relpath
if TYPE_CHECKING:
from collections.abc import Generator
from io import StringIO
__all__ = [

View File

@@ -4,7 +4,7 @@ from __future__ import annotations
import re
import unicodedata
from typing import TYPE_CHECKING, Any, Generator, cast
from typing import TYPE_CHECKING, Any, cast
from docutils import nodes
from docutils.nodes import Node, Text
@@ -23,6 +23,8 @@ from sphinx.util.i18n import format_date
from sphinx.util.nodes import apply_source_workaround, is_smartquotable
if TYPE_CHECKING:
from collections.abc import Generator
from sphinx.application import Sphinx
from sphinx.domains.std import StandardDomain
from sphinx.environment import BuildEnvironment

View File

@@ -6,7 +6,7 @@ import contextlib
from os import path
from re import DOTALL, match
from textwrap import indent
from typing import TYPE_CHECKING, Any, Sequence, TypeVar
from typing import TYPE_CHECKING, Any, TypeVar
from docutils import nodes
from docutils.io import StringInput
@@ -29,6 +29,8 @@ from sphinx.util.nodes import (
)
if TYPE_CHECKING:
from collections.abc import Sequence
from sphinx.application import Sphinx

View File

@@ -3,7 +3,7 @@
from __future__ import annotations
import re
from typing import Any, Sequence, cast
from typing import TYPE_CHECKING, Any, cast
from docutils import nodes
from docutils.nodes import Element, Node
@@ -19,6 +19,9 @@ from sphinx.util import logging
from sphinx.util.docutils import SphinxTranslator
from sphinx.util.nodes import find_pending_xref_condition, process_only_nodes
if TYPE_CHECKING:
from collections.abc import Sequence
logger = logging.getLogger(__name__)

View File

@@ -6,7 +6,6 @@ import hashlib
import os
import posixpath
import re
import sys
from importlib import import_module
from os import path
from typing import IO, Any
@@ -108,23 +107,19 @@ class FilenameUniqDict(dict):
def md5(data=b'', **kwargs):
"""Wrapper around hashlib.md5
Attempt call with 'usedforsecurity=False' if supported.
Call with 'usedforsecurity=False'.
"""
if sys.version_info[:2] > (3, 8):
return hashlib.md5(data, usedforsecurity=False)
return hashlib.md5(data, **kwargs)
def sha1(data=b'', **kwargs):
"""Wrapper around hashlib.sha1
Attempt call with 'usedforsecurity=False' if supported.
Call with 'usedforsecurity=False'.
"""
if sys.version_info[:2] > (3, 8):
return hashlib.sha1(data, usedforsecurity=False)
return hashlib.sha1(data, **kwargs)
class DownloadFiles(dict):

View File

@@ -1,13 +1,14 @@
from __future__ import annotations
import functools
from typing import Any, Callable, Iterable, Iterator, TypeVar
from typing import Any, Callable, TypeVar
from sphinx.locale import __
from sphinx.util import logging
from sphinx.util.console import bold # type: ignore
if False:
from collections.abc import Iterable, Iterator
from types import TracebackType
logger = logging.getLogger(__name__)

View File

@@ -6,7 +6,7 @@ be domain-specifically transformed to a more appealing presentation.
from __future__ import annotations
import contextlib
from typing import TYPE_CHECKING, Any, List, Tuple, cast
from typing import TYPE_CHECKING, Any, cast
from docutils import nodes
from docutils.nodes import Element, Node
@@ -294,7 +294,7 @@ class DocFieldTransformer:
types: dict[str, dict] = {}
# step 1: traverse all fields and collect field types and content
for field in cast(List[nodes.field], node):
for field in cast(list[nodes.field], node):
assert len(field) == 2
field_name = cast(nodes.field_name, field[0])
field_body = cast(nodes.field_body, field[1])
@@ -378,7 +378,7 @@ class DocFieldTransformer:
# get one entry per field
if typedesc.is_grouped:
if typename in groupindices:
group = cast(Tuple[Field, List, Node], entries[groupindices[typename]])
group = cast(tuple[Field, list, Node], entries[groupindices[typename]])
else:
groupindices[typename] = len(entries)
group = (typedesc, [], field)

View File

@@ -7,7 +7,7 @@ import re
from contextlib import contextmanager
from copy import copy
from os import path
from typing import IO, TYPE_CHECKING, Any, Callable, Generator, cast
from typing import IO, TYPE_CHECKING, Any, Callable, cast
import docutils
from docutils import nodes
@@ -28,6 +28,7 @@ logger = logging.getLogger(__name__)
report_re = re.compile('^(.+?:(?:\\d+)?): \\((DEBUG|INFO|WARNING|ERROR|SEVERE)/(\\d+)?\\) ')
if TYPE_CHECKING:
from collections.abc import Generator
from types import ModuleType
from docutils.frontend import Values

View File

@@ -6,7 +6,7 @@ import os
import re
from datetime import datetime, timezone
from os import path
from typing import TYPE_CHECKING, Callable, Generator, NamedTuple
from typing import TYPE_CHECKING, Callable, NamedTuple
import babel.dates
from babel.messages.mofile import write_mo
@@ -18,6 +18,8 @@ from sphinx.util import logging
from sphinx.util.osutil import SEP, canon_path, relpath
if TYPE_CHECKING:
from collections.abc import Generator
from sphinx.environment import BuildEnvironment

View File

@@ -11,6 +11,7 @@ import re
import sys
import types
import typing
from collections.abc import Mapping, Sequence
from functools import cached_property, partial, partialmethod, singledispatchmethod
from importlib import import_module
from inspect import ( # noqa: F401
@@ -29,7 +30,7 @@ from types import (
ModuleType,
WrapperDescriptorType,
)
from typing import Any, Callable, Dict, Mapping, Sequence, cast
from typing import Any, Callable, cast
from sphinx.pycode.ast import unparse as ast_unparse
from sphinx.util import logging
@@ -324,15 +325,7 @@ def isproperty(obj: Any) -> bool:
def isgenericalias(obj: Any) -> bool:
"""Check if the object is GenericAlias."""
if isinstance(obj, typing._GenericAlias): # type: ignore
return True
if (hasattr(types, 'GenericAlias') # only for py39+
and isinstance(obj, types.GenericAlias)):
return True
if (hasattr(typing, '_SpecialGenericAlias') # for py39+
and isinstance(obj, typing._SpecialGenericAlias)):
return True
return False
return isinstance(obj, (types.GenericAlias, typing._BaseGenericAlias)) # type: ignore
def safe_getattr(obj: Any, name: str, *defargs: Any) -> Any:
@@ -488,7 +481,7 @@ class TypeAliasModule:
return getattr(self.__module, name)
class TypeAliasNamespace(Dict[str, Any]):
class TypeAliasNamespace(dict[str, Any]):
"""Pseudo namespace class for autodoc_type_aliases.
This enables to look up nested modules and classes like `mod1.mod2.Class`.
@@ -584,10 +577,7 @@ def evaluate_signature(sig: inspect.Signature, globalns: dict | None = None,
"""Evaluate unresolved type annotations in a signature object."""
def evaluate_forwardref(ref: ForwardRef, globalns: dict, localns: dict) -> Any:
"""Evaluate a forward reference."""
if sys.version_info[:2] >= (3, 9):
return ref._evaluate(globalns, localns, frozenset())
else:
return ref._evaluate(globalns, localns)
def evaluate(annotation: Any, globalns: dict, localns: dict) -> Any:
"""Evaluate unresolved type annotation."""

View File

@@ -4,7 +4,7 @@ from __future__ import annotations
import os
import re
import zlib
from typing import IO, TYPE_CHECKING, Callable, Iterator
from typing import IO, TYPE_CHECKING, Callable
from sphinx.util import logging
from sphinx.util.typing import Inventory, InventoryItem
@@ -13,6 +13,8 @@ BUFSIZE = 16 * 1024
logger = logging.getLogger(__name__)
if TYPE_CHECKING:
from collections.abc import Iterator
from sphinx.builders import Builder
from sphinx.environment import BuildEnvironment

View File

@@ -6,7 +6,7 @@ import logging
import logging.handlers
from collections import defaultdict
from contextlib import contextmanager
from typing import IO, TYPE_CHECKING, Any, Generator
from typing import IO, TYPE_CHECKING, Any
from docutils import nodes
from docutils.nodes import Node
@@ -17,6 +17,8 @@ from sphinx.util.console import colorize
from sphinx.util.osutil import abspath
if TYPE_CHECKING:
from collections.abc import Generator
from sphinx.application import Sphinx

View File

@@ -4,10 +4,13 @@ from __future__ import annotations
import os.path
import re
from typing import Callable, Iterable, Iterator
from typing import TYPE_CHECKING, Callable
from sphinx.util.osutil import canon_path, path_stabilize
if TYPE_CHECKING:
from collections.abc import Iterable, Iterator
def _translate_pattern(pat: str) -> str:
"""Translate a shell-style glob pattern to a regular expression.

View File

@@ -5,7 +5,7 @@ from __future__ import annotations
import contextlib
import re
import unicodedata
from typing import TYPE_CHECKING, Any, Callable, Iterable
from typing import TYPE_CHECKING, Any, Callable
from docutils import nodes
from docutils.nodes import Element, Node
@@ -18,6 +18,8 @@ from sphinx.locale import __
from sphinx.util import logging
if TYPE_CHECKING:
from collections.abc import Iterable
from sphinx.builders import Builder
from sphinx.environment import BuildEnvironment
from sphinx.util.tags import Tags
@@ -47,7 +49,7 @@ class NodeMatcher:
following example searches ``reference`` node having ``refdomain`` attributes::
from __future__ import annotations
from typing import Any
from typing import TYPE_CHECKING, Any
matcher = NodeMatcher(nodes.reference, refdomain=Any)
doctree.findall(matcher)
# => [<reference ...>, <reference ...>, ...]

View File

@@ -11,10 +11,13 @@ import sys
import unicodedata
from io import StringIO
from os import path
from typing import Any, Iterator
from typing import TYPE_CHECKING, Any
from sphinx.deprecation import _deprecation_warning
if TYPE_CHECKING:
from collections.abc import Iterator
try:
# for ALT Linux (#6712)
from sphinx.testing.path import path as Path

View File

@@ -6,7 +6,7 @@ import os
import time
import traceback
from math import sqrt
from typing import Any, Callable, Sequence
from typing import TYPE_CHECKING, Any, Callable
try:
import multiprocessing
@@ -17,6 +17,9 @@ except ImportError:
from sphinx.errors import SphinxParallelError
from sphinx.util import logging
if TYPE_CHECKING:
from collections.abc import Sequence
logger = logging.getLogger(__name__)
# our parallel functionality only works for the forking Process

View File

@@ -5,7 +5,7 @@ from __future__ import annotations
import re
from collections import defaultdict
from contextlib import contextmanager
from typing import Generator
from typing import TYPE_CHECKING
from unicodedata import east_asian_width
from docutils.parsers.rst import roles
@@ -18,6 +18,9 @@ from jinja2 import Environment, pass_environment
from sphinx.locale import __
from sphinx.util import docutils, logging
if TYPE_CHECKING:
from collections.abc import Generator
logger = logging.getLogger(__name__)
FIELD_NAME_RE = re.compile(Body.patterns['field_marker'])

View File

@@ -1,12 +1,16 @@
from __future__ import annotations
from typing import Iterator
from typing import TYPE_CHECKING
from jinja2 import nodes
from jinja2.environment import Environment
from jinja2.nodes import Node
from jinja2.parser import Parser
if TYPE_CHECKING:
from collections.abc import Iterator
env = Environment()

View File

@@ -6,7 +6,7 @@ import sys
import typing
from struct import Struct
from types import TracebackType
from typing import Any, Callable, Dict, ForwardRef, List, Tuple, TypeVar, Union
from typing import Any, Callable, ForwardRef, TypeVar, Union
from docutils import nodes
from docutils.parsers.rst.states import Inliner
@@ -16,10 +16,10 @@ try:
except ImportError:
UnionType = None
# builtin classes that have incorrect __module__
# classes that have incorrect __module__
INVALID_BUILTIN_CLASSES = {
Struct: 'struct.Struct', # Before Python 3.9
TracebackType: 'types.TracebackType',
Struct: 'struct.Struct', # Struct.__module__ == '_struct'
TracebackType: 'types.TracebackType', # TracebackType.__module__ == 'builtins'
}
@@ -41,23 +41,23 @@ NoneType = type(None)
PathMatcher = Callable[[str], bool]
# common role functions
RoleFunction = Callable[[str, str, str, int, Inliner, Dict[str, Any], List[str]],
Tuple[List[nodes.Node], List[nodes.system_message]]]
RoleFunction = Callable[[str, str, str, int, Inliner, dict[str, Any], list[str]],
tuple[list[nodes.Node], list[nodes.system_message]]]
# A option spec for directive
OptionSpec = Dict[str, Callable[[str], Any]]
OptionSpec = dict[str, Callable[[str], Any]]
# title getter functions for enumerable nodes (see sphinx.domains.std)
TitleGetter = Callable[[nodes.Node], str]
# inventory data on memory
InventoryItem = Tuple[
InventoryItem = tuple[
str, # project name
str, # project version
str, # URL
str, # display name
]
Inventory = Dict[str, Dict[str, InventoryItem]]
Inventory = dict[str, dict[str, InventoryItem]]
def get_type_hints(
@@ -80,8 +80,7 @@ def get_type_hints(
# Failed to evaluate ForwardRef (maybe not runtime checkable)
return safe_getattr(obj, '__annotations__', {})
except TypeError:
# Invalid object is given. But try to get __annotations__ as a fallback for
# the code using type union operator (PEP 604) in python 3.9 or below.
# Invalid object is given. But try to get __annotations__ as a fallback.
return safe_getattr(obj, '__annotations__', {})
except KeyError:
# a broken class found (refs: https://github.com/sphinx-doc/sphinx/issues/8084)

View File

@@ -5,7 +5,7 @@ import pickle
from itertools import product, zip_longest
from operator import itemgetter
from os import path
from typing import TYPE_CHECKING, Any, Iterator
from typing import TYPE_CHECKING, Any
from uuid import uuid4
from docutils.nodes import Node
@@ -13,6 +13,8 @@ from docutils.nodes import Node
from sphinx.transforms import SphinxTransform
if TYPE_CHECKING:
from collections.abc import Iterator
from sphinx.application import Sphinx
try:

View File

@@ -6,7 +6,8 @@ import os
import posixpath
import re
import urllib.parse
from typing import TYPE_CHECKING, Iterable, cast
from collections.abc import Iterable
from typing import TYPE_CHECKING, cast
from docutils import nodes
from docutils.nodes import Element, Node, Text

View File

@@ -8,8 +8,9 @@ from __future__ import annotations
import re
from collections import defaultdict
from collections.abc import Iterable
from os import path
from typing import TYPE_CHECKING, Any, Iterable, cast
from typing import TYPE_CHECKING, Any, cast
from docutils import nodes, writers
from docutils.nodes import Element, Node, Text

View File

@@ -2,7 +2,8 @@
from __future__ import annotations
from typing import Any, Iterable, cast
from collections.abc import Iterable
from typing import Any, cast
from docutils import nodes
from docutils.nodes import Element

View File

@@ -4,8 +4,9 @@ from __future__ import annotations
import re
import textwrap
from collections.abc import Iterable, Iterator
from os import path
from typing import TYPE_CHECKING, Any, Iterable, Iterator, cast
from typing import TYPE_CHECKING, Any, cast
from docutils import nodes, writers
from docutils.nodes import Element, Node, Text

View File

@@ -5,8 +5,9 @@ import math
import os
import re
import textwrap
from collections.abc import Generator, Iterable
from itertools import chain, groupby
from typing import TYPE_CHECKING, Any, Generator, Iterable, cast
from typing import TYPE_CHECKING, Any, cast
from docutils import nodes, writers
from docutils.nodes import Element, Text

View File

@@ -1,10 +1,16 @@
from __future__ import annotations
from gettext import NullTranslations
from typing import TYPE_CHECKING
if TYPE_CHECKING:
from collections.abc import Iterable
from io import StringIO
class Foo:
attr1: StringIO
def spam(ham: Iterable[str]) -> tuple[NullTranslations, bool]:
pass

View File

@@ -217,7 +217,7 @@ def test_format_signature(app):
class ExceptionSubclass(Exception):
pass
# Exception has no __text_signature__ at least in Python 3.8
# Exception has no __text_signature__ at least in Python 3.11
if getattr(Exception, '__text_signature__', None) is None:
assert formatsig('class', 'C', ExceptionSubclass, None, None) == ''
@@ -810,7 +810,7 @@ def test_autodoc_imported_members(app):
"imported-members": None,
"ignore-module-all": None}
actual = do_autodoc(app, 'module', 'target', options)
assert '.. py:function:: function_to_be_imported(app: Sphinx | None) -> str' in actual
assert '.. py:function:: function_to_be_imported(app: ~sphinx.application.Sphinx | None) -> str' in actual
@pytest.mark.sphinx('html', testroot='ext-autodoc')
@@ -1984,7 +1984,6 @@ def test_autodoc_TypeVar(app):
]
@pytest.mark.skipif(sys.version_info[:2] <= (3, 8), reason='py39+ is required.')
@pytest.mark.sphinx('html', testroot='ext-autodoc')
def test_autodoc_Annotated(app):
options = {"members": None}
@@ -2018,7 +2017,11 @@ def test_autodoc_TYPE_CHECKING(app):
'',
' .. py:attribute:: Foo.attr1',
' :module: target.TYPE_CHECKING',
' :type: StringIO',
' :type: ~_io.StringIO',
'',
'',
'.. py:function:: spam(ham: ~collections.abc.Iterable[str]) -> tuple[gettext.NullTranslations, bool]',
' :module: target.TYPE_CHECKING',
'',
]

View File

@@ -6,7 +6,8 @@ source file translated by test_build.
from __future__ import annotations
from typing import List, Union
import typing
from typing import Union
import pytest
@@ -304,7 +305,7 @@ def test_autodoc_process_bases(app):
assert obj.__name__ == 'Quux'
assert options == {'show-inheritance': True,
'members': []}
assert bases == [List[Union[int, float]]]
assert bases == [typing.List[Union[int, float]]] # NoQA: UP006
bases.pop()
bases.extend([int, str])

View File

@@ -188,7 +188,7 @@ def test_signature_annotations():
# Generic types with concrete parameters
sig = inspect.signature(f1)
assert stringify_signature(sig) == '(x: typing.List[int]) -> typing.List[int]'
assert stringify_signature(sig) == '(x: list[int]) -> typing.List[int]'
# TypeVars and generic types with TypeVars
sig = inspect.signature(f2)

View File

@@ -20,7 +20,7 @@ from typing import (
import pytest
from sphinx.ext.autodoc import mock
from sphinx.util.typing import restify, stringify_annotation
from sphinx.util.typing import INVALID_BUILTIN_CLASSES, restify, stringify_annotation
class MyClass1:
@@ -69,6 +69,15 @@ def test_restify():
assert restify('str', "smart") == "str"
def test_is_invalid_builtin_class():
# if these tests start failing, it means that the __module__
# of one of these classes has changed, and INVALID_BUILTIN_CLASSES
# in sphinx.util.typing needs to be updated.
assert INVALID_BUILTIN_CLASSES.keys() == {Struct, TracebackType}
assert Struct.__module__ == '_struct'
assert TracebackType.__module__ == 'builtins'
def test_restify_type_hints_containers():
assert restify(List) == ":py:class:`~typing.List`"
assert restify(Dict) == ":py:class:`~typing.Dict`"
@@ -177,7 +186,6 @@ def test_restify_type_Literal():
assert restify(Literal[1, "2", "\r"]) == ":py:obj:`~typing.Literal`\\ [1, '2', '\\r']"
@pytest.mark.skipif(sys.version_info[:2] <= (3, 8), reason='python 3.9+ is required.')
def test_restify_pep_585():
assert restify(list[str]) == ":py:class:`list`\\ [:py:class:`str`]" # type: ignore
assert restify(dict[str, str]) == (":py:class:`dict`\\ " # type: ignore
@@ -283,7 +291,6 @@ def test_stringify_type_hints_containers():
assert stringify_annotation(Generator[None, None, None], "smart") == "~typing.Generator[None, None, None]"
@pytest.mark.skipif(sys.version_info[:2] <= (3, 8), reason='python 3.9+ is required.')
def test_stringify_type_hints_pep_585():
assert stringify_annotation(list[int], 'fully-qualified-except-typing') == "list[int]"
assert stringify_annotation(list[int], "smart") == "list[int]"
@@ -310,7 +317,6 @@ def test_stringify_type_hints_pep_585():
assert stringify_annotation(type[int], "smart") == "type[int]"
@pytest.mark.skipif(sys.version_info[:2] <= (3, 8), reason='python 3.9+ is required.')
def test_stringify_Annotated():
from typing import Annotated # type: ignore
assert stringify_annotation(Annotated[str, "foo", "bar"], 'fully-qualified-except-typing') == "str"

View File

@@ -7,7 +7,7 @@ def f0(x: int, y: Integral) -> None:
pass
def f1(x: List[int]) -> List[int]:
def f1(x: list[int]) -> List[int]:
pass

View File

@@ -1,6 +1,6 @@
[tox]
minversion = 2.4.0
envlist = py{38,39,310,311,312}
envlist = py{39,310,311,312}
isolated_build = True
[testenv]
@@ -17,7 +17,7 @@ passenv =
EPUBCHECK_PATH
TERM
description =
py{38,39,310,311,312}: Run unit tests against {envname}.
py{39,310,311,312}: Run unit tests against {envname}.
extras =
test
setenv =