Coverage for muutils/dbg.py: 93%
61 statements
« prev ^ index » next coverage.py v7.6.1, created at 2025-04-04 16:45 -0600
« prev ^ index » next coverage.py v7.6.1, created at 2025-04-04 16:45 -0600
1"""
3this code is based on an implementation of the Rust builtin `dbg!` for Python, originally from
4https://github.com/tylerwince/pydbg/blob/master/pydbg.py
5although it has been significantly modified
7licensed under MIT:
9Copyright (c) 2019 Tyler Wince
11Permission is hereby granted, free of charge, to any person obtaining a copy
12of this software and associated documentation files (the "Software"), to deal
13in the Software without restriction, including without limitation the rights
14to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
15copies of the Software, and to permit persons to whom the Software is
16furnished to do so, subject to the following conditions:
18The above copyright notice and this permission notice shall be included in
19all copies or substantial portions of the Software.
21THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
22IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
23FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
24AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
25LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
26OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
27THE SOFTWARE.
29"""
31from __future__ import annotations
33import inspect
34import sys
35import typing
36from pathlib import Path
37import functools
39# type defs
40_ExpType = typing.TypeVar("_ExpType")
43# Sentinel type for no expression passed
44class _NoExpPassedSentinel:
45 """Unique sentinel type used to indicate that no expression was passed."""
47 pass
50_NoExpPassed = _NoExpPassedSentinel()
52# global variables
53_CWD: Path = Path.cwd().absolute()
54_COUNTER: int = 0
56# configuration
57PATH_MODE: typing.Literal["relative", "absolute"] = "relative"
58DEFAULT_VAL_JOINER: str = " = "
61# path processing
62def _process_path(path: Path) -> str:
63 path_abs: Path = path.absolute()
64 fname: Path
65 if PATH_MODE == "absolute":
66 fname = path_abs
67 elif PATH_MODE == "relative":
68 try:
69 # if it's inside the cwd, print the relative path
70 fname = path.relative_to(_CWD)
71 except ValueError:
72 # if its not in the subpath, use the absolute path
73 fname = path_abs
74 else:
75 raise ValueError("PATH_MODE must be either 'relative' or 'absolute")
77 return fname.as_posix()
80# actual dbg function
81@typing.overload
82def dbg() -> _NoExpPassedSentinel: ...
83@typing.overload
84def dbg(
85 exp: _NoExpPassedSentinel,
86 formatter: typing.Optional[typing.Callable[[typing.Any], str]] = None,
87 val_joiner: str = DEFAULT_VAL_JOINER,
88) -> _NoExpPassedSentinel: ...
89@typing.overload
90def dbg(
91 exp: _ExpType,
92 formatter: typing.Optional[typing.Callable[[typing.Any], str]] = None,
93 val_joiner: str = DEFAULT_VAL_JOINER,
94) -> _ExpType: ...
95def dbg(
96 exp: typing.Union[_ExpType, _NoExpPassedSentinel] = _NoExpPassed,
97 formatter: typing.Optional[typing.Callable[[typing.Any], str]] = None,
98 val_joiner: str = DEFAULT_VAL_JOINER,
99) -> typing.Union[_ExpType, _NoExpPassedSentinel]:
100 """Call dbg with any variable or expression.
102 Calling dbg will print to stderr the current filename and lineno,
103 as well as the passed expression and what the expression evaluates to:
105 from muutils.dbg import dbg
107 a = 2
108 b = 5
110 dbg(a+b)
112 def square(x: int) -> int:
113 return x * x
115 dbg(square(a))
117 """
118 global _COUNTER
120 # get the context
121 fname: str = "unknown"
122 line_exp: str = "unknown"
123 for frame in inspect.stack():
124 if frame.code_context is None:
125 continue
126 line: str = frame.code_context[0]
127 if "dbg" in line:
128 start: int = line.find("(") + 1
129 end: int = line.rfind(")")
130 if end == -1:
131 end = len(line)
133 fname = f"{_process_path(Path(frame.filename))}:{frame.lineno}"
134 # special case for jupyter notebooks
135 if fname.startswith("/tmp/ipykernel_"):
136 fname = f"<ipykernel>:{frame.lineno}"
138 line_exp = line[start:end]
140 break
142 # assemble the message
143 msg: str
144 if exp is _NoExpPassed:
145 # if no expression is passed, just show location and counter value
146 msg = f"[ {fname} ] <dbg {_COUNTER}>"
147 _COUNTER += 1
148 else:
149 # if expression passed, format its value and show location, expr, and value
150 exp_val: str = formatter(exp) if formatter else repr(exp)
151 msg = f"[ {fname} ] {line_exp}{val_joiner}{exp_val}"
153 # print the message
154 print(
155 msg,
156 file=sys.stderr,
157 )
159 # return the expression itself
160 return exp
163# formatted `dbg_*` functions with their helpers
165DBG_TENSOR_ARRAY_SUMMARY_DEFAULTS: typing.Dict[str, typing.Union[bool, int, str]] = (
166 dict(
167 fmt="unicode",
168 precision=2,
169 stats=True,
170 shape=True,
171 dtype=True,
172 device=True,
173 requires_grad=True,
174 sparkline=True,
175 sparkline_bins=7,
176 sparkline_logy=False,
177 colored=True,
178 eq_char="=",
179 )
180)
183DBG_TENSOR_VAL_JOINER: str = ": "
186def tensor_info(tensor: typing.Any) -> str:
187 from muutils.tensor_info import array_summary
189 return array_summary(tensor, **DBG_TENSOR_ARRAY_SUMMARY_DEFAULTS)
192dbg_tensor = functools.partial(
193 dbg, formatter=tensor_info, val_joiner=DBG_TENSOR_VAL_JOINER
194)