diff --git a/mypy/checker.py b/mypy/checker.py index 851f23185f4f..31dcf985200b 100644 --- a/mypy/checker.py +++ b/mypy/checker.py @@ -4089,36 +4089,57 @@ def visit_match_stmt(self, s: MatchStmt) -> None: if isinstance(subject_type, DeletedType): self.msg.deleted_as_rvalue(subject_type, s) + # We infer types of patterns twice. The first pass is used + # to infer the types of capture variables. The type of a + # capture variable may depend on multiple patterns (it + # will be a union of all capture types). This pass ignores + # guard expressions. pattern_types = [self.pattern_checker.accept(p, subject_type) for p in s.patterns] - type_maps: List[TypeMap] = [t.captures for t in pattern_types] - self.infer_variable_types_from_type_maps(type_maps) + inferred_types = self.infer_variable_types_from_type_maps(type_maps) - for pattern_type, g, b in zip(pattern_types, s.guards, s.bodies): + # The second pass narrows down the types and type checks bodies. + for p, g, b in zip(s.patterns, s.guards, s.bodies): + current_subject_type = self.expr_checker.narrow_type_from_binder(s.subject, + subject_type) + pattern_type = self.pattern_checker.accept(p, current_subject_type) with self.binder.frame_context(can_skip=True, fall_through=2): if b.is_unreachable or isinstance(get_proper_type(pattern_type.type), UninhabitedType): self.push_type_map(None) + else_map: TypeMap = {} else: - self.binder.put(s.subject, pattern_type.type) + pattern_map, else_map = conditional_types_to_typemaps( + s.subject, + pattern_type.type, + pattern_type.rest_type + ) + self.remove_capture_conflicts(pattern_type.captures, + inferred_types) + self.push_type_map(pattern_map) self.push_type_map(pattern_type.captures) if g is not None: - gt = get_proper_type(self.expr_checker.accept(g)) + with self.binder.frame_context(can_skip=True, fall_through=3): + gt = get_proper_type(self.expr_checker.accept(g)) - if isinstance(gt, DeletedType): - self.msg.deleted_as_rvalue(gt, s) + if isinstance(gt, DeletedType): + self.msg.deleted_as_rvalue(gt, s) - if_map, _ = self.find_isinstance_check(g) + guard_map, guard_else_map = self.find_isinstance_check(g) + else_map = or_conditional_maps(else_map, guard_else_map) - self.push_type_map(if_map) - self.accept(b) + self.push_type_map(guard_map) + self.accept(b) + else: + self.accept(b) + self.push_type_map(else_map) # This is needed due to a quirk in frame_context. Without it types will stay narrowed # after the match. with self.binder.frame_context(can_skip=False, fall_through=2): pass - def infer_variable_types_from_type_maps(self, type_maps: List[TypeMap]) -> None: + def infer_variable_types_from_type_maps(self, type_maps: List[TypeMap]) -> Dict[Var, Type]: all_captures: Dict[Var, List[Tuple[NameExpr, Type]]] = defaultdict(list) for tm in type_maps: if tm is not None: @@ -4128,28 +4149,38 @@ def infer_variable_types_from_type_maps(self, type_maps: List[TypeMap]) -> None: assert isinstance(node, Var) all_captures[node].append((expr, typ)) + inferred_types: Dict[Var, Type] = {} for var, captures in all_captures.items(): - conflict = False + already_exists = False types: List[Type] = [] for expr, typ in captures: types.append(typ) - previous_type, _, inferred = self.check_lvalue(expr) + previous_type, _, _ = self.check_lvalue(expr) if previous_type is not None: - conflict = True - self.check_subtype(typ, previous_type, expr, - msg=message_registry.INCOMPATIBLE_TYPES_IN_CAPTURE, - subtype_label="pattern captures type", - supertype_label="variable has type") - for type_map in type_maps: - if type_map is not None and expr in type_map: - del type_map[expr] - - if not conflict: + already_exists = True + if self.check_subtype(typ, previous_type, expr, + msg=message_registry.INCOMPATIBLE_TYPES_IN_CAPTURE, + subtype_label="pattern captures type", + supertype_label="variable has type"): + inferred_types[var] = previous_type + + if not already_exists: new_type = UnionType.make_union(types) # Infer the union type at the first occurrence first_occurrence, _ = captures[0] + inferred_types[var] = new_type self.infer_variable_type(var, first_occurrence, new_type, first_occurrence) + return inferred_types + + def remove_capture_conflicts(self, type_map: TypeMap, inferred_types: Dict[Var, Type]) -> None: + if type_map: + for expr, typ in list(type_map.items()): + if isinstance(expr, NameExpr): + node = expr.node + assert isinstance(node, Var) + if node not in inferred_types or not is_subtype(typ, inferred_types[node]): + del type_map[expr] def make_fake_typeinfo(self, curr_module_fullname: str, @@ -5637,6 +5668,14 @@ def conditional_types(current_type: Type, None means no new information can be inferred. If default is set it is returned instead.""" if proposed_type_ranges: + if len(proposed_type_ranges) == 1: + target = proposed_type_ranges[0].item + target = get_proper_type(target) + if isinstance(target, LiteralType) and (target.is_enum_literal() + or isinstance(target.value, bool)): + enum_name = target.fallback.type.fullname + current_type = try_expanding_sum_type_to_union(current_type, + enum_name) proposed_items = [type_range.item for type_range in proposed_type_ranges] proposed_type = make_simplified_union(proposed_items) if isinstance(proposed_type, AnyType): diff --git a/mypy/checkpattern.py b/mypy/checkpattern.py index fbbb4c319ccb..9c6e67db03e1 100644 --- a/mypy/checkpattern.py +++ b/mypy/checkpattern.py @@ -1,4 +1,5 @@ """Pattern checker. This file is conceptually part of TypeChecker.""" + from collections import defaultdict from typing import List, Optional, Tuple, Dict, NamedTuple, Set, Union from typing_extensions import Final @@ -19,7 +20,8 @@ ) from mypy.plugin import Plugin from mypy.subtypes import is_subtype -from mypy.typeops import try_getting_str_literals_from_type, make_simplified_union +from mypy.typeops import try_getting_str_literals_from_type, make_simplified_union, \ + coerce_to_literal from mypy.types import ( ProperType, AnyType, TypeOfAny, Instance, Type, UninhabitedType, get_proper_type, TypedDictType, TupleType, NoneType, UnionType @@ -55,7 +57,7 @@ 'PatternType', [ ('type', Type), # The type the match subject can be narrowed to - ('rest_type', Type), # For exhaustiveness checking. Not used yet + ('rest_type', Type), # The remaining type if the pattern didn't match ('captures', Dict[Expression, Type]), # The variables captured by the pattern ]) @@ -177,6 +179,7 @@ def visit_or_pattern(self, o: OrPattern) -> PatternType: def visit_value_pattern(self, o: ValuePattern) -> PatternType: current_type = self.type_context[-1] typ = self.chk.expr_checker.accept(o.expr) + typ = coerce_to_literal(typ) narrowed_type, rest_type = self.chk.conditional_types_with_intersection( current_type, [get_type_range(typ)], @@ -259,6 +262,9 @@ def visit_sequence_pattern(self, o: SequencePattern) -> PatternType: new_inner_types = self.expand_starred_pattern_types(contracted_new_inner_types, star_position, len(inner_types)) + rest_inner_types = self.expand_starred_pattern_types(contracted_rest_inner_types, + star_position, + len(inner_types)) # # Calculate new type @@ -287,15 +293,20 @@ def visit_sequence_pattern(self, o: SequencePattern) -> PatternType: if all(is_uninhabited(typ) for typ in inner_rest_types): # All subpatterns always match, so we can apply negative narrowing - new_type, rest_type = self.chk.conditional_types_with_intersection( - current_type, [get_type_range(new_type)], o, default=current_type - ) + rest_type = TupleType(rest_inner_types, current_type.partial_fallback) else: new_inner_type = UninhabitedType() for typ in new_inner_types: new_inner_type = join_types(new_inner_type, typ) new_type = self.construct_sequence_child(current_type, new_inner_type) - if not is_subtype(new_type, current_type): + if is_subtype(new_type, current_type): + new_type, _ = self.chk.conditional_types_with_intersection( + current_type, + [get_type_range(new_type)], + o, + default=current_type + ) + else: new_type = current_type return PatternType(new_type, rest_type, captures) @@ -344,8 +355,7 @@ def expand_starred_pattern_types(self, star_pos: Optional[int], num_types: int ) -> List[Type]: - """ - Undoes the contraction done by contract_starred_pattern_types. + """Undoes the contraction done by contract_starred_pattern_types. For example if the sequence pattern is [a, *b, c] and types [bool, int, str] are extended to lenght 4 the result is [bool, int, int, str]. @@ -639,6 +649,13 @@ def construct_sequence_child(self, outer_type: Type, inner_type: Type) -> Type: For example: construct_sequence_child(List[int], str) = List[str] """ + proper_type = get_proper_type(outer_type) + if isinstance(proper_type, UnionType): + types = [ + self.construct_sequence_child(item, inner_type) for item in proper_type.items + if self.can_match_sequence(get_proper_type(item)) + ] + return make_simplified_union(types) sequence = self.chk.named_generic_type("typing.Sequence", [inner_type]) if is_subtype(outer_type, self.chk.named_type("typing.Sequence")): proper_type = get_proper_type(outer_type) @@ -676,6 +693,11 @@ def get_var(expr: Expression) -> Var: def get_type_range(typ: Type) -> 'mypy.checker.TypeRange': + typ = get_proper_type(typ) + if (isinstance(typ, Instance) + and typ.last_known_value + and isinstance(typ.last_known_value.value, bool)): + typ = typ.last_known_value return mypy.checker.TypeRange(typ, is_upper_bound=False) diff --git a/mypy/patterns.py b/mypy/patterns.py index 8557fac6daf6..f7f5f56d0ed5 100644 --- a/mypy/patterns.py +++ b/mypy/patterns.py @@ -21,6 +21,7 @@ def accept(self, visitor: PatternVisitor[T]) -> T: class AsPattern(Pattern): + """The pattern as """ # The python ast, and therefore also our ast merges capture, wildcard and as patterns into one # for easier handling. # If pattern is None this is a capture pattern. If name and pattern are both none this is a @@ -39,6 +40,7 @@ def accept(self, visitor: PatternVisitor[T]) -> T: class OrPattern(Pattern): + """The pattern | | ...""" patterns: List[Pattern] def __init__(self, patterns: List[Pattern]) -> None: @@ -50,6 +52,7 @@ def accept(self, visitor: PatternVisitor[T]) -> T: class ValuePattern(Pattern): + """The pattern x.y (or x.y.z, ...)""" expr: Expression def __init__(self, expr: Expression): @@ -73,6 +76,7 @@ def accept(self, visitor: PatternVisitor[T]) -> T: class SequencePattern(Pattern): + """The pattern [, ...]""" patterns: List[Pattern] def __init__(self, patterns: List[Pattern]): @@ -114,6 +118,7 @@ def accept(self, visitor: PatternVisitor[T]) -> T: class ClassPattern(Pattern): + """The pattern Cls(...)""" class_ref: RefExpr positionals: List[Pattern] keyword_keys: List[str] diff --git a/test-data/unit/check-python310.test b/test-data/unit/check-python310.test index 0d4f46d53924..9d56aeb468f7 100644 --- a/test-data/unit/check-python310.test +++ b/test-data/unit/check-python310.test @@ -1,5 +1,6 @@ -- Capture Pattern -- -[case testCapturePatternType] + +[case testMatchCapturePatternType] class A: ... m: A @@ -7,23 +8,24 @@ match m: case a: reveal_type(a) # N: Revealed type is "__main__.A" - -- Literal Pattern -- -[case testLiteralPatternNarrows] + +[case testMatchLiteralPatternNarrows] m: object match m: case 1: - reveal_type(m) # N: Revealed type is "Literal[1]?" + reveal_type(m) # N: Revealed type is "Literal[1]" -[case testLiteralPatternAlreadyNarrower] +[case testMatchLiteralPatternAlreadyNarrower-skip] m: bool match m: case 1: - reveal_type(m) # N: Revealed type is "builtins.bool" + reveal_type(m) # This should probably be unreachable, but isn't detected as such. +[builtins fixtures/primitives.pyi] -[case testLiteralPatternUnreachable] +[case testMatchLiteralPatternUnreachable] # primitives are needed because otherwise mypy doesn't see that int and str are incompatible m: int @@ -32,9 +34,9 @@ match m: reveal_type(m) [builtins fixtures/primitives.pyi] - -- Value Pattern -- -[case testValuePatternNarrows] + +[case testMatchValuePatternNarrows] import b m: object @@ -44,7 +46,7 @@ match m: [file b.py] b: int -[case testValuePatternAlreadyNarrower] +[case testMatchValuePatternAlreadyNarrower] import b m: bool @@ -54,7 +56,7 @@ match m: [file b.py] b: int -[case testValuePatternIntersect] +[case testMatchValuePatternIntersect] import b class A: ... @@ -62,12 +64,12 @@ m: A match m: case b.b: - reveal_type(m) # N: Revealed type is "__main__." + reveal_type(m) # N: Revealed type is "__main__.1" [file b.py] class B: ... b: B -[case testValuePatternUnreachable] +[case testMatchValuePatternUnreachable] # primitives are needed because otherwise mypy doesn't see that int and str are incompatible import b @@ -80,9 +82,9 @@ match m: b: str [builtins fixtures/primitives.pyi] - -- Sequence Pattern -- -[case testSequencePatternCaptures] + +[case testMatchSequencePatternCaptures] from typing import List m: List[int] @@ -91,7 +93,7 @@ match m: reveal_type(a) # N: Revealed type is "builtins.int*" [builtins fixtures/list.pyi] -[case testSequencePatternCapturesStarred] +[case testMatchSequencePatternCapturesStarred] from typing import Sequence m: Sequence[int] @@ -101,7 +103,7 @@ match m: reveal_type(b) # N: Revealed type is "builtins.list[builtins.int*]" [builtins fixtures/list.pyi] -[case testSequencePatternNarrowsInner] +[case testMatchSequencePatternNarrowsInner] from typing import Sequence m: Sequence[object] @@ -109,7 +111,7 @@ match m: case [1, True]: reveal_type(m) # N: Revealed type is "typing.Sequence[builtins.int]" -[case testSequencePatternNarrowsOuter] +[case testMatchSequencePatternNarrowsOuter] from typing import Sequence m: object @@ -117,7 +119,7 @@ match m: case [1, True]: reveal_type(m) # N: Revealed type is "typing.Sequence[builtins.int]" -[case testSequencePatternAlreadyNarrowerInner] +[case testMatchSequencePatternAlreadyNarrowerInner] from typing import Sequence m: Sequence[bool] @@ -125,7 +127,7 @@ match m: case [1, True]: reveal_type(m) # N: Revealed type is "typing.Sequence[builtins.bool]" -[case testSequencePatternAlreadyNarrowerOuter] +[case testMatchSequencePatternAlreadyNarrowerOuter] from typing import Sequence m: Sequence[object] @@ -133,7 +135,7 @@ match m: case [1, True]: reveal_type(m) # N: Revealed type is "typing.Sequence[builtins.int]" -[case testSequencePatternAlreadyNarrowerBoth] +[case testMatchSequencePatternAlreadyNarrowerBoth] from typing import Sequence m: Sequence[bool] @@ -141,7 +143,7 @@ match m: case [1, True]: reveal_type(m) # N: Revealed type is "typing.Sequence[builtins.bool]" -[case testNestedSequencePatternNarrowsInner] +[case testMatchNestedSequencePatternNarrowsInner] from typing import Sequence m: Sequence[Sequence[object]] @@ -149,7 +151,7 @@ match m: case [[1], [True]]: reveal_type(m) # N: Revealed type is "typing.Sequence[typing.Sequence[builtins.int]]" -[case testNestedSequencePatternNarrowsOuter] +[case testMatchNestedSequencePatternNarrowsOuter] from typing import Sequence m: object @@ -157,7 +159,7 @@ match m: case [[1], [True]]: reveal_type(m) # N: Revealed type is "typing.Sequence[typing.Sequence[builtins.int]]" -[case testSequencePatternDoesntNarrowInvariant] +[case testMatchSequencePatternDoesntNarrowInvariant] from typing import List m: List[object] @@ -166,7 +168,7 @@ match m: reveal_type(m) # N: Revealed type is "builtins.list[builtins.object]" [builtins fixtures/list.pyi] -[case testSequencePatternMatches] +[case testMatchSequencePatternMatches] import array, collections from typing import Sequence, Iterable @@ -229,8 +231,7 @@ match m11: [builtins fixtures/primitives.pyi] [typing fixtures/typing-full.pyi] - -[case testSequencePatternCapturesTuple] +[case testMatchSequencePatternCapturesTuple] from typing import Tuple m: Tuple[int, str, bool] @@ -242,7 +243,7 @@ match m: reveal_type(m) # N: Revealed type is "Tuple[builtins.int, builtins.str, builtins.bool]" [builtins fixtures/list.pyi] -[case testSequencePatternTupleTooLong] +[case testMatchSequencePatternTupleTooLong] from typing import Tuple m: Tuple[int, str] @@ -253,7 +254,7 @@ match m: reveal_type(c) [builtins fixtures/list.pyi] -[case testSequencePatternTupleTooShort] +[case testMatchSequencePatternTupleTooShort] from typing import Tuple m: Tuple[int, str, bool] @@ -263,16 +264,16 @@ match m: reveal_type(b) [builtins fixtures/list.pyi] -[case testSequencePatternTupleNarrows] +[case testMatchSequencePatternTupleNarrows] from typing import Tuple m: Tuple[object, object] match m: case [1, "str"]: - reveal_type(m) # N: Revealed type is "Tuple[Literal[1]?, Literal['str']?]" + reveal_type(m) # N: Revealed type is "Tuple[Literal[1], Literal['str']]" [builtins fixtures/list.pyi] -[case testSequencePatternTupleStarred] +[case testMatchSequencePatternTupleStarred] from typing import Tuple m: Tuple[int, str, bool] @@ -284,7 +285,7 @@ match m: reveal_type(m) # N: Revealed type is "Tuple[builtins.int, builtins.str, builtins.bool]" [builtins fixtures/list.pyi] -[case testSequencePatternTupleStarredUnion] +[case testMatchSequencePatternTupleStarredUnion] from typing import Tuple m: Tuple[int, str, float, bool] @@ -296,8 +297,7 @@ match m: reveal_type(m) # N: Revealed type is "Tuple[builtins.int, builtins.str, builtins.float, builtins.bool]" [builtins fixtures/list.pyi] - -[case testSequencePatternTupleStarredTooShort] +[case testMatchSequencePatternTupleStarredTooShort] from typing import Tuple m: Tuple[int] reveal_type(m) # N: Revealed type is "Tuple[builtins.int]" @@ -309,7 +309,7 @@ match m: reveal_type(c) [builtins fixtures/list.pyi] -[case testNonMatchingSequencePattern] +[case testMatchNonMatchingSequencePattern] from typing import List x: List[int] @@ -317,7 +317,7 @@ match x: case [str()]: pass -[case testSequenceUnion-skip] +[case testMatchSequenceUnion-skip] from typing import List, Union m: Union[List[List[str]], str] @@ -327,7 +327,8 @@ match m: [builtins fixtures/list.pyi] -- Mapping Pattern -- -[case testMappingPatternCaptures] + +[case testMatchMappingPatternCaptures] from typing import Dict import b m: Dict[str, int] @@ -341,7 +342,7 @@ match m: b: str [builtins fixtures/dict.pyi] -[case testMappingPatternCapturesWrongKeyType] +[case testMatchMappingPatternCapturesWrongKeyType] # This is not actually unreachable, as a subclass of dict could accept keys with different types from typing import Dict import b @@ -356,7 +357,7 @@ match m: b: int [builtins fixtures/dict.pyi] -[case testMappingPatternCapturesTypedDict] +[case testMatchMappingPatternCapturesTypedDict] from typing import TypedDict class A(TypedDict): @@ -377,7 +378,7 @@ match m: reveal_type(v5) # N: Revealed type is "builtins.object*" [typing fixtures/typing-typeddict.pyi] -[case testMappingPatternCapturesTypedDictWithLiteral] +[case testMatchMappingPatternCapturesTypedDictWithLiteral] from typing import TypedDict import b @@ -404,7 +405,7 @@ b: Literal["b"] = "b" o: Final[str] = "o" [typing fixtures/typing-typeddict.pyi] -[case testMappingPatternCapturesTypedDictWithNonLiteral] +[case testMatchMappingPatternCapturesTypedDictWithNonLiteral] from typing import TypedDict import b @@ -422,7 +423,7 @@ from typing import Final, Literal a: str [typing fixtures/typing-typeddict.pyi] -[case testMappingPatternCapturesTypedDictUnreachable] +[case testMatchMappingPatternCapturesTypedDictUnreachable] # TypedDict keys are always str, so this is actually unreachable from typing import TypedDict import b @@ -442,7 +443,7 @@ match m: b: int [typing fixtures/typing-typeddict.pyi] -[case testMappingPatternCaptureRest] +[case testMatchMappingPatternCaptureRest] m: object match m: @@ -450,7 +451,7 @@ match m: reveal_type(r) # N: Revealed type is "builtins.dict[builtins.object, builtins.object]" [builtins fixtures/dict.pyi] -[case testMappingPatternCaptureRestFromMapping] +[case testMatchMappingPatternCaptureRestFromMapping] from typing import Mapping m: Mapping[str, int] @@ -460,10 +461,11 @@ match m: reveal_type(r) # N: Revealed type is "builtins.dict[builtins.str*, builtins.int*]" [builtins fixtures/dict.pyi] --- Mapping patterns currently don't narrow -- +-- Mapping patterns currently do not narrow -- -- Class Pattern -- -[case testClassPatternCapturePositional] + +[case testMatchClassPatternCapturePositional] from typing import Final class A: @@ -479,7 +481,7 @@ match m: reveal_type(j) # N: Revealed type is "builtins.int" [builtins fixtures/tuple.pyi] -[case testClassPatternMemberClassCapturePositional] +[case testMatchClassPatternMemberClassCapturePositional] import b m: b.A @@ -497,7 +499,7 @@ class A: b: int [builtins fixtures/tuple.pyi] -[case testClassPatternCaptureKeyword] +[case testMatchClassPatternCaptureKeyword] class A: a: str b: int @@ -509,7 +511,7 @@ match m: reveal_type(i) # N: Revealed type is "builtins.str" reveal_type(j) # N: Revealed type is "builtins.int" -[case testClassPatternCaptureSelf] +[case testMatchClassPatternCaptureSelf] m: object match m: @@ -537,7 +539,7 @@ match m: reveal_type(k) # N: Revealed type is "builtins.tuple[Any, ...]" [builtins fixtures/primitives.pyi] -[case testClassPatternNarrowSelfCapture] +[case testMatchClassPatternNarrowSelfCapture] m: object match m: @@ -565,7 +567,7 @@ match m: reveal_type(m) # N: Revealed type is "builtins.tuple[Any, ...]" [builtins fixtures/primitives.pyi] -[case testClassPatternCaptureDataclass] +[case testMatchClassPatternCaptureDataclass] from dataclasses import dataclass @dataclass @@ -581,7 +583,7 @@ match m: reveal_type(j) # N: Revealed type is "builtins.int" [builtins fixtures/dataclasses.pyi] -[case testClassPatternCaptureDataclassNoMatchArgs] +[case testMatchClassPatternCaptureDataclassNoMatchArgs] from dataclasses import dataclass @dataclass(match_args=False) @@ -596,7 +598,7 @@ match m: pass [builtins fixtures/dataclasses.pyi] -[case testClassPatternCaptureDataclassPartialMatchArgs] +[case testMatchClassPatternCaptureDataclassPartialMatchArgs] from dataclasses import dataclass, field @dataclass @@ -613,7 +615,7 @@ match m: reveal_type(k) # N: Revealed type is "builtins.str" [builtins fixtures/dataclasses.pyi] -[case testClassPatternCaptureNamedTupleInline] +[case testMatchClassPatternCaptureNamedTupleInline] from collections import namedtuple A = namedtuple("A", ["a", "b"]) @@ -626,7 +628,7 @@ match m: reveal_type(j) # N: Revealed type is "Any" [builtins fixtures/list.pyi] -[case testClassPatternCaptureNamedTupleInlineTyped] +[case testMatchClassPatternCaptureNamedTupleInlineTyped] from typing import NamedTuple A = NamedTuple("A", [("a", str), ("b", int)]) @@ -639,7 +641,7 @@ match m: reveal_type(j) # N: Revealed type is "builtins.int" [builtins fixtures/list.pyi] -[case testClassPatternCaptureNamedTupleClass] +[case testMatchClassPatternCaptureNamedTupleClass] from typing import NamedTuple class A(NamedTuple): @@ -654,7 +656,7 @@ match m: reveal_type(j) # N: Revealed type is "builtins.int" [builtins fixtures/tuple.pyi] -[case testClassPatternCaptureGeneric] +[case testMatchClassPatternCaptureGeneric] from typing import Generic, TypeVar T = TypeVar('T') @@ -669,7 +671,7 @@ match m: reveal_type(m) # N: Revealed type is "__main__.A[Any]" reveal_type(i) # N: Revealed type is "Any" -[case testClassPatternCaptureGenericAlreadyKnown] +[case testMatchClassPatternCaptureGenericAlreadyKnown] from typing import Generic, TypeVar T = TypeVar('T') @@ -684,7 +686,7 @@ match m: reveal_type(m) # N: Revealed type is "__main__.A[builtins.int]" reveal_type(i) # N: Revealed type is "builtins.int*" -[case testClassPatternCaptureFilledGenericTypeAlias] +[case testMatchClassPatternCaptureFilledGenericTypeAlias] from typing import Generic, TypeVar T = TypeVar('T') @@ -700,7 +702,7 @@ match m: case B(a=i): # E: Class pattern class must not be a type alias with type parameters reveal_type(i) -[case testClassPatternCaptureGenericTypeAlias] +[case testMatchClassPatternCaptureGenericTypeAlias] from typing import Generic, TypeVar T = TypeVar('T') @@ -716,7 +718,7 @@ match m: case B(a=i): pass -[case testClassPatternNarrows] +[case testMatchClassPatternNarrows] from typing import Final class A: @@ -733,7 +735,7 @@ match m: reveal_type(m) # N: Revealed type is "__main__.A" [builtins fixtures/tuple.pyi] -[case testClassPatternNarrowsUnion] +[case testMatchClassPatternNarrowsUnion] from typing import Final, Union class A: @@ -769,7 +771,7 @@ match m: reveal_type(l) # N: Revealed type is "builtins.str" [builtins fixtures/tuple.pyi] -[case testClassPatternAlreadyNarrower] +[case testMatchClassPatternAlreadyNarrower] from typing import Final class A: @@ -789,7 +791,7 @@ match m: reveal_type(m) # N: Revealed type is "__main__.B" [builtins fixtures/tuple.pyi] -[case testClassPatternIntersection] +[case testMatchClassPatternIntersection] from typing import Final class A: @@ -802,12 +804,12 @@ m: B match m: case A(): - reveal_type(m) # N: Revealed type is "__main__." + reveal_type(m) # N: Revealed type is "__main__.2" case A(i, j): - reveal_type(m) # N: Revealed type is "__main__.1" + reveal_type(m) # N: Revealed type is "__main__.3" [builtins fixtures/tuple.pyi] -[case testClassPatternNonexistentKeyword] +[case testMatchClassPatternNonexistentKeyword] class A: ... m: object @@ -817,7 +819,7 @@ match m: reveal_type(m) # N: Revealed type is "__main__.A" reveal_type(j) # N: Revealed type is "Any" -[case testClassPatternDuplicateKeyword] +[case testMatchClassPatternDuplicateKeyword] class A: a: str @@ -827,7 +829,7 @@ match m: case A(a=i, a=j): # E: Duplicate keyword pattern "a" pass -[case testClassPatternDuplicateImplicitKeyword] +[case testMatchClassPatternDuplicateImplicitKeyword] from typing import Final class A: @@ -841,7 +843,7 @@ match m: pass [builtins fixtures/tuple.pyi] -[case testClassPatternTooManyPositionals] +[case testMatchClassPatternTooManyPositionals] from typing import Final class A: @@ -856,7 +858,7 @@ match m: pass [builtins fixtures/tuple.pyi] -[case testClassPatternIsNotType] +[case testMatchClassPatternIsNotType] a = 1 m: object @@ -865,7 +867,7 @@ match m: reveal_type(i) reveal_type(j) -[case testClassPatternNestedGenerics] +[case testMatchClassPatternNestedGenerics] # From cpython test_patma.py x = [[{0: 0}]] match x: @@ -877,7 +879,7 @@ reveal_type(y) # N: Revealed type is "builtins.int" reveal_type(z) # N: Revealed type is "builtins.int*" [builtins fixtures/dict.pyi] -[case testNonFinalMatchArgs] +[case testMatchNonFinalMatchArgs] class A: __match_args__ = ("a", "b") # N: __match_args__ must be final for checking of match statements to work a: str @@ -891,7 +893,7 @@ match m: reveal_type(j) # N: Revealed type is "Any" [builtins fixtures/tuple.pyi] -[case testAnyTupleMatchArgs] +[case testMatchAnyTupleMatchArgs] from typing import Tuple, Any class A: @@ -908,7 +910,7 @@ match m: reveal_type(k) # N: Revealed type is "Any" [builtins fixtures/tuple.pyi] -[case testNonLiteralMatchArgs] +[case testMatchNonLiteralMatchArgs] from typing import Final b: str = "b" @@ -927,7 +929,7 @@ match m: reveal_type(j) # N: Revealed type is "Any" [builtins fixtures/tuple.pyi] -[case testExternalMatchArgs] +[case testMatchExternalMatchArgs] from typing import Final, Literal args: Final = ("a", "b") @@ -946,9 +948,9 @@ class B: [builtins fixtures/tuple.pyi] [typing fixtures/typing-medium.pyi] - -- As Pattern -- -[case testAsPattern] + +[case testMatchAsPattern] m: int match m: @@ -956,51 +958,51 @@ match m: reveal_type(x) # N: Revealed type is "builtins.int" reveal_type(l) # N: Revealed type is "builtins.int" -[case testAsPatternNarrows] +[case testMatchAsPatternNarrows] m: object match m: case int() as l: reveal_type(l) # N: Revealed type is "builtins.int" -[case testAsPatternCapturesOr] +[case testMatchAsPatternCapturesOr] m: object match m: case 1 | 2 as n: - reveal_type(n) # N: Revealed type is "Union[Literal[1]?, Literal[2]?]" + reveal_type(n) # N: Revealed type is "Union[Literal[1], Literal[2]]" -[case testAsPatternAlreadyNarrower] +[case testMatchAsPatternAlreadyNarrower] m: bool match m: case int() as l: reveal_type(l) # N: Revealed type is "builtins.bool" - -- Or Pattern -- -[case testOrPatternNarrows] + +[case testMatchOrPatternNarrows] m: object match m: case 1 | 2: - reveal_type(m) # N: Revealed type is "Union[Literal[1]?, Literal[2]?]" + reveal_type(m) # N: Revealed type is "Union[Literal[1], Literal[2]]" -[case testOrPatternNarrowsStr] +[case testMatchOrPatternNarrowsStr] m: object match m: case "foo" | "bar": - reveal_type(m) # N: Revealed type is "Union[Literal['foo']?, Literal['bar']?]" + reveal_type(m) # N: Revealed type is "Union[Literal['foo'], Literal['bar']]" -[case testOrPatternNarrowsUnion] +[case testMatchOrPatternNarrowsUnion] m: object match m: case 1 | "foo": - reveal_type(m) # N: Revealed type is "Union[Literal[1]?, Literal['foo']?]" + reveal_type(m) # N: Revealed type is "Union[Literal[1], Literal['foo']]" -[case testOrPatterCapturesMissing] +[case testMatchOrPatterCapturesMissing] from typing import List m: List[int] @@ -1010,7 +1012,7 @@ match m: reveal_type(y) # N: Revealed type is "builtins.int*" [builtins fixtures/list.pyi] -[case testOrPatternCapturesJoin] +[case testMatchOrPatternCapturesJoin] m: object match m: @@ -1018,9 +1020,9 @@ match m: reveal_type(x) # N: Revealed type is "typing.Iterable[Any]" [builtins fixtures/dict.pyi] - -- Interactions -- -[case testCapturePatternMultipleCases] + +[case testMatchCapturePatternMultipleCases] m: object match m: @@ -1031,7 +1033,7 @@ match m: reveal_type(x) # N: Revealed type is "Union[builtins.int, builtins.str]" -[case testCapturePatternMultipleCaptures] +[case testMatchCapturePatternMultipleCaptures] from typing import Iterable m: Iterable[int] @@ -1041,7 +1043,7 @@ match m: reveal_type(x) # N: Revealed type is "builtins.int" [builtins fixtures/list.pyi] -[case testCapturePatternPreexistingSame] +[case testMatchCapturePatternPreexistingSame] a: int m: int @@ -1049,7 +1051,19 @@ match m: case a: reveal_type(a) # N: Revealed type is "builtins.int" -[case testCapturePatternPreexistingIncompatible] +[case testMatchCapturePatternPreexistingNarrows] +a: int +m: bool + +match m: + case a: + reveal_type(a) # N: Revealed type is "builtins.bool" + +reveal_type(a) # N: Revealed type is "builtins.bool" +a = 3 +reveal_type(a) # N: Revealed type is "builtins.int" + +[case testMatchCapturePatternPreexistingIncompatible] a: str m: int @@ -1057,7 +1071,9 @@ match m: case a: # E: Incompatible types in capture pattern (pattern captures type "int", variable has type "str") reveal_type(a) # N: Revealed type is "builtins.str" -[case testCapturePatternPreexistingIncompatibleLater] +reveal_type(a) # N: Revealed type is "builtins.str" + +[case testMatchCapturePatternPreexistingIncompatibleLater] a: str m: object @@ -1067,9 +1083,11 @@ match m: case int(a): # E: Incompatible types in capture pattern (pattern captures type "int", variable has type "str") reveal_type(a) # N: Revealed type is "builtins.str" +reveal_type(a) # N: Revealed type is "builtins.str" -- Guards -- -[case testSimplePatternGuard] + +[case testMatchSimplePatternGuard] m: str def guard() -> bool: ... @@ -1078,21 +1096,21 @@ match m: case a if guard(): reveal_type(a) # N: Revealed type is "builtins.str" -[case testAlwaysTruePatternGuard] +[case testMatchAlwaysTruePatternGuard] m: str match m: case a if True: reveal_type(a) # N: Revealed type is "builtins.str" -[case testAlwaysFalsePatternGuard] +[case testMatchAlwaysFalsePatternGuard] m: str match m: case a if False: reveal_type(a) -[case testRedefiningPatternGuard] +[case testMatchRedefiningPatternGuard] # flags: --strict-optional m: str @@ -1100,14 +1118,14 @@ match m: case a if a := 1: # E: Incompatible types in assignment (expression has type "int", variable has type "str") reveal_type(a) # N: Revealed type is "" -[case testAssigningPatternGuard] +[case testMatchAssigningPatternGuard] m: str match m: case a if a := "test": reveal_type(a) # N: Revealed type is "builtins.str" -[case testNarrowingPatternGuard] +[case testMatchNarrowingPatternGuard] m: object match m: @@ -1115,7 +1133,7 @@ match m: reveal_type(a) # N: Revealed type is "builtins.str" [builtins fixtures/isinstancelist.pyi] -[case testIncompatiblePatternGuard] +[case testMatchIncompatiblePatternGuard] class A: ... class B: ... @@ -1126,7 +1144,7 @@ match m: reveal_type(a) # N: Revealed type is "__main__." [builtins fixtures/isinstancelist.pyi] -[case testUnreachablePatternGuard] +[case testMatchUnreachablePatternGuard] m: str match m: @@ -1135,7 +1153,8 @@ match m: [builtins fixtures/isinstancelist.pyi] -- Exhaustiveness -- -[case testUnionNegativeNarrowing-skip] + +[case testMatchUnionNegativeNarrowing] from typing import Union m: Union[str, int] @@ -1148,7 +1167,7 @@ match m: reveal_type(b) # N: Revealed type is "builtins.int" reveal_type(m) # N: Revealed type is "builtins.int" -[case testOrPatternNegativeNarrowing-skip] +[case testMatchOrPatternNegativeNarrowing] from typing import Union m: Union[str, bytes, int] @@ -1160,7 +1179,7 @@ match m: case b: reveal_type(b) # N: Revealed type is "builtins.int" -[case testExhaustiveReturn-skip] +[case testMatchExhaustiveReturn] def foo(value) -> int: match value: case "bar": @@ -1168,7 +1187,7 @@ def foo(value) -> int: case _: return 2 -[case testNoneExhaustiveReturn-skip] +[case testMatchNonExhaustiveReturn] def foo(value) -> int: # E: Missing return statement match value: case "bar": @@ -1176,7 +1195,300 @@ def foo(value) -> int: # E: Missing return statement case 2: return 2 -[case testWithStatementScopeAndMatchStatement] +[case testMatchMoreExhaustiveReturnCases] +def g(value: int | None) -> int: + match value: + case int(): + return 0 + case None: + return 1 + +def b(value: bool) -> int: + match value: + case True: + return 2 + case False: + return 3 + +[case testMatchMiscNonExhaustiveReturn] +class C: + a: int | str + +def f1(value: int | str | None) -> int: # E: Missing return statement + match value: + case int(): + return 0 + case None: + return 1 + +def f2(c: C) -> int: # E: Missing return statement + match c: + case C(a=int()): + return 0 + case C(a=str()): + return 1 + +def f3(x: list[str]) -> int: # E: Missing return statement + match x: + case [a]: + return 0 + case [a, b]: + return 1 + +def f4(x: dict[str, int]) -> int: # E: Missing return statement + match x: + case {'x': a}: + return 0 + +def f5(x: bool) -> int: # E: Missing return statement + match x: + case True: + return 0 +[builtins fixtures/dict.pyi] + +[case testMatchNonExhaustiveError] +from typing import NoReturn +def assert_never(x: NoReturn) -> None: ... + +def f(value: int) -> int: # E: Missing return statement + match value: + case 1: + return 0 + case 2: + return 1 + case o: + assert_never(o) # E: Argument 1 to "assert_never" has incompatible type "int"; expected "NoReturn" + +[case testMatchExhaustiveNoError] +from typing import NoReturn, Union, Literal +def assert_never(x: NoReturn) -> None: ... + +def f(value: Literal[1] | Literal[2]) -> int: + match value: + case 1: + return 0 + case 2: + return 1 + case o: + assert_never(o) +[typing fixtures/typing-medium.pyi] + +[case testMatchSequencePatternNegativeNarrowing] +from typing import Union, Sequence, Tuple + +m1: Sequence[int | str] + +match m1: + case [int()]: + reveal_type(m1) # N: Revealed type is "typing.Sequence[builtins.int]" + case r: + reveal_type(m1) # N: Revealed type is "typing.Sequence[Union[builtins.int, builtins.str]]" + +m2: Tuple[int | str] + +match m2: + case (int(),): + reveal_type(m2) # N: Revealed type is "Tuple[builtins.int]" + case r2: + reveal_type(m2) # N: Revealed type is "Tuple[builtins.str]" + +m3: Tuple[Union[int, str]] + +match m3: + case (1,): + reveal_type(m3) # N: Revealed type is "Tuple[Literal[1]]" + case r2: + reveal_type(m3) # N: Revealed type is "Tuple[Union[builtins.int, builtins.str]]" +[builtins fixtures/tuple.pyi] + +[case testMatchLiteralPatternEnumNegativeNarrowing] +from enum import Enum +class Medal(Enum): + gold = 1 + silver = 2 + bronze = 3 + +def f(m: Medal) -> int: + match m: + case Medal.gold: + reveal_type(m) # N: Revealed type is "Literal[__main__.Medal.gold]" + return 0 + case _: + reveal_type(m) # N: Revealed type is "Union[Literal[__main__.Medal.silver], Literal[__main__.Medal.bronze]]" + return 1 + +def g(m: Medal) -> int: + match m: + case Medal.gold: + return 0 + case Medal.silver: + return 1 + case Medal.bronze: + return 2 + +[case testMatchLiteralPatternEnumCustomEquals-skip] +from enum import Enum +class Medal(Enum): + gold = 1 + silver = 2 + bronze = 3 + + def __eq__(self, other) -> bool: ... + +m: Medal + +match m: + case Medal.gold: + reveal_type(m) # N: Revealed type is "Literal[__main__.Medal.gold]" + case _: + reveal_type(m) # N: Revealed type is "__main__.Medal" + +[case testMatchNarrowUsingPatternGuardSpecialCase] +def f(x: int | str) -> int: # E: Missing return statement + match x: + case x if isinstance(x, str): + return 0 + case int(): + return 1 +[builtins fixtures/isinstance.pyi] + +[case testMatchNarrowDownUnionPartially] +# flags: --strict-optional + +def f(x: int | str) -> None: + match x: + case int(): + return + reveal_type(x) # N: Revealed type is "builtins.str" + +def g(x: int | str | None) -> None: + match x: + case int() | None: + return + reveal_type(x) # N: Revealed type is "builtins.str" + +def h(x: int | str | None) -> None: + match x: + case int() | str(): + return + reveal_type(x) # N: Revealed type is "None" + +[case testMatchNarrowDownUsingLiteralMatch] +from enum import Enum +class Medal(Enum): + gold = 1 + silver = 2 + +def b1(x: bool) -> None: + match x: + case True: + return + reveal_type(x) # N: Revealed type is "Literal[False]" + +def b2(x: bool) -> None: + match x: + case False: + return + reveal_type(x) # N: Revealed type is "Literal[True]" + +def e1(x: Medal) -> None: + match x: + case Medal.gold: + return + reveal_type(x) # N: Revealed type is "Literal[__main__.Medal.silver]" + +def e2(x: Medal) -> None: + match x: + case Medal.silver: + return + reveal_type(x) # N: Revealed type is "Literal[__main__.Medal.gold]" + +def i(x: int) -> None: + match x: + case 1: + return + reveal_type(x) # N: Revealed type is "builtins.int" + +def s(x: str) -> None: + match x: + case 'x': + return + reveal_type(x) # N: Revealed type is "builtins.str" + +def union(x: str | bool) -> None: + match x: + case True: + return + reveal_type(x) # N: Revealed type is "Union[builtins.str, Literal[False]]" + +[case testMatchAssertFalseToSilenceFalsePositives] +class C: + a: int | str + +def f(c: C) -> int: + match c: + case C(a=int()): + return 0 + case C(a=str()): + return 1 + case _: + assert False + +def g(c: C) -> int: + match c: + case C(a=int()): + return 0 + case C(a=str()): + return 1 + assert False + +[case testMatchAsPatternExhaustiveness] +def f(x: int | str) -> int: + match x: + case int() as n: + return n + case str() as s: + return 1 + +[case testMatchAsPatternIntersection-skip] +class A: pass +class B: pass +class C: pass + +def f(x: A) -> None: + match x: + case B() as y: + reveal_type(y) # N: Revealed type is "__main__." + case C() as y: + reveal_type(y) # N: Revealed type is "__main__." + reveal_type(y) # N: Revealed type is "Union[__main__., __main__.]" + +[case testMatchWithBreakAndContinue] +# flags: --strict-optional +def f(x: int | str | None) -> None: + i = int() + while i: + match x: + case int(): + continue + case str(): + break + reveal_type(x) # N: Revealed type is "None" + reveal_type(x) # N: Revealed type is "Union[builtins.int, builtins.str, None]" + +[case testMatchNarrowDownWithStarred-skip] +from typing import List +def f(x: List[int] | int) -> None: + match x: + case [*y]: + reveal_type(y) # N: Revealed type is "builtins.list[builtins.int*]" + return + reveal_type(x) # N: Revealed type is "builtins.int" +[builtins fixtures/list.pyi] + +-- Misc + +[case testMatchAndWithStatementScope] from m import A, B with A() as x: