Spaces:
Runtime error
Runtime error
File size: 5,620 Bytes
8a6cf24 |
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 |
from __future__ import annotations
import sys
import threading
import warnings
from typing import TYPE_CHECKING, Literal
if sys.version_info >= (3, 13):
from warnings import deprecated as _deprecated
else:
from typing_extensions import deprecated as _deprecated
if TYPE_CHECKING:
if sys.version_info >= (3, 11):
from typing import LiteralString
else:
from typing_extensions import LiteralString
__all__ = [
"AltairDeprecationWarning",
"deprecated",
"deprecated_static_only",
"deprecated_warn",
]
class AltairDeprecationWarning(DeprecationWarning): ...
def _format_message(
version: LiteralString,
alternative: LiteralString | None,
message: LiteralString | None,
/,
) -> LiteralString:
output = f"\nDeprecated since `altair={version}`."
if alternative:
output = f"{output} Use {alternative} instead."
return f"{output}\n{message}" if message else output
# NOTE: Annotating the return type breaks `pyright` detecting [reportDeprecated]
# NOTE: `LiteralString` requirement is introduced by stubs
def deprecated(
*,
version: LiteralString,
alternative: LiteralString | None = None,
message: LiteralString | None = None,
category: type[AltairDeprecationWarning] | None = AltairDeprecationWarning,
stacklevel: int = 1,
): # te.deprecated
"""
Indicate that a class, function or overload is deprecated.
When this decorator is applied to an object, the type checker
will generate a diagnostic on usage of the deprecated object.
Parameters
----------
version
``altair`` version the deprecation first appeared.
alternative
Suggested replacement class/method/function.
message
Additional message appended to ``version``, ``alternative``.
category
If the *category* is ``None``, no warning is emitted at runtime.
stacklevel
The *stacklevel* determines where the
warning is emitted. If it is ``1`` (the default), the warning
is emitted at the direct caller of the deprecated object; if it
is higher, it is emitted further up the stack.
Static type checker behavior is not affected by the *category*
and *stacklevel* arguments.
References
----------
[PEP 702](https://peps.python.org/pep-0702/)
"""
msg = _format_message(version, alternative, message)
return _deprecated(msg, category=category, stacklevel=stacklevel)
def deprecated_warn(
message: LiteralString,
*,
version: LiteralString,
alternative: LiteralString | None = None,
category: type[AltairDeprecationWarning] = AltairDeprecationWarning,
stacklevel: int = 2,
action: Literal["once"] | None = None,
) -> None:
"""
Indicate that the current code path is deprecated.
This should be used for non-trivial cases *only*. ``@deprecated`` should
always be preferred as it is recognized by static type checkers.
Parameters
----------
message
Explanation of the deprecated behaviour.
.. note::
Unlike ``@deprecated``, this is *not* optional.
version
``altair`` version the deprecation first appeared.
alternative
Suggested replacement argument/method/function.
category
The runtime warning type emitted.
stacklevel
How far up the call stack to make this warning appear.
A value of ``2`` attributes the warning to the caller
of the code calling ``deprecated_warn()``.
References
----------
[warnings.warn](https://docs.python.org/3/library/warnings.html#warnings.warn)
"""
msg = _format_message(version, alternative, message)
if action is None:
warnings.warn(msg, category=category, stacklevel=stacklevel)
elif action == "once":
_warn_once(msg, category=category, stacklevel=stacklevel)
else:
raise NotImplementedError(action)
deprecated_static_only = _deprecated
"""
Using this decorator **exactly as described**, ensures ``message`` is displayed to a static type checker.
**BE CAREFUL USING THIS**.
See screenshots in `comment`_ for motivation.
Every use should look like::
@deprecated_static_only(
"Deprecated since `altair=5.5.0`. Use altair.other instead.",
category=None,
)
def old_function(*args): ...
If a runtime warning is desired, use `@alt.utils.deprecated` instead.
Parameters
----------
message : LiteralString
- **Not** a variable
- **Not** use placeholders
- **Not** use concatenation
- **Do not use anything that could be considered dynamic**
category : None
You **need** to explicitly pass ``None``
.. _comment:
https://github.com/vega/altair/pull/3618#issuecomment-2423991968
---
"""
class _WarningsMonitor:
def __init__(self) -> None:
self._warned: dict[LiteralString, Literal[True]] = {}
self._lock = threading.Lock()
def __contains__(self, key: LiteralString, /) -> bool:
with self._lock:
return key in self._warned
def hit(self, key: LiteralString, /) -> None:
with self._lock:
self._warned[key] = True
def clear(self) -> None:
with self._lock:
self._warned.clear()
_warnings_monitor = _WarningsMonitor()
def _warn_once(
msg: LiteralString, /, *, category: type[AltairDeprecationWarning], stacklevel: int
) -> None:
global _warnings_monitor
if msg in _warnings_monitor:
return
else:
_warnings_monitor.hit(msg)
warnings.warn(msg, category=category, stacklevel=stacklevel + 1)
|