Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Partially fixes issue 8625 #8876

Open
wants to merge 7 commits into
base: master
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
45 changes: 43 additions & 2 deletions mypy/plugins/attrs.py
Original file line number Diff line number Diff line change
Expand Up @@ -6,6 +6,8 @@
from typing_extensions import Final

import mypy.plugin # To avoid circular imports.
from mypy.constraints import infer_constraints, SUBTYPE_OF
from mypy.expandtype import expand_type
from mypy.exprtotype import expr_to_unanalyzed_type, TypeTranslationError
from mypy.fixup import lookup_qualified_stnode
from mypy.nodes import (
Expand All @@ -18,6 +20,7 @@
from mypy.plugins.common import (
_get_argument, _get_bool_argument, _get_decorator_bool_argument, add_method
)
from mypy.solve import solve_constraints
from mypy.types import (
Type, AnyType, TypeOfAny, CallableType, NoneType, TypeVarDef, TypeVarType,
Overloaded, UnionType, FunctionLike, get_proper_type
Expand Down Expand Up @@ -57,6 +60,43 @@ def __init__(self,
self.is_attr_converters_optional = is_attr_converters_optional


def expand_arg_type(
callable_type: CallableType,
target_type: Optional[Type],
) -> Type:
# The result is based on the type of the first argument of the callable
arg_type = get_proper_type(callable_type.arg_types[0])
ret_type = get_proper_type(callable_type.ret_type)
target_type = get_proper_type(target_type)
if target_type is None:
target_type = AnyType(TypeOfAny.unannotated)

if ret_type == target_type or isinstance(ret_type, AnyType):
# If the callable has the exact same return type as the target
# we can directly return the type of the first argument.
# This is also the case if the return type is `Any`.
return arg_type

# Find the constraints on the type vars given that the result must be a
# subtype of the target type.
constraints = infer_constraints(ret_type, target_type, SUBTYPE_OF)
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The relevant plugin hook gets called during semantic analysis, and solving constraints is unfortunately not supported during semantic analysis, since some type definitions may be incomplete. (This is pretty confusing since most simple cases work just fine, but this will fail in some edge cases.)

Basically this would need to be implemented without using any non-trivial type operations, perhaps by hard coding the behavior for a set of builtin collections.

Copy link
Contributor Author

@markusschmaus markusschmaus Jun 8, 2020

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I am aware that when this gets called with a user defined converter with type variables the type definition is incomplete and doesn't contain enough information to actually solve the issue. However for builtin collections there is enough information available.

I started out by hard coding the behavior for a set of common builtin collections as you are suggesting, but soon realized that the code I was writing was identical to infer_constraints and that for builtin collections it works as long as I manually construct the list of type variables (type_var_ids = list({const.type_var for const in constraints})).

That's why this is a partial fix. But it since this works for builtin collections, it does address the most important use case. And for all other instances it fails no worse than before.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

@JukkaL Would this PR be acceptable for you if I duplicated the code of infer_constraints in a separate function to avoid any code coupling? As you say, we cannot solve this issue in general because when the plugin hook gets called type definitions may be incomplete, but we can solve this for this for builtin collections, and this PR does exactly that.

# When this code gets run, callable_type.variables has not yet been
# properly initialized, so we instead simply construct a set of all unique
# type var ids in the constraints
type_var_ids = list({const.type_var for const in constraints})
# Now we get the best solutions for these constraints
solutions = solve_constraints(type_var_ids, constraints)
type_map = {
tid: sol
for tid, sol in zip(type_var_ids, solutions)
if sol is not None
}

# Now we can use these solutions to expand the generic arg type into a
# concrete type
return expand_type(arg_type, type_map)


class Attribute:
"""The value of an attr.ib() call."""

Expand Down Expand Up @@ -94,10 +134,11 @@ def argument(self, ctx: 'mypy.plugin.ClassDefContext') -> Argument:
elif converter and converter.type:
converter_type = converter.type

orig_type = init_type
init_type = None
converter_type = get_proper_type(converter_type)
if isinstance(converter_type, CallableType) and converter_type.arg_types:
init_type = ctx.api.anal_type(converter_type.arg_types[0])
init_type = ctx.api.anal_type(expand_arg_type(converter_type, orig_type))
elif isinstance(converter_type, Overloaded):
types = [] # type: List[Type]
for item in converter_type.items():
Expand All @@ -107,7 +148,7 @@ def argument(self, ctx: 'mypy.plugin.ClassDefContext') -> Argument:
continue
if num_arg_types > 1 and any(kind == ARG_POS for kind in item.arg_kinds[1:]):
continue
types.append(item.arg_types[0])
types.append(expand_arg_type(item, orig_type))
# Make a union of all the valid types.
if types:
args = make_simplified_union(types)
Expand Down
37 changes: 37 additions & 0 deletions test-data/unit/check-attr.test
Original file line number Diff line number Diff line change
Expand Up @@ -714,6 +714,43 @@ reveal_type(A) # N: Revealed type is 'def (x: builtins.int) -> __main__.A'
reveal_type(A(15).x) # N: Revealed type is 'builtins.str'
[builtins fixtures/list.pyi]

[case testAttrsUsingTupleConverter]
from typing import Tuple
import attr

@attr.s
class C:
t: Tuple[int, ...] = attr.ib(converter=tuple)

o = C([1, 2, 3])
o = C(['a']) # E: List item 0 has incompatible type "str"; expected "int"
[builtins fixtures/attr.pyi]

[case testAttrsUsingListConverter]
from typing import List
import attr

@attr.s
class C:
t: List[int] = attr.ib(converter=list)

o = C([1, 2, 3])
o = C(['a']) # E: List item 0 has incompatible type "str"; expected "int"
[builtins fixtures/list.pyi]

[case testAttrsUsingDictConverter]
from typing import Dict
import attr

@attr.s
class C(object):
values = attr.ib(type=Dict[str, int], converter=dict)


C(values=[('a', 1), ('b', 2)])
C(values=[(1, 'a')]) # E: List item 0 has incompatible type "Tuple[int, str]"; expected "Tuple[str, int]"
[builtins fixtures/dict.pyi]

[case testAttrsUsingConverterWithTypes]
from typing import overload
import attr
Expand Down
22 changes: 21 additions & 1 deletion test-data/unit/fixtures/attr.pyi
Original file line number Diff line number Diff line change
@@ -1,5 +1,7 @@
# Builtins stub used to support @attr.s tests.
from typing import Union, overload
from typing import Union, overload, Sequence, Generic, TypeVar, Iterable, \
Tuple, Iterator


class object:
def __init__(self) -> None: pass
Expand All @@ -22,6 +24,24 @@ class complex:
@overload
def __init__(self, real: str = ...) -> None: ...

Tco = TypeVar('Tco', covariant=True)

class tuple(Sequence[Tco], Generic[Tco]):
@overload
def __init__(self) -> None: pass
@overload
def __init__(self, x: Iterable[Tco]) -> None: pass
def __iter__(self) -> Iterator[Tco]: pass
def __contains__(self, item: object) -> bool: pass
def __getitem__(self, x: int) -> Tco: pass
def __rmul__(self, n: int) -> Tuple[Tco, ...]: pass
def __add__(self, x: Tuple[Tco, ...]) -> Tuple[Tco, ...]: pass
def count(self, obj: object) -> int: pass

T = TypeVar('T')

class list(Sequence[T], Generic[T]): pass

class str: pass
class unicode: pass
class ellipsis: pass