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
|
""" Provides tools to mark parts of code a deprecated, for a smoother
transition to new code. """
from __future__ import annotations
from typing import Callable, Any, overload
from warnings import warn
from functools import wraps
from abc import ABCMeta
@overload
def deprecated(alias: Callable, pending: bool = False) -> Callable:
""" Mark a function as deprecated, and that the function `alias` should be
used instead. """
...
@overload
def deprecated(reason: str | None, pending: bool = False) -> Callable:
""" Mark a function as deprecated. """
def deprecated(reason_or_alias, pending=False):
""" Mark a function or method as deprecated """
def decorator(fn: Callable) -> Callable:
if callable(reason_or_alias):
reason = f"{fn.__name__} has been replaced by {reason_or_alias.__name__}," \
+ "the alias will be removed in the future"
elif isinstance(reason_or_alias, str):
reason = reason_or_alias
elif reason_or_alias is None:
reason = f"{fn.__name__} has been deprecated (no reason was provided)"
else:
raise TypeError(f"{reason_or_alias} must be a callable or a string!")
@wraps(fn)
def wrapper(*args, **kwargs):
w = PendingDeprecationWarning if pending else DeprecationWarning
warn(reason, category=w, stacklevel=2)
return fn(*args, **kwargs)
return wrapper
return decorator
class DeprecatedMeta(type):
""" Metaclass to mark a class as deprecated. """
# Forbidden metaclass black magic adapted from
# https://stackoverflow.com/questions/9008444/how-to-warn-about-class-name-deprecation
def __new__(cls: type, name: str, bases: tuple[type],
classdict: dict[str, Any], *args, **kwargs) -> DeprecatedMeta:
# Get class type that replaces the deprecated class, the "alias" class
alias = classdict.get("_DeprecatedClass_Alias")
if alias is not None:
warn("{} has been renamed to {}, the alias will be "
"removed in the future".format(name, alias.__name__),
DeprecationWarning, stacklevel=2)
# Deal with inheritance of deprecated classes. I.e. if a base class was
# deprecated and has an alias, replace base with alias type
new_bases: set[type] = set()
for b in bases:
base_alias = getattr(b, '_DeprecatedClass_Alias', None)
if base_alias is not None:
warn("{} has been renamed to {}, the alias will be "
"removed in the future".format(b.__name__, base_alias.__name__),
DeprecationWarning, stacklevel=2)
new_bases.add(base_alias or b)
# typecheker bug here? https://github.com/python/mypy/issues/12885
return super().__new__(cls, name, bases, classdict, *args, **kwargs) # type: ignore[misc]
def __instancecheck__(cls: type, instance: Any) -> bool:
return any(cls.__subclasscheck__(c)
for c in {type(instance), instance.__class__})
def __subclasscheck__(cls: type, subclass: type) -> bool:
if subclass is cls:
return True
return issubclass(subclass, getattr(cls, '_DeprecatedClass_Alias'))
class DeprecatedABCMeta(DeprecatedMeta, ABCMeta):
""" Metaclass to mark an abstract base class as deprecated """
|