Skip to content

Commit 7a1006c

Browse files
committed
Re-enable ANN2 for setuptools
1 parent fcdaf02 commit 7a1006c

20 files changed

+117
-77
lines changed

ruff.toml

-5
Original file line numberDiff line numberDiff line change
@@ -56,11 +56,6 @@ ignore = [
5656
]
5757

5858
[lint.per-file-ignores]
59-
# Only enforcing return type annotations for public modules
60-
"**/tests/**" = ["ANN2"]
61-
"tools/**" = ["ANN2"]
62-
# Temporarily disabling enforced return annotations for the setuptool package to progressively type from Typeshed
63-
"setuptools/**" = ["ANN2"]
6459
# Suppress nuisance warnings about module-import-not-at-top-of-file (E402) due to workaround for #4476
6560
"setuptools/__init__.py" = ["E402"]
6661
"pkg_resources/__init__.py" = ["E402"]

setuptools/__init__.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -186,7 +186,7 @@ def _ensure_stringlike(self, option, what, default=None):
186186
)
187187
return val
188188

189-
def ensure_string_list(self, option: str):
189+
def ensure_string_list(self, option: str) -> None:
190190
r"""Ensure that 'option' is a list of strings. If 'option' is
191191
currently a string, we split it either on /,\s*/ or /\s+/, so
192192
"foo bar baz", "foo,bar,baz", and "foo, bar baz" all become
@@ -226,7 +226,7 @@ def reinitialize_command(
226226
) -> _Command:
227227
cmd = _Command.reinitialize_command(self, command, reinit_subcommands)
228228
vars(cmd).update(kw)
229-
return cmd
229+
return cmd # pyright: ignore[reportReturnType] # pypa/distutils#307
230230

231231
@abstractmethod
232232
def initialize_options(self) -> None:

setuptools/_path.py

+3-1
Original file line numberDiff line numberDiff line change
@@ -3,17 +3,19 @@
33
import contextlib
44
import os
55
import sys
6-
from typing import TYPE_CHECKING, Union
6+
from typing import TYPE_CHECKING, TypeVar, Union
77

88
from more_itertools import unique_everseen
99

1010
if TYPE_CHECKING:
1111
from typing_extensions import TypeAlias
1212

1313
StrPath: TypeAlias = Union[str, os.PathLike[str]] # Same as _typeshed.StrPath
14+
StrPathT = TypeVar("StrPathT", bound=Union[str, os.PathLike[str]])
1415
else:
1516
# Python 3.8 support
1617
StrPath: TypeAlias = Union[str, os.PathLike]
18+
StrPathT = TypeVar("StrPathT", bound=Union[str, os.PathLike])
1719

1820

1921
def ensure_directory(path):

setuptools/command/bdist_egg.py

+4-4
Original file line numberDiff line numberDiff line change
@@ -16,7 +16,7 @@
1616
from setuptools import Command
1717
from setuptools.extension import Library
1818

19-
from .._path import ensure_directory
19+
from .._path import StrPathT, ensure_directory
2020

2121
from distutils import log
2222
from distutils.dir_util import mkpath, remove_tree
@@ -440,13 +440,13 @@ def can_scan():
440440

441441

442442
def make_zipfile(
443-
zip_filename,
443+
zip_filename: StrPathT,
444444
base_dir,
445445
verbose: bool = False,
446446
dry_run: bool = False,
447447
compress=True,
448448
mode: _ZipFileMode = 'w',
449-
):
449+
) -> StrPathT:
450450
"""Create a zip file from all the files under 'base_dir'. The output
451451
zip file will be named 'base_dir' + ".zip". Uses either the "zipfile"
452452
Python module (if available) or the InfoZIP "zip" utility (if installed
@@ -455,7 +455,7 @@ def make_zipfile(
455455
"""
456456
import zipfile
457457

458-
mkpath(os.path.dirname(zip_filename), dry_run=dry_run)
458+
mkpath(os.path.dirname(zip_filename), dry_run=dry_run) # type: ignore[arg-type] # python/mypy#18075
459459
log.info("creating '%s' and adding '%s' to it", zip_filename, base_dir)
460460

461461
def visit(z, dirname, names):

setuptools/command/build_ext.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -415,7 +415,7 @@ def link_shared_object(
415415
extra_postargs=None,
416416
build_temp=None,
417417
target_lang=None,
418-
):
418+
) -> None:
419419
self.link(
420420
self.SHARED_LIBRARY,
421421
objects,
@@ -450,7 +450,7 @@ def link_shared_object(
450450
extra_postargs=None,
451451
build_temp=None,
452452
target_lang=None,
453-
):
453+
) -> None:
454454
# XXX we need to either disallow these attrs on Library instances,
455455
# or warn/abort here if set, or something...
456456
# libraries=None, library_dirs=None, runtime_library_dirs=None,

setuptools/command/build_py.py

+6-7
Original file line numberDiff line numberDiff line change
@@ -12,8 +12,7 @@
1212

1313
from more_itertools import unique_everseen
1414

15-
from setuptools._path import StrPath
16-
15+
from .._path import StrPath, StrPathT
1716
from ..dist import Distribution
1817
from ..warnings import SetuptoolsDeprecationWarning
1918

@@ -50,20 +49,20 @@ def finalize_options(self):
5049
del self.__dict__['data_files']
5150
self.__updated_files = []
5251

53-
def copy_file( # type: ignore[override] # No overload, str support only
52+
def copy_file( # type: ignore[override] # No overload, no bytes support
5453
self,
5554
infile: StrPath,
56-
outfile: StrPath,
55+
outfile: StrPathT,
5756
preserve_mode: bool = True,
5857
preserve_times: bool = True,
5958
link: str | None = None,
6059
level: object = 1,
61-
):
60+
) -> tuple[StrPathT | str, bool]:
6261
# Overwrite base class to allow using links
6362
if link:
6463
infile = str(Path(infile).resolve())
65-
outfile = str(Path(outfile).resolve())
66-
return super().copy_file(
64+
outfile = str(Path(outfile).resolve()) # type: ignore[assignment] # Re-assigning a str when outfile is StrPath is ok
65+
return super().copy_file( # pyright: ignore[reportReturnType] # pypa/distutils#309
6766
infile, outfile, preserve_mode, preserve_times, link, level
6867
)
6968

setuptools/command/easy_install.py

+11-9
Original file line numberDiff line numberDiff line change
@@ -425,7 +425,7 @@ def expand_dirs(self):
425425
]
426426
self._expand_attrs(dirs)
427427

428-
def run(self, show_deprecation: bool = True):
428+
def run(self, show_deprecation: bool = True) -> None:
429429
if show_deprecation:
430430
self.announce(
431431
"WARNING: The easy_install command is deprecated "
@@ -674,7 +674,7 @@ def _tmpdir(self):
674674
finally:
675675
os.path.exists(tmpdir) and _rmtree(tmpdir)
676676

677-
def easy_install(self, spec, deps: bool = False):
677+
def easy_install(self, spec, deps: bool = False) -> Distribution | None:
678678
with self._tmpdir() as tmpdir:
679679
if not isinstance(spec, Requirement):
680680
if URL_SCHEME(spec):
@@ -711,7 +711,9 @@ def easy_install(self, spec, deps: bool = False):
711711
else:
712712
return self.install_item(spec, dist.location, tmpdir, deps)
713713

714-
def install_item(self, spec, download, tmpdir, deps, install_needed: bool = False):
714+
def install_item(
715+
self, spec, download, tmpdir, deps, install_needed: bool = False
716+
) -> Distribution | None:
715717
# Installation is also needed if file in tmpdir or is not an egg
716718
install_needed = install_needed or bool(self.always_copy)
717719
install_needed = install_needed or os.path.dirname(download) == tmpdir
@@ -761,7 +763,7 @@ def process_distribution( # noqa: C901
761763
dist,
762764
deps: bool = True,
763765
*info,
764-
):
766+
) -> None:
765767
self.update_pth(dist)
766768
self.package_index.add(dist)
767769
if dist in self.local_index[dist.key]:
@@ -860,7 +862,7 @@ def _load_template(dev_path):
860862
raw_bytes = resource_string('setuptools', name)
861863
return raw_bytes.decode('utf-8')
862864

863-
def write_script(self, script_name, contents, mode: str = "t", blockers=()):
865+
def write_script(self, script_name, contents, mode: str = "t", blockers=()) -> None:
864866
"""Write an executable file to the scripts directory"""
865867
self.delete_blockers( # clean up old .py/.pyw w/o a script
866868
[os.path.join(self.script_dir, x) for x in blockers]
@@ -882,7 +884,7 @@ def write_script(self, script_name, contents, mode: str = "t", blockers=()):
882884
f.write(contents)
883885
chmod(target, 0o777 - mask)
884886

885-
def install_eggs(self, spec, dist_filename, tmpdir):
887+
def install_eggs(self, spec, dist_filename, tmpdir) -> list[Distribution]:
886888
# .egg dirs or files are already built, so just return them
887889
installer_map = {
888890
'.egg': self.install_egg,
@@ -1143,7 +1145,7 @@ def install_wheel(self, wheel_path, tmpdir):
11431145
"""
11441146
)
11451147

1146-
def installation_report(self, req, dist, what: str = "Installed"):
1148+
def installation_report(self, req, dist, what: str = "Installed") -> str:
11471149
"""Helpful installation message for display to package users"""
11481150
msg = "\n%(what)s %(eggloc)s%(extras)s"
11491151
if self.multi_version and not self.no_report:
@@ -2080,7 +2082,7 @@ def from_environment(cls):
20802082
return cls([cls._sys_executable()])
20812083

20822084
@classmethod
2083-
def from_string(cls, string: str):
2085+
def from_string(cls, string: str) -> Self:
20842086
"""
20852087
Construct a command spec from a simple string representing a command
20862088
line parseable by shlex.split.
@@ -2222,7 +2224,7 @@ def get_header(
22222224
cls,
22232225
script_text: str = "",
22242226
executable: str | CommandSpec | Iterable[str] | None = None,
2225-
):
2227+
) -> str:
22262228
"""Create a #! line, getting options (if any) from script_text"""
22272229
cmd = cls.command_spec_class.best().from_param(executable)
22282230
cmd.install_options(script_text)

setuptools/command/egg_info.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -252,7 +252,7 @@ def _get_egg_basename(self, py_version=PY_MAJOR, platform=None):
252252
"""Compute filename of the output egg. Private API."""
253253
return _egg_basename(self.egg_name, self.egg_version, py_version, platform)
254254

255-
def write_or_delete_file(self, what, filename, data, force: bool = False):
255+
def write_or_delete_file(self, what, filename, data, force: bool = False) -> None:
256256
"""Write `data` to `filename` or delete if empty
257257
258258
If `data` is non-empty, this routine is the same as ``write_file()``.
@@ -690,7 +690,7 @@ def overwrite_arg(cmd, basename, filename):
690690
write_arg(cmd, basename, filename, True)
691691

692692

693-
def write_arg(cmd, basename, filename, force: bool = False):
693+
def write_arg(cmd, basename, filename, force: bool = False) -> None:
694694
argname = os.path.splitext(basename)[0]
695695
value = getattr(cmd.distribution, argname, None)
696696
if value is not None:

setuptools/command/install_scripts.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -56,7 +56,7 @@ def _install_ep_scripts(self):
5656
for args in writer.get_args(dist, cmd.as_header()):
5757
self.write_script(*args)
5858

59-
def write_script(self, script_name, contents, mode: str = "t", *ignored):
59+
def write_script(self, script_name, contents, mode: str = "t", *ignored) -> None:
6060
"""Write an executable file to the scripts directory"""
6161
from setuptools.command.easy_install import chmod, current_umask
6262

setuptools/depends.py

+11-3
Original file line numberDiff line numberDiff line change
@@ -4,6 +4,7 @@
44
import dis
55
import marshal
66
import sys
7+
from types import CodeType
78

89
from packaging.version import Version
910

@@ -51,7 +52,9 @@ def version_ok(self, version):
5152
and self.format(version) >= self.requested_version
5253
)
5354

54-
def get_version(self, paths=None, default: str = "unknown"):
55+
def get_version(
56+
self, paths=None, default: str | int = "unknown"
57+
) -> str | int | None:
5558
"""Get version number of installed module, 'None', or 'default'
5659
5760
Search 'paths' for module. If not found, return 'None'. If found,
@@ -106,7 +109,9 @@ def empty():
106109
# XXX it'd be better to test assertions about bytecode instead.
107110
if not sys.platform.startswith('java') and sys.platform != 'cli':
108111

109-
def get_module_constant(module, symbol, default: str | int = -1, paths=None):
112+
def get_module_constant(
113+
module, symbol, default: str | int = -1, paths=None
114+
) -> str | int | None:
110115
"""Find 'module' by searching 'paths', and extract 'symbol'
111116
112117
Return 'None' if 'module' does not exist on 'paths', or it does not define
@@ -134,7 +139,9 @@ def get_module_constant(module, symbol, default: str | int = -1, paths=None):
134139

135140
return extract_constant(code, symbol, default)
136141

137-
def extract_constant(code, symbol, default: str | int = -1):
142+
def extract_constant(
143+
code: CodeType, symbol: str, default: str | int = -1
144+
) -> str | int | None:
138145
"""Extract the constant value of 'symbol' from 'code'
139146
140147
If the name 'symbol' is bound to a constant value by the Python code
@@ -163,6 +170,7 @@ def extract_constant(code, symbol, default: str | int = -1):
163170
arg = byte_code.arg
164171

165172
if op == LOAD_CONST:
173+
assert arg is not None
166174
const = code.co_consts[arg]
167175
elif arg == name_idx and (op == STORE_NAME or op == STORE_GLOBAL):
168176
return const

setuptools/dist.py

+13-9
Original file line numberDiff line numberDiff line change
@@ -25,14 +25,13 @@
2525
from packaging.specifiers import InvalidSpecifier, SpecifierSet
2626
from packaging.version import Version
2727

28-
from setuptools._path import StrPath
29-
3028
from . import (
3129
_entry_points,
3230
_reqs,
3331
command as _, # noqa: F401 # imported for side-effects
3432
)
3533
from ._importlib import metadata
34+
from ._path import StrPath
3635
from ._reqs import _StrOrIter
3736
from .config import pyprojecttoml, setupcfg
3837
from .discovery import ConfigDiscovery
@@ -52,6 +51,9 @@
5251
if TYPE_CHECKING:
5352
from typing_extensions import TypeAlias
5453

54+
from pkg_resources import Distribution as _pkg_resources_Distribution
55+
56+
5557
__all__ = ['Distribution']
5658

5759
_sequence = tuple, list
@@ -518,7 +520,7 @@ def _parse_config_files(self, filenames=None): # noqa: C901
518520
except ValueError as e:
519521
raise DistutilsOptionError(e) from e
520522

521-
def warn_dash_deprecation(self, opt: str, section: str):
523+
def warn_dash_deprecation(self, opt: str, section: str) -> str:
522524
if section in (
523525
'options.extras_require',
524526
'options.data_files',
@@ -560,7 +562,7 @@ def _setuptools_commands(self):
560562
# during bootstrapping, distribution doesn't exist
561563
return []
562564

563-
def make_option_lowercase(self, opt: str, section: str):
565+
def make_option_lowercase(self, opt: str, section: str) -> str:
564566
if section != 'metadata' or opt.islower():
565567
return opt
566568

@@ -640,7 +642,7 @@ def parse_config_files(
640642
self,
641643
filenames: Iterable[StrPath] | None = None,
642644
ignore_option_errors: bool = False,
643-
):
645+
) -> None:
644646
"""Parses configuration files from various levels
645647
and loads configuration.
646648
"""
@@ -657,7 +659,9 @@ def parse_config_files(
657659
self._finalize_requires()
658660
self._finalize_license_files()
659661

660-
def fetch_build_eggs(self, requires: _StrOrIter):
662+
def fetch_build_eggs(
663+
self, requires: _StrOrIter
664+
) -> list[_pkg_resources_Distribution]:
661665
"""Resolve pre-setup requirements"""
662666
from .installer import _fetch_build_eggs
663667

@@ -728,7 +732,7 @@ def fetch_build_egg(self, req):
728732

729733
return fetch_build_egg(self, req)
730734

731-
def get_command_class(self, command: str):
735+
def get_command_class(self, command: str) -> type[distutils.cmd.Command]: # type: ignore[override] # Not doing complex overrides yet
732736
"""Pluggable version of get_command_class()"""
733737
if command in self.cmdclass:
734738
return self.cmdclass[command]
@@ -782,7 +786,7 @@ def include(self, **attrs):
782786
else:
783787
self._include_misc(k, v)
784788

785-
def exclude_package(self, package: str):
789+
def exclude_package(self, package: str) -> None:
786790
"""Remove packages, modules, and extensions in named package"""
787791

788792
pfx = package + '.'
@@ -803,7 +807,7 @@ def exclude_package(self, package: str):
803807
if p.name != package and not p.name.startswith(pfx)
804808
]
805809

806-
def has_contents_for(self, package: str):
810+
def has_contents_for(self, package: str) -> bool:
807811
"""Return true if 'exclude_package(package)' would do something"""
808812

809813
pfx = package + '.'

0 commit comments

Comments
 (0)