Merge pull request #9293 from pypa/revert-9264-new-resolver-dont-abort-on-inconsistent-candidate

This commit is contained in:
Pradyun Gedam 2020-12-15 14:19:54 +00:00 committed by GitHub
commit b4fb710154
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
8 changed files with 36 additions and 131 deletions

1
news/9264.bugfix.rst Normal file
View File

@ -0,0 +1 @@
Revert "Skip candidate not providing valid metadata", as that caused pip to be overeager about downloading from the package index.

View File

@ -151,21 +151,6 @@ class MetadataInconsistent(InstallationError):
) )
class InstallationSubprocessError(InstallationError):
"""A subprocess call failed during installation."""
def __init__(self, returncode, description):
# type: (int, str) -> None
self.returncode = returncode
self.description = description
def __str__(self):
# type: () -> str
return (
"Command errored out with exit status {}: {} "
"Check the logs for full command output."
).format(self.returncode, self.description)
class HashErrors(InstallationError): class HashErrors(InstallationError):
"""Multiple HashError instances rolled into one for reporting""" """Multiple HashError instances rolled into one for reporting"""

View File

@ -141,7 +141,7 @@ class _InstallRequirementBackedCandidate(Candidate):
self._ireq = ireq self._ireq = ireq
self._name = name self._name = name
self._version = version self._version = version
self.dist = self._prepare() self._dist = None # type: Optional[Distribution]
def __str__(self): def __str__(self):
# type: () -> str # type: () -> str
@ -209,6 +209,8 @@ class _InstallRequirementBackedCandidate(Candidate):
def _check_metadata_consistency(self, dist): def _check_metadata_consistency(self, dist):
# type: (Distribution) -> None # type: (Distribution) -> None
"""Check for consistency of project name and version of dist.""" """Check for consistency of project name and version of dist."""
# TODO: (Longer term) Rather than abort, reject this candidate
# and backtrack. This would need resolvelib support.
name = canonicalize_name(dist.project_name) name = canonicalize_name(dist.project_name)
if self._name is not None and self._name != name: if self._name is not None and self._name != name:
raise MetadataInconsistent(self._ireq, "name", dist.project_name) raise MetadataInconsistent(self._ireq, "name", dist.project_name)
@ -217,17 +219,25 @@ class _InstallRequirementBackedCandidate(Candidate):
raise MetadataInconsistent(self._ireq, "version", dist.version) raise MetadataInconsistent(self._ireq, "version", dist.version)
def _prepare(self): def _prepare(self):
# type: () -> Distribution # type: () -> None
if self._dist is not None:
return
try: try:
dist = self._prepare_distribution() dist = self._prepare_distribution()
except HashError as e: except HashError as e:
# Provide HashError the underlying ireq that caused it. This
# provides context for the resulting error message to show the
# offending line to the user.
e.req = self._ireq e.req = self._ireq
raise raise
assert dist is not None, "Distribution already installed"
self._check_metadata_consistency(dist) self._check_metadata_consistency(dist)
return dist self._dist = dist
@property
def dist(self):
# type: () -> Distribution
if self._dist is None:
self._prepare()
return self._dist
def _get_requires_python_dependency(self): def _get_requires_python_dependency(self):
# type: () -> Optional[Requirement] # type: () -> Optional[Requirement]
@ -251,6 +261,7 @@ class _InstallRequirementBackedCandidate(Candidate):
def get_install_requirement(self): def get_install_requirement(self):
# type: () -> Optional[InstallRequirement] # type: () -> Optional[InstallRequirement]
self._prepare()
return self._ireq return self._ireq

View File

