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 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576
|
# Licensed under the LGPL: https://www.gnu.org/licenses/old-licenses/lgpl-2.1.en.html
# For details: https://github.com/pylint-dev/astroid/blob/main/LICENSE
# Copyright (c) https://github.com/pylint-dev/astroid/blob/main/CONTRIBUTORS.txt
import platform
import sys
import textwrap
import unittest
from unittest import mock
import pytest
from astroid import MANAGER, Instance, bases, manager, nodes, parse, test_utils
from astroid.builder import AstroidBuilder, _extract_single_node, extract_node
from astroid.const import PY312_PLUS
from astroid.context import InferenceContext
from astroid.exceptions import AstroidSyntaxError, InferenceError
from astroid.manager import AstroidManager
from astroid.raw_building import build_module
from astroid.util import Uninferable
from . import resources
try:
import numpy # pylint: disable=unused-import
except ImportError:
HAS_NUMPY = False
else:
HAS_NUMPY = True
class NonRegressionTests(unittest.TestCase):
def setUp(self) -> None:
sys.path.insert(0, resources.find("data"))
MANAGER.always_load_extensions = True
self.addCleanup(MANAGER.clear_cache)
def tearDown(self) -> None:
MANAGER.always_load_extensions = False
sys.path.pop(0)
sys.path_importer_cache.pop(resources.find("data"), None)
def test_manager_instance_attributes_reference_global_MANAGER(self) -> None:
for expected in (True, False):
with mock.patch.dict(
manager.AstroidManager.brain,
values={"always_load_extensions": expected},
):
assert (
MANAGER.always_load_extensions
== manager.AstroidManager.brain["always_load_extensions"]
)
with mock.patch.dict(
manager.AstroidManager.brain,
values={"optimize_ast": expected},
):
assert (
MANAGER.optimize_ast == manager.AstroidManager.brain["optimize_ast"]
)
def test_module_path(self) -> None:
man = test_utils.brainless_manager()
mod = man.ast_from_module_name("package.import_package_subpackage_module")
package = next(mod.igetattr("package"))
self.assertEqual(package.name, "package")
subpackage = next(package.igetattr("subpackage"))
self.assertIsInstance(subpackage, nodes.Module)
self.assertTrue(subpackage.package)
self.assertEqual(subpackage.name, "package.subpackage")
module = next(subpackage.igetattr("module"))
self.assertEqual(module.name, "package.subpackage.module")
def test_package_sidepackage(self) -> None:
brainless_manager = test_utils.brainless_manager()
assert "package.sidepackage" not in MANAGER.astroid_cache
package = brainless_manager.ast_from_module_name("absimp")
self.assertIsInstance(package, nodes.Module)
self.assertTrue(package.package)
subpackage = next(package.getattr("sidepackage")[0].infer())
self.assertIsInstance(subpackage, nodes.Module)
self.assertTrue(subpackage.package)
self.assertEqual(subpackage.name, "absimp.sidepackage")
def test_living_property(self) -> None:
builder = AstroidBuilder(AstroidManager())
builder._done = {}
builder._module = sys.modules[__name__]
builder.object_build(build_module("module_name", ""), Whatever)
@unittest.skipIf(not HAS_NUMPY, "Needs numpy")
def test_numpy_crash(self):
"""Test don't crash on numpy."""
# a crash occurred somewhere in the past, and an
# InferenceError instead of a crash was better, but now we even infer!
builder = AstroidBuilder(AstroidManager())
data = """
from numpy import multiply
multiply([1, 2], [3, 4])
"""
astroid = builder.string_build(data, __name__, __file__)
callfunc = astroid.body[1].value.func
inferred = callfunc.inferred()
self.assertEqual(len(inferred), 1)
@unittest.skipUnless(HAS_NUMPY and not PY312_PLUS, "Needs numpy and < Python 3.12")
def test_numpy_distutils(self):
"""Special handling of virtualenv's patching of distutils shouldn't interfere
with numpy.distutils.
PY312_PLUS -- This test will likely become unnecessary when Python 3.12 is
numpy's minimum version. (numpy.distutils will be removed then.)
"""
node = extract_node(
"""
from numpy.distutils.misc_util import is_sequence
is_sequence("ABC") #@
"""
)
inferred = node.inferred()
self.assertIsInstance(inferred[0], nodes.Const)
def test_nameconstant(self) -> None:
# used to fail for Python 3.4
builder = AstroidBuilder(AstroidManager())
astroid = builder.string_build("def test(x=True): pass")
default = astroid.body[0].args.args[0]
self.assertEqual(default.name, "x")
self.assertEqual(next(default.infer()).value, True)
def test_recursion_regression_issue25(self) -> None:
builder = AstroidBuilder(AstroidManager())
data = """
import recursion as base
_real_Base = base.Base
class Derived(_real_Base):
pass
def run():
base.Base = Derived
"""
astroid = builder.string_build(data, __name__, __file__)
# Used to crash in _is_metaclass, due to wrong
# ancestors chain
classes = astroid.nodes_of_class(nodes.ClassDef)
for klass in classes:
# triggers the _is_metaclass call
klass.type # pylint: disable=pointless-statement # noqa: B018
def test_decorator_callchain_issue42(self) -> None:
builder = AstroidBuilder(AstroidManager())
data = """
def test():
def factory(func):
def newfunc():
func()
return newfunc
return factory
@test()
def crash():
pass
"""
astroid = builder.string_build(data, __name__, __file__)
self.assertEqual(astroid["crash"].type, "function")
def test_filter_stmts_scoping(self) -> None:
builder = AstroidBuilder(AstroidManager())
data = """
def test():
compiler = int()
class B(compiler.__class__):
pass
compiler = B()
return compiler
"""
astroid = builder.string_build(data, __name__, __file__)
test = astroid["test"]
result = next(test.infer_call_result(astroid))
self.assertIsInstance(result, Instance)
base = next(result._proxied.bases[0].infer())
self.assertEqual(base.name, "int")
def test_filter_stmts_nested_if(self) -> None:
builder = AstroidBuilder(AstroidManager())
data = """
def test(val):
variable = None
if val == 1:
variable = "value"
if variable := "value":
pass
elif val == 2:
variable = "value_two"
variable = "value_two"
return variable
"""
module = builder.string_build(data, __name__, __file__)
test_func = module["test"]
result = list(test_func.infer_call_result(module))
assert len(result) == 3
assert isinstance(result[0], nodes.Const)
assert result[0].value is None
assert result[0].lineno == 3
assert isinstance(result[1], nodes.Const)
assert result[1].value == "value"
assert result[1].lineno == 7
assert isinstance(result[1], nodes.Const)
assert result[2].value == "value_two"
assert result[2].lineno == 12
def test_ancestors_patching_class_recursion(self) -> None:
node = AstroidBuilder(AstroidManager()).string_build(
textwrap.dedent(
"""
import string
Template = string.Template
class A(Template):
pass
class B(A):
pass
def test(x=False):
if x:
string.Template = A
else:
string.Template = B
"""
)
)
klass = node["A"]
ancestors = list(klass.ancestors())
self.assertEqual(ancestors[0].qname(), "string.Template")
def test_ancestors_yes_in_bases(self) -> None:
# Test for issue https://bitbucket.org/logilab/astroid/issue/84
# This used to crash astroid with a TypeError, because an Uninferable
# node was present in the bases
node = extract_node(
"""
def with_metaclass(meta, *bases):
class metaclass(meta):
def __new__(cls, name, this_bases, d):
return meta(name, bases, d)
return type.__new__(metaclass, 'temporary_class', (), {})
import lala
class A(with_metaclass(object, lala.lala)): #@
pass
"""
)
ancestors = list(node.ancestors())
self.assertEqual(len(ancestors), 1)
self.assertEqual(ancestors[0].qname(), "builtins.object")
def test_ancestors_missing_from_function(self) -> None:
# Test for https://www.logilab.org/ticket/122793
node = extract_node(
"""
def gen(): yield
GEN = gen()
next(GEN)
"""
)
self.assertRaises(InferenceError, next, node.infer())
def test_unicode_in_docstring(self) -> None:
# Crashed for astroid==1.4.1
# Test for https://bitbucket.org/logilab/astroid/issues/273/
# In a regular file, "coding: utf-8" would have been used.
node = extract_node(
f"""
from __future__ import unicode_literals
class MyClass(object):
def method(self):
"With unicode : {'’'} "
instance = MyClass()
"""
)
next(node.value.infer()).as_string()
def test_binop_generates_nodes_with_parents(self) -> None:
node = extract_node(
"""
def no_op(*args):
pass
def foo(*args):
def inner(*more_args):
args + more_args #@
return inner
"""
)
inferred = next(node.infer())
self.assertIsInstance(inferred, nodes.Tuple)
self.assertIsNotNone(inferred.parent)
self.assertIsInstance(inferred.parent, nodes.BinOp)
def test_decorator_names_inference_error_leaking(self) -> None:
node = extract_node(
"""
class Parent(object):
@property
def foo(self):
pass
class Child(Parent):
@Parent.foo.getter
def foo(self): #@
return super(Child, self).foo + ['oink']
"""
)
inferred = next(node.infer())
self.assertEqual(inferred.decoratornames(), {".Parent.foo.getter"})
def test_recursive_property_method(self) -> None:
node = extract_node(
"""
class APropert():
@property
def property(self):
return self
APropert().property
"""
)
next(node.infer())
def test_uninferable_string_argument_of_namedtuple(self) -> None:
node = extract_node(
"""
import collections
collections.namedtuple('{}'.format("a"), '')()
"""
)
next(node.infer())
def test_regression_inference_of_self_in_lambda(self) -> None:
code = """
class A:
@b(lambda self: __(self))
def d(self):
pass
"""
node = extract_node(code)
inferred = next(node.infer())
assert isinstance(inferred, Instance)
assert inferred.qname() == ".A"
def test_inference_context_consideration(self) -> None:
"""https://github.com/PyCQA/astroid/issues/1828"""
code = """
class Base:
def return_type(self):
return type(self)()
class A(Base):
def method(self):
return self.return_type()
class B(Base):
def method(self):
return self.return_type()
A().method() #@
B().method() #@
"""
node1, node2 = extract_node(code)
inferred1 = next(node1.infer())
assert inferred1.qname() == ".A"
inferred2 = next(node2.infer())
assert inferred2.qname() == ".B"
class Whatever:
a = property(lambda x: x, lambda x: x) # type: ignore[misc]
def test_ancestor_looking_up_redefined_function() -> None:
code = """
class Foo:
def _format(self):
pass
def format(self):
self.format = self._format
self.format()
Foo
"""
node = extract_node(code)
inferred = next(node.infer())
ancestor = next(inferred.ancestors())
_, found = ancestor.lookup("format")
assert len(found) == 1
assert isinstance(found[0], nodes.FunctionDef)
def test_crash_in_dunder_inference_prevented() -> None:
code = """
class MyClass():
def fu(self, objects):
delitem = dict.__delitem__.__get__(self, dict)
delitem #@
"""
inferred = next(extract_node(code).infer())
assert inferred.qname() == "builtins.dict.__delitem__"
def test_regression_crash_classmethod() -> None:
"""Regression test for a crash reported in
https://github.com/pylint-dev/pylint/issues/4982.
"""
code = """
class Base:
@classmethod
def get_first_subclass(cls):
for subclass in cls.__subclasses__():
return subclass
return object
subclass = Base.get_first_subclass()
class Another(subclass):
pass
"""
parse(code)
def test_max_inferred_for_complicated_class_hierarchy() -> None:
"""Regression test for a crash reported in
https://github.com/pylint-dev/pylint/issues/5679.
The class hierarchy of 'sqlalchemy' is so intricate that it becomes uninferable with
the standard max_inferred of 100. We used to crash when this happened.
"""
# Create module and get relevant nodes
module = resources.build_file(
str(resources.RESOURCE_PATH / "max_inferable_limit_for_classes" / "main.py")
)
init_attr_node = module.body[-1].body[0].body[0].value.func
init_object_node = module.body[-1].mro()[-1]["__init__"]
super_node = next(init_attr_node.expr.infer())
# Arbitrarily limit the max number of infered nodes per context
InferenceContext.max_inferred = -1
context = InferenceContext()
# Try to infer 'object.__init__' > because of limit is impossible
for inferred in bases._infer_stmts([init_object_node], context, frame=super):
assert inferred == Uninferable
# Reset inference limit
InferenceContext.max_inferred = 100
# Check that we don't crash on a previously uninferable node
assert super_node.getattr("__init__", context=context)[0] == Uninferable
@mock.patch(
"astroid.nodes.ImportFrom._infer",
side_effect=RecursionError,
)
def test_recursion_during_inference(mocked) -> None:
"""Check that we don't crash if we hit the recursion limit during inference."""
node: nodes.Call = _extract_single_node(
"""
from module import something
something()
"""
)
with pytest.raises(InferenceError) as error:
next(node.infer())
assert error.value.message.startswith("RecursionError raised")
def test_regression_missing_callcontext() -> None:
node: nodes.Attribute = _extract_single_node(
textwrap.dedent(
"""
import functools
class MockClass:
def _get_option(self, option):
return "mystr"
enabled = property(functools.partial(_get_option, option='myopt'))
MockClass().enabled
"""
)
)
assert node.inferred()[0].value == "mystr"
def test_regression_root_is_not_a_module() -> None:
"""Regression test for #2672."""
node: nodes.ClassDef = _extract_single_node(
textwrap.dedent(
"""
a=eval.__get__(1).__gt__
@a
class c: ...
"""
)
)
assert node.name == "c"
@pytest.mark.xfail(reason="Not fixed yet")
def test_regression_eval_get_of_arg() -> None:
"""Regression test for #2743"""
node = _extract_single_node("eval.__get__(1)")
with pytest.raises(InferenceError):
next(node.infer())
def test_regression_no_crash_during_build() -> None:
node: nodes.Attribute = extract_node("__()")
assert node.args == []
assert node.as_string() == "__()"
def test_regression_no_crash_on_called_slice() -> None:
"""Regression test for issue #2721."""
node: nodes.Attribute = extract_node(
textwrap.dedent(
"""
s = slice(-2)
@s()
@six.add_metaclass()
class a: ...
"""
)
)
assert isinstance(node, nodes.ClassDef)
assert node.name == "a"
def test_regression_infer_dict_literal_comparison_uninferable() -> None:
"""Regression test for issue #2522."""
node = extract_node("{{}}>0")
inferred = next(node.infer())
assert inferred.value == Uninferable
def test_regression_infer_namedtuple_invalid_fieldname_error() -> None:
"""Regression test for issue #2519."""
code = """
from collections import namedtuple
namedtuple('a','}')
"""
node = extract_node(code)
inferred = next(node.infer())
assert inferred.value == Uninferable
def test_regression_parse_deeply_nested_parentheses() -> None:
"""Regression test for issue #2643."""
with pytest.raises(AstroidSyntaxError, match="Parsing Python code failed:") as ctx:
extract_node(
"A=((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((c,j=t"
)
expected = (
SyntaxError if platform.python_implementation() == "PyPy" else MemoryError
)
assert isinstance(ctx.value.error, expected)
|