summaryrefslogtreecommitdiff
path: root/gdb-helpers
diff options
context:
space:
mode:
Diffstat (limited to 'gdb-helpers')
-rw-r--r--gdb-helpers/libcr.py65
-rw-r--r--gdb-helpers/rp2040.py182
2 files changed, 192 insertions, 55 deletions
diff --git a/gdb-helpers/libcr.py b/gdb-helpers/libcr.py
index 3ffafce..fcfd86e 100644
--- a/gdb-helpers/libcr.py
+++ b/gdb-helpers/libcr.py
@@ -1,17 +1,20 @@
# gdb-helpers/libcr.py - GDB helpers for libcr.
#
-# Copyright (C) 2024 Luke T. Shumaker <lukeshu@lukeshu.com>
+# Copyright (C) 2024-2025 Luke T. Shumaker <lukeshu@lukeshu.com>
# SPDX-License-Identifier: AGPL-3.0-or-later
import contextlib
import time
import typing
-import gdb
-import gdb.unwinder
+import gdb # pylint: disable=import-error
+import gdb.unwinder # pylint: disable=import-error
# GDB helpers ##################################################################
+# https://sourceware.org/bugzilla/show_bug.cgi?id=32428
+gdb_bug_32428 = True
+
class _gdb_Locus(typing.Protocol):
@property
@@ -125,19 +128,19 @@ class CrGlobals:
return
if self.coroutine_running:
if not self.coroutine_running.is_selected():
- if True: # https://sourceware.org/bugzilla/show_bug.cgi?id=32428
+ if gdb_bug_32428:
print("Must return to running coroutine before continuing.")
print("Hit ^C twice then run:")
print(f" cr select {self.coroutine_running.id}")
while True:
time.sleep(1)
- assert self.coroutine_running._cont_env
- gdb_longjmp(self.coroutine_running._cont_env)
+ assert self.coroutine_running.cont_env
+ gdb_longjmp(self.coroutine_running.cont_env)
for cr in self.coroutines:
- cr._cont_env = None
+ cr.cont_env = None
def is_valid_cid(self, cid: int) -> bool:
- return 0 < cid and cid <= len(self.coroutines)
+ return 0 < cid <= len(self.coroutines)
@property
def coroutine_running(self) -> "CrCoroutine | None":
@@ -211,6 +214,8 @@ class CrBreakpoint(gdb.Breakpoint):
@enabled.setter
def enabled(self, value: bool) -> None:
self._unwinder.enabled = value
+ # Use a dunder-call to avoid an infinite loop.
+ # pylint: disable=unnecessary-dunder-call
gdb.Breakpoint.enabled.__set__(self, value) # type: ignore
def stop(self) -> bool:
@@ -243,12 +248,12 @@ def cr_select_top_frame() -> None:
class CrCoroutine:
cr_globals: CrGlobals
cid: int
- _cont_env: gdb_JmpBuf | None
+ cont_env: gdb_JmpBuf | None
def __init__(self, cr_globals: CrGlobals, cid: int) -> None:
self.cr_globals = cr_globals
self.cid = cid
- self._cont_env = None
+ self.cont_env = None
@property
def id(self) -> int:
@@ -269,18 +274,18 @@ class CrCoroutine:
sp = int(gdb.parse_and_eval("$sp"))
lo = int(gdb.parse_and_eval(f"coroutine_table[{self.id-1}].stack"))
hi = lo + int(gdb.parse_and_eval(f"coroutine_table[{self.id-1}].stack_size"))
- return lo <= sp and sp < hi
+ return lo <= sp < hi
def select(self, level: int = -1) -> None:
if self.cr_globals.coroutine_selected:
- self.cr_globals.coroutine_selected._cont_env = gdb_setjmp()
+ self.cr_globals.coroutine_selected.cont_env = gdb_setjmp()
- if self._cont_env:
- gdb_longjmp(self._cont_env)
+ if self.cont_env:
+ gdb_longjmp(self.cont_env)
else:
env: gdb_JmpBuf
if self == self.cr_globals.coroutine_running:
- assert False # self._cont_env should have been set
+ assert False # self.cont_env should have been set
elif self.state == self.cr_globals.CR_RUNNING:
env = self.cr_globals.readjmp("&coroutine_add_env")
else:
@@ -332,7 +337,7 @@ class CrListCommand(gdb.Command):
def invoke(self, arg: str, from_tty: bool) -> None:
argv = gdb.string_to_argv(arg)
if len(argv) != 0:
- raise gdb.GdbError(f"Usage: cr list")
+ raise gdb.GdbError("Usage: cr list")
rows: list[tuple[str, str, str, str, str]] = [
("", "Id", "Name", "State", "Frame")
@@ -384,7 +389,7 @@ class CrListCommand(gdb.Command):
cr_select_top_frame()
full = gdb.execute("frame", from_tty=from_tty, to_string=True)
gdb.execute(f"select-frame level {saved_level}")
- except Exception as e:
+ except Exception as e: # pylint: disable=broad-exception-caught
full = "#0 err: " + str(e)
line = full.split("\n", maxsplit=1)[0]
return line.split(maxsplit=1)[1]
@@ -423,32 +428,32 @@ class CrSelectCommand(gdb.Command):
crs += [cr]
match len(crs):
case 0:
- raise gdb.GdbError(f"No such coroutine: {repr(name)}")
+ raise gdb.GdbError(f"No such coroutine: {name!r}")
case 1:
return crs[0]
case _:
- raise gdb.GdbError(f"Ambiguous name, must use Id: {repr(name)}")
+ raise gdb.GdbError(f"Ambiguous name, must use Id: {name!r}")
# Wire it all in ###############################################################
-cr_globals: CrGlobals | None = None
+_cr_globals: CrGlobals | None = None
def cr_initialize() -> None:
- global cr_globals
- if cr_globals:
- old = cr_globals
+ global _cr_globals
+ if _cr_globals:
+ old = _cr_globals
new = CrGlobals()
for i in range(min(len(old.coroutines), len(new.coroutines))):
- new.coroutines[i]._cont_env = old.coroutines[i]._cont_env
+ new.coroutines[i].cont_env = old.coroutines[i].cont_env
old.delete()
- cr_globals = new
+ _cr_globals = new
else:
- cr_globals = CrGlobals()
- CrCommand(cr_globals)
- CrListCommand(cr_globals)
- CrSelectCommand(cr_globals)
+ _cr_globals = CrGlobals()
+ CrCommand(_cr_globals)
+ CrListCommand(_cr_globals)
+ CrSelectCommand(_cr_globals)
def cr_on_new_objfile(event: gdb.Event) -> None:
@@ -460,7 +465,7 @@ def cr_on_new_objfile(event: gdb.Event) -> None:
gdb.events.new_objfile.disconnect(cr_on_new_objfile)
-if cr_globals:
+if _cr_globals:
cr_initialize()
else:
gdb.events.new_objfile.connect(cr_on_new_objfile)
diff --git a/gdb-helpers/rp2040.py b/gdb-helpers/rp2040.py
index 30a936a..087974d 100644
--- a/gdb-helpers/rp2040.py
+++ b/gdb-helpers/rp2040.py
@@ -1,9 +1,11 @@
# gdb-helpers/rp2040.py - GDB helpers for the RP2040 CPU.
#
-# Copyright (C) 2024 Luke T. Shumaker <lukeshu@lukeshu.com>
+# Copyright (C) 2024-2025 Luke T. Shumaker <lukeshu@lukeshu.com>
# SPDX-License-Identifier: AGPL-3.0-or-later
-import gdb
+import typing
+
+import gdb # pylint: disable=import-error
def read_mmreg(addr: int) -> int:
@@ -18,6 +20,23 @@ def fmt32(x: int) -> str:
return "0b" + bin(x)[2:].rjust(32, "0")
+def box(title: str, content: str) -> str:
+ width = 80
+
+ lines = content.split("\n")
+ while len(lines) and lines[0] == "":
+ lines = lines[1:]
+ while len(lines) and lines[-1] == "":
+ lines = lines[:-1]
+ lines = ["", *lines, ""]
+
+ ret = "┏━[" + title + "]" + ("━" * (width - len(title) - 5)) + "┓\n"
+ for line in content.split("\n"):
+ ret += f"┃ {line:<{width-4}} ┃\n"
+ ret += "┗" + ("━" * (width - 2)) + "┛"
+ return ret
+
+
def read_prio(addr: int) -> str:
prios: list[int] = 32 * [0]
for regnum in range(0, 8):
@@ -91,27 +110,23 @@ class RP2040ShowInterrupts(gdb.Command):
"""Show the RP2040's interrupt state."""
def __init__(self) -> None:
- super(RP2040ShowInterrupts, self).__init__(
- "rp2040-show-interrupts", gdb.COMMAND_USER
- )
+ super().__init__("rp2040-show-interrupts", gdb.COMMAND_USER)
def invoke(self, arg: str, from_tty: bool) -> None:
+ self.arm_cortex_m0plus_registers()
+ self.arm_cortex_m0plus_mmregisters()
+ self.rp2040_dma_mmregisters()
+
+ def arm_cortex_m0plus_mmregisters(self) -> None:
base: int = 0xE0000000
icsr = read_mmreg(base + 0xED04)
- psr = read_reg("xPSR")
- # ║├┤║├┤├┤║├┤║║├┤├──┤║║║├──┤
- # 10987654321098765432109876543210 (dec bitnum)
- # 3 2 1 0
- # ║├┤║├┤├┤║├┤║║├┤├──┤║║║├──┤
- # fedcba9876543210fedcba9876543210 (hex bitnum)
- # 1 0
print(
- f"""
-ARM Cortex-M0+ memory-mapped registers:
-
+ box(
+ "ARM Cortex-M0+ memory-mapped registers",
+ f"""
clocks╖ ┌SIO
SPI┐ ║ │╓QSPI
- UART┐│ ║ │║╓bank0 ╓XIP
+ UART┐│ ║ │║╓GPIO ╓XIP
ADC╖ ││ ║ │║║┌DMA ║╓USB
I2C┐ ║ ││ ║ │║║│ ┌PIO║║╓PWM
RTC╖├┐║┌┤├┐║┌┤║║├┐├──┐║║║┌──┬timers
@@ -142,22 +157,139 @@ AIRCR : {fmt32(read_mmreg(base+0xed0c)) } Application Interrupt and Reset Co
╓sleep_deep
s_ev_on_pend╖ ║╓sleep_on_exit
SCR : {fmt32(read_mmreg(base+0xed10)) } System Control
+""",
+ )
+ )
-ARM Cortex-M0+ processor core registers:
-
+ def arm_cortex_m0plus_registers(self) -> None:
+ psr = read_reg("xPSR")
+ print(
+ box(
+ "ARM Cortex-M0+ processor-core registers",
+ f"""
╓pm (0=normal, 1=top priority)
PRIMASK : {fmt32(read_reg('primask')) } Priority Mask
- [C]arry╖╓o[V]erflow
- [Z]ero╖║║ ╓[T]humb ╓require [a]lignment
- [N]egative╖║║║ ║ exec ║ ┌interrupt
- app╫╫╫╢ ╟───────┴──────╢┌────┴──┐
+ app exec intr
+ ┌┴─┐ ┌───────┴──────┐┌───┴───┐
xPSR : {fmt32(psr) } {{Application,Execution,Interrupt}} Program Status
- └────┬──┘
- └{psr&0x1FF} ({exception_names[psr&0x1FF]})
+ ║║║║ ║ ║└───┬───┘
+ [N]egative╜║║║ ║ ║ └{psr&0x1FF} ({exception_names[psr&0x1FF]})
+ [Z]ero╜║║ ╙[T]humb ╙require [a]lignment
+ [C]arry╜║
+ o[V]erflow╜
+""",
+ )
+ )
-"""
+ def rp2040_dma_mmregisters(self) -> None:
+ base: int = 0x50000000
+
+ def fmt12(x: int) -> str:
+ s = fmt32(x)
+ return s[:-12] + "_" + s[-12:]
+
+ print(
+ box(
+ "RP2040 DMA memory-mapped registers",
+ f"""
+
+ 8 4 0
+ ┌──┴───┴───┤
+INTR : {fmt12(read_mmreg(base + 0x400))} Raw
+ │ │ │ │
+INTE0: {fmt12(read_mmreg(base + 0x404))} IRQ_DMA_0 Enable
+INTF0: {fmt12(read_mmreg(base + 0x408))} IRQ_DMA_0 Force
+INTS0: {fmt12(read_mmreg(base + 0x40c))} IRQ_DMA_0 Status
+ │ │ │ │
+INTE1: {fmt12(read_mmreg(base + 0x414))} IRQ_DMA_1 Enable
+INTF1: {fmt12(read_mmreg(base + 0x418))} IRQ_DMA_1 Force
+INTS1: {fmt12(read_mmreg(base + 0x41c))} IRQ_DMA_1 Status
+""",
+ )
)
RP2040ShowInterrupts()
+
+
+class RP2040ShowDMA(gdb.Command):
+ """Show the RP2040's DMA control registers."""
+
+ def __init__(self) -> None:
+ super().__init__("rp2040-show-dma", gdb.COMMAND_USER)
+
+ def invoke(self, arg: str, from_tty: bool) -> None:
+ base: int = 0x50000000
+ u32_size: int = 4
+
+ nchan = read_mmreg(base + 0x448)
+
+ def chreg(
+ ch: int,
+ name: typing.Literal[
+ "read_addr",
+ "write_addr",
+ "trans_count",
+ "ctrl",
+ "dbg_ctdreq",
+ "dbg_tcr",
+ ],
+ ) -> int:
+ fieldcnt: int = 4 * 4
+ fieldnum: int
+ debug = False
+ match name:
+ case "read_addr":
+ fieldnum = 0
+ case "write_addr":
+ fieldnum = 1
+ case "trans_count":
+ fieldnum = 2
+ case "ctrl":
+ fieldnum = 4
+ case "dbg_ctdreq":
+ fieldnum = 0
+ debug = True
+ case "dbg_tcr":
+ fieldnum = 1
+ debug = True
+ return read_mmreg(
+ base
+ + (0x800 if debug else 0)
+ + (ch * u32_size * fieldcnt)
+ + (u32_size * fieldnum)
+ )
+
+ def ctrl(ch: int) -> str:
+ s = fmt32(chreg(ch, "ctrl"))
+ return s[:10] + "_" + s[10:]
+
+ def chaddr(ch: int, name: typing.Literal["read", "write"]) -> str:
+ val = chreg(ch, name + "_addr") # type: ignore
+ if val == 0:
+ return "NULL "
+ return f"0x{val:08x}"
+
+ ret = """
+ ╓sniff_enable
+ ║╓bswap
+ ║║╓irq_quiet
+ ║║║ ┌treq_sel
+ ║║║ │ ┌chain_to
+ ║║║ │ │ ╓ring_sel
+ ║║║ │ │ ║ ┌ring_size
+ ║║║ │ │ ║ │ ╓incr_write
+ busy╖ ║║║ │ │ ║ │ ║╓incr_read
+write_err╖ ║ ║║║ │ │ ║ │ ║║┌data_size
+read_err╖║ ║ ║║║ │ │ ║ │ ║║│ ╓high_priority
+ahb_err╖║║ ║ ║║║ │ │ ║ │ ║║│ ║╓enable
+ ║║║ ║ ║║║ │ │ ║ │ ║║│ ║║ trans_cnt
+ ║║║ ║ ║║║┌─┴──┐┌┴─┐║┌┴─┐║║├┐║║ read_addr write_addr cur/reload
+"""
+ for ch in range(0, nchan):
+ ret += f"{ch: 3}: {ctrl(ch)} {chaddr(ch, 'read')} {chaddr(ch, 'write')} {chreg(ch, 'trans_count')}/{chreg(ch, 'dbg_tcr')}\n"
+ print(box("RP2040 DMA channels", ret))
+
+
+RP2040ShowDMA()