@ -5,8 +5,6 @@ from pip._vendor.packaging.utils import canonicalize_name
from pip._internal.exceptions import ( from pip._internal.exceptions import (
DistributionNotFound, DistributionNotFound,
InstallationError, InstallationError,
InstallationSubprocessError,
MetadataInconsistent,
UnsupportedPythonVersion, UnsupportedPythonVersion,
UnsupportedWheel, UnsupportedWheel,
) )
@ -35,7 +33,6 @@ from .requirements import (
ExplicitRequirement, ExplicitRequirement,
RequiresPythonRequirement, RequiresPythonRequirement,
SpecifierRequirement, SpecifierRequirement,
UnsatisfiableRequirement,
) )
if MYPY_CHECK_RUNNING: if MYPY_CHECK_RUNNING:
@ -97,7 +94,6 @@ class Factory(object):
self._force_reinstall = force_reinstall self._force_reinstall = force_reinstall
self._ignore_requires_python = ignore_requires_python self._ignore_requires_python = ignore_requires_python
self._build_failures = {} # type: Cache[InstallationError]
self._link_candidate_cache = {} # type: Cache[LinkCandidate] self._link_candidate_cache = {} # type: Cache[LinkCandidate]
self._editable_candidate_cache = {} # type: Cache[EditableCandidate] self._editable_candidate_cache = {} # type: Cache[EditableCandidate]
self._installed_candidate_cache = { self._installed_candidate_cache = {
@ -140,40 +136,21 @@ class Factory(object):
name, # type: Optional[str] name, # type: Optional[str]
version, # type: Optional[_BaseVersion] version, # type: Optional[_BaseVersion]
): ):
# type: (...) -> Optional[Candidate] # type: (...) -> Candidate
# TODO: Check already installed candidate, and use it if the link and # TODO: Check already installed candidate, and use it if the link and
# editable flag match. # editable flag match.
if link in self._build_failures:
# We already tried this candidate before, and it does not build.
# Don't bother trying again.
return None
if template.editable: if template.editable:
if link not in self._editable_candidate_cache: if link not in self._editable_candidate_cache:
try:
self._editable_candidate_cache[link] = EditableCandidate( self._editable_candidate_cache[link] = EditableCandidate(
link, template, factory=self, link, template, factory=self, name=name, version=version,
name=name, version=version,
) )
except (InstallationSubprocessError, MetadataInconsistent) as e:
logger.warning("Discarding %s. %s", link, e)
self._build_failures[link] = e
return None
base = self._editable_candidate_cache[link] # type: BaseCandidate base = self._editable_candidate_cache[link] # type: BaseCandidate
else: else:
if link not in self._link_candidate_cache: if link not in self._link_candidate_cache:
try:
self._link_candidate_cache[link] = LinkCandidate( self._link_candidate_cache[link] = LinkCandidate(
link, template, factory=self, link, template, factory=self, name=name, version=version,
name=name, version=version,
) )
except (InstallationSubprocessError, MetadataInconsistent) as e:
logger.warning("Discarding %s. %s", link, e)
self._build_failures[link] = e
return None
base = self._link_candidate_cache[link] base = self._link_candidate_cache[link]
if extras: if extras:
return ExtrasCandidate(base, extras) return ExtrasCandidate(base, extras)
return base return base
@ -233,16 +210,13 @@ class Factory(object):
for ican in reversed(icans): for ican in reversed(icans):
if not all_yanked and ican.link.is_yanked: if not all_yanked and ican.link.is_yanked:
continue continue
candidate = self._make_candidate_from_link( yield self._make_candidate_from_link(
link=ican.link, link=ican.link,
extras=extras, extras=extras,
template=template, template=template,
name=name, name=name,
version=ican.version, version=ican.version,
) )
if candidate is None:
continue
yield candidate
return FoundCandidates( return FoundCandidates(
iter_index_candidates, iter_index_candidates,
@ -306,16 +280,6 @@ class Factory(object):
name=canonicalize_name(ireq.name) if ireq.name else None, name=canonicalize_name(ireq.name) if ireq.name else None,
version=None, version=None,
) )
if cand is None:
# There's no way we can satisfy a URL requirement if the underlying
# candidate fails to build. An unnamed URL must be user-supplied, so
# we fail eagerly. If the URL is named, an unsatisfiable requirement
# can make the resolver do the right thing, either backtrack (and
# maybe find some other requirement that's buildable) or raise a
# ResolutionImpossible eventually.
if not ireq.name:
raise self._build_failures[ireq.link]
return UnsatisfiableRequirement(canonicalize_name(ireq.name))
return self.make_requirement_from_candidate(cand) return self.make_requirement_from_candidate(cand)
def make_requirement_from_candidate(self, candidate): def make_requirement_from_candidate(self, candidate):

View File

@ -158,44 +158,3 @@ class RequiresPythonRequirement(Requirement):
# already implements the prerelease logic, and would have filtered out # already implements the prerelease logic, and would have filtered out
# prerelease candidates if the user does not expect them. # prerelease candidates if the user does not expect them.
return self.specifier.contains(candidate.version, prereleases=True) return self.specifier.contains(candidate.version, prereleases=True)
class UnsatisfiableRequirement(Requirement):
"""A requirement that cannot be satisfied.
"""
def __init__(self, name):
# type: (str) -> None
self._name = name
def __str__(self):
# type: () -> str
return "{} (unavailable)".format(self._name)
def __repr__(self):
# type: () -> str
return "{class_name}({name!r})".format(
class_name=self.__class__.__name__,
name=str(self._name),
)
@property
def project_name(self):
# type: () -> str
return self._name
@property
def name(self):
# type: () -> str
return self._name
def format_for_error(self):
# type: () -> str
return str(self)
def get_candidate_lookup(self):
# type: () -> CandidateLookup
return None, None
def is_satisfied_by(self, candidate):
# type: (Candidate) -> bool
return False

View File

@ -7,7 +7,7 @@ import subprocess
from pip._vendor.six.moves import shlex_quote from pip._vendor.six.moves import shlex_quote
from pip._internal.cli.spinners import SpinnerInterface, open_spinner from pip._internal.cli.spinners import SpinnerInterface, open_spinner
from pip._internal.exceptions import InstallationSubprocessError from pip._internal.exceptions import InstallationError
from pip._internal.utils.compat import console_to_str, str_to_display from pip._internal.utils.compat import console_to_str, str_to_display
from pip._internal.utils.logging import subprocess_logger from pip._internal.utils.logging import subprocess_logger
from pip._internal.utils.misc import HiddenText, path_to_display from pip._internal.utils.misc import HiddenText, path_to_display
@ -233,7 +233,11 @@ def call_subprocess(
exit_status=proc.returncode, exit_status=proc.returncode,
) )
subprocess_logger.error(msg) subprocess_logger.error(msg)
raise InstallationSubprocessError(proc.returncode, command_desc) exc_msg = (
'Command errored out with exit status {}: {} '
'Check the logs for full command output.'
).format(proc.returncode, command_desc)
raise InstallationError(exc_msg)
elif on_returncode == 'warn': elif on_returncode == 'warn':
subprocess_logger.warning( subprocess_logger.warning(
'Command "%s" had error code %s in %s', 'Command "%s" had error code %s in %s',

View File

@ -1218,22 +1218,3 @@ def test_new_resolver_does_not_reinstall_when_from_a_local_index(script):
assert "Installing collected packages: simple" not in result.stdout, str(result) assert "Installing collected packages: simple" not in result.stdout, str(result)
assert "Requirement already satisfied: simple" in result.stdout, str(result) assert "Requirement already satisfied: simple" in result.stdout, str(result)
assert_installed(script, simple="0.1.0") assert_installed(script, simple="0.1.0")
def test_new_resolver_skip_inconsistent_metadata(script):
create_basic_wheel_for_package(script, "A", "1")
a_2 = create_basic_wheel_for_package(script, "A", "2")
a_2.rename(a_2.parent.joinpath("a-3-py2.py3-none-any.whl"))
result = script.pip(
"install",
"--no-cache-dir", "--no-index",
"--find-links", script.scratch_path,
"--verbose",
"A",
allow_stderr_warning=True,
)
assert " different version in metadata: '2'" in result.stderr, str(result)
assert_installed(script, a="1")

View File

@ -7,7 +7,7 @@ from textwrap import dedent
import pytest import pytest
from pip._internal.cli.spinners import SpinnerInterface from pip._internal.cli.spinners import SpinnerInterface
from pip._internal.exceptions import InstallationSubprocessError from pip._internal.exceptions import InstallationError
from pip._internal.utils.misc import hide_value from pip._internal.utils.misc import hide_value
from pip._internal.utils.subprocess import ( from pip._internal.utils.subprocess import (
call_subprocess, call_subprocess,
@ -276,7 +276,7 @@ class TestCallSubprocess(object):
command = 'print("Hello"); print("world"); exit("fail")' command = 'print("Hello"); print("world"); exit("fail")'
args, spinner = self.prepare_call(caplog, log_level, command=command) args, spinner = self.prepare_call(caplog, log_level, command=command)
with pytest.raises(InstallationSubprocessError) as exc: with pytest.raises(InstallationError) as exc:
call_subprocess(args, spinner=spinner) call_subprocess(args, spinner=spinner)
result = None result = None
exc_message = str(exc.value) exc_message = str(exc.value)
@ -360,7 +360,7 @@ class TestCallSubprocess(object):
# log level is only WARNING. # log level is only WARNING.
(0, True, None, WARNING, (None, 'done', 2)), (0, True, None, WARNING, (None, 'done', 2)),
# Test a non-zero exit status. # Test a non-zero exit status.
(3, False, None, INFO, (InstallationSubprocessError, 'error', 2)), (3, False, None, INFO, (InstallationError, 'error', 2)),
# Test a non-zero exit status also in extra_ok_returncodes. # Test a non-zero exit status also in extra_ok_returncodes.
(3, False, (3, ), INFO, (None, 'done', 2)), (3, False, (3, ), INFO, (None, 'done', 2)),
]) ])
@ -396,7 +396,7 @@ class TestCallSubprocess(object):
assert spinner.spin_count == expected_spin_count assert spinner.spin_count == expected_spin_count
def test_closes_stdin(self): def test_closes_stdin(self):
with pytest.raises(InstallationSubprocessError): with pytest.raises(InstallationError):
call_subprocess( call_subprocess(
[sys.executable, '-c', 'input()'], [sys.executable, '-c', 'input()'],
show_stdout=True, show_stdout=True,