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

Add except* support #562

Merged
merged 2 commits into from
Nov 7, 2022
Merged
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
5 changes: 5 additions & 0 deletions docs/changelog.md
Original file line number Diff line number Diff line change
@@ -1,5 +1,10 @@
# Changelog

## Unreleased

- Add support for `except*` (PEP 654) (#562)
- Add type inference support for more constructs in `except` and `except*` (#562)

## Version 0.8.0 (November 5, 2022)

Release highlights:
Expand Down
125 changes: 93 additions & 32 deletions pyanalyze/name_check_visitor.py
Original file line number Diff line number Diff line change
Expand Up @@ -178,6 +178,7 @@
NO_RETURN_VALUE,
NoReturnConstraintExtension,
ReferencingValue,
replace_known_sequence_value,
SequenceValue,
set_self,
SubclassValue,
Expand Down Expand Up @@ -205,6 +206,20 @@
# 3.9 and lower
Match = Any

try:
from ast import TryStar
from builtins import BaseExceptionGroup, ExceptionGroup
except ImportError:
# 3.10 and lower
TryStar = Any

class BaseExceptionGroup:
pass

class ExceptionGroup:
pass


T = TypeVar("T")
U = TypeVar("U")
AwaitableValue = GenericValue(collections.abc.Awaitable, [TypeVarValue(T)])
Expand Down Expand Up @@ -3724,7 +3739,9 @@ def visit_withitem(self, node: ast.withitem, is_async: bool = False) -> bool:
self.visit(node.optional_vars)
return can_suppress

def visit_try_except(self, node: ast.Try) -> None:
def visit_try_except(
self, node: Union[ast.Try, TryStar], *, is_try_star: bool = False
) -> None:
with self.scopes.subscope():
with self.scopes.subscope() as dummy_scope:
pass
Expand All @@ -3745,17 +3762,25 @@ def visit_try_except(self, node: ast.Try) -> None:
# reset yield checks between branches to avoid incorrect errors when we yield
# both in the try and the except block
self.yield_checker.reset_yield_checks()
self.scopes.combine_subscopes([dummy_scope, failure_scope])
# With except*, multiple except* blocks may run, so we need
# to combine not just the failure scope, but also the previous
# except_scopes.
if is_try_star:
subscopes = [dummy_scope, failure_scope, *except_scopes]
else:
subscopes = [dummy_scope, failure_scope]
self.scopes.combine_subscopes(subscopes)
self.visit(handler)

self.scopes.combine_subscopes([else_scope, *except_scopes])

def visit_Try(self, node: ast.Try) -> None:
# py3 combines the Try and Try/Finally nodes
def visit_Try(
self, node: Union[ast.Try, TryStar], *, is_try_star: bool = False
) -> None:
if node.finalbody:
with self.scopes.subscope() as failure_scope:
with self.scopes.suppressing_subscope() as success_scope:
self.visit_try_except(node)
self.visit_try_except(node, is_try_star=is_try_star)

# If the try block fails
with self.scopes.subscope():
Expand All @@ -3767,43 +3792,79 @@ def visit_Try(self, node: ast.Try) -> None:
self._generic_visit_list(node.finalbody)
else:
# Life is much simpler without finally
self.visit_try_except(node)
self.visit_try_except(node, is_try_star=is_try_star)
self.yield_checker.reset_yield_checks()

def visit_TryStar(self, node: TryStar) -> None:
self.visit_Try(node, is_try_star=True)

def visit_ExceptHandler(self, node: ast.ExceptHandler) -> None:
if node.type is not None:
typ = self.visit(node.type)
if isinstance(typ, KnownValue):
val = typ.val
if isinstance(val, tuple):
if all(self._check_valid_exception_class(cls, node) for cls in val):
to_assign = unite_values(*[TypedValue(cls) for cls in val])
else:
to_assign = TypedValue(BaseException)
else:
if self._check_valid_exception_class(val, node):
to_assign = TypedValue(val)
else:
to_assign = TypedValue(BaseException)
else:
# maybe this should be an error, exception classes should virtually always be
# statically findable
to_assign = TypedValue(BaseException)
is_try_star = not isinstance(self.node_context.contexts[-2], ast.Try)
possible_types = self._extract_exception_types(
typ, node, is_try_star=is_try_star
)
if node.name is not None:
to_assign = unite_values(*[typ for _, typ in possible_types])
if is_try_star:
if all(is_exception for is_exception, _ in possible_types):
base = ExceptionGroup
else:
base = BaseExceptionGroup
to_assign = GenericValue(base, [to_assign])
self._set_name_in_scope(node.name, node, value=to_assign, private=True)

self._generic_visit_list(node.body)

def _check_valid_exception_class(self, val: object, node: ast.AST) -> bool:
if not (isinstance(val, type) and issubclass(val, BaseException)):
self._show_error_if_checking(
node,
f"{val!r} is not an exception class",
error_code=ErrorCode.bad_except_handler,
)
return False
else:
return True
def _extract_exception_types(
self, typ: Value, node: ast.AST, is_try_star: bool = False
) -> List[Tuple[bool, Value]]:
possible_types = []
for subval in flatten_values(typ, unwrap_annotated=True):
subval = replace_known_sequence_value(subval)
if isinstance(subval, SequenceValue) and subval.typ is tuple:
for _, elt in subval.members:
possible_types += self._extract_exception_types(
elt, node, is_try_star=is_try_star
)
continue
elif isinstance(subval, GenericValue) and subval.typ is tuple:
possible_types += self._extract_exception_types(
subval.args[0], node, is_try_star=is_try_star
)
continue
elif (
isinstance(subval, SubclassValue)
and isinstance(subval.typ, TypedValue)
and isinstance(subval.typ.typ, type)
):
subval = KnownValue(subval.typ.typ)
if isinstance(subval, KnownValue):
if isinstance(subval.val, type) and issubclass(
subval.val, BaseException
):
if is_try_star and issubclass(subval.val, BaseExceptionGroup):
self._show_error_if_checking(
node,
"ExceptionGroup cannot be used as the type in an except*"
f" clause: {subval.val!r}",
error_code=ErrorCode.bad_except_handler,
)
is_exception = issubclass(subval.val, Exception)
possible_types.append((is_exception, TypedValue(subval.val)))
else:
self._show_error_if_checking(
node,
f"{subval!r} is not an exception class",
error_code=ErrorCode.bad_except_handler,
)
possible_types.append((False, TypedValue(BaseException)))
else:
# TODO consider raising an error for except classes
# that cannot be statically resolved.
possible_types.append((False, TypedValue(BaseException)))
return possible_types

def visit_If(self, node: ast.If) -> None:
_, constraint = self.constraint_from_condition(node.test)
Expand Down
127 changes: 127 additions & 0 deletions pyanalyze/test_try.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,127 @@
# static analysis: ignore
from .test_name_check_visitor import TestNameCheckVisitorBase
from .test_node_visitor import skip_before, assert_passes


class TestExoticTry(TestNameCheckVisitorBase):
@assert_passes()
def test_except_everything(self):
from typing import Union, Tuple, Type
from typing_extensions import Literal, assert_type

def capybara(
typ: Literal[TypeError, ValueError],
typ2: Union[Tuple[Literal[RuntimeError], ...], Literal[KeyError]],
typ3: Union[Type[RuntimeError], Type[KeyError]],
typ4: Union[Tuple[Type[RuntimeError], ...], Type[KeyError]],
cond: bool,
):
try:
pass
except typ as e1:
assert_type(e1, Union[TypeError, ValueError])
except typ2 as e2:
assert_type(e2, Union[RuntimeError, KeyError])
except typ3 as e3:
assert_type(e3, Union[RuntimeError, KeyError])
except typ4 as e4:
assert_type(e4, Union[RuntimeError, KeyError])
except FileNotFoundError if cond else FileExistsError as e5:
assert_type(e5, Union[FileNotFoundError, FileExistsError])
except (KeyError, (ValueError, (TypeError, RuntimeError))) as e6:
assert_type(e6, Union[KeyError, ValueError, TypeError, RuntimeError])
except GeneratorExit as e7:
assert_type(e7, GeneratorExit)


class TestTryStar(TestNameCheckVisitorBase):
@skip_before((3, 11))
def test_eg_types(self):
self.assert_passes(
"""
from typing import assert_type

def capybara():
try:
pass
except* ValueError as eg:
assert_type(eg, ExceptionGroup[ValueError])
except* KeyboardInterrupt as eg:
assert_type(eg, BaseExceptionGroup[KeyboardInterrupt])
except* (OSError, (RuntimeError, KeyError)) as eg:
assert_type(eg, ExceptionGroup[OSError | RuntimeError | KeyError])
except *ExceptionGroup as eg: # E: bad_except_handler
pass
except *int as eg: # E: bad_except_handler
pass
"""
)

@skip_before((3, 11))
def test_variable_scope(self):
self.assert_passes(
"""
from typing import assert_type, Literal

def capybara():
x = 0
try:
x = 1
assert_type(x, Literal[1])
except* ValueError as eg:
assert_type(x, Literal[0, 1])
x = 2
except* TypeError as eg:
assert_type(x, Literal[0, 1, 2])
x = 3
assert_type(x, Literal[1, 2, 3])
"""
)

@skip_before((3, 11))
def test_try_else(self):
self.assert_passes(
"""
from typing import assert_type, Literal

def capybara():
x = 0
try:
x = 1
assert_type(x, Literal[1])
except* ValueError as eg:
assert_type(x, Literal[0, 1])
x = 2
except* TypeError as eg:
assert_type(x, Literal[0, 1, 2])
x = 3
else:
assert_type(x, Literal[1])
x = 4
assert_type(x, Literal[2, 3, 4])
"""
)

@skip_before((3, 11))
def test_try_finally(self):
self.assert_passes(
"""
from typing import assert_type, Literal

def capybara():
x = 0
try:
x = 1
assert_type(x, Literal[1])
except* ValueError as eg:
assert_type(x, Literal[0, 1])
x = 2
except* TypeError as eg:
assert_type(x, Literal[0, 1, 2])
x = 3
finally:
assert_type(x, Literal[0, 1, 2, 3])
x = 4
assert_type(x, Literal[4])
"""
)