gh-91048: Refactor and optimize remote debugging module (#134652)
Completely refactor Modules/_remote_debugging_module.c with improved code organization, replacing scattered reference counting and error handling with centralized goto error paths. This cleanup improves maintainability and reduces code duplication throughout the module while preserving the same external API. Implement memory page caching optimization in Python/remote_debug.h to avoid repeated reads of the same memory regions during debugging operations. The cache stores previously read memory pages and reuses them for subsequent reads, significantly reducing system calls and improving performance. Add code object caching mechanism with a new code_object_generation field in the interpreter state that tracks when code object caches need invalidation. This allows efficient reuse of parsed code object metadata and eliminates redundant processing of the same code objects across debugging sessions. Optimize memory operations by replacing multiple individual structure copies with single bulk reads for the same data structures. This reduces the number of memory operations and system calls required to gather debugging information from the target process. Update Makefile.pre.in to include Python/remote_debug.h in the headers list, ensuring that changes to the remote debugging header force proper recompilation of dependent modules and maintain build consistency across the codebase. Also, make the module compatible with the free threading build as an extra :) Co-authored-by: Łukasz Langa <lukasz@langa.pl>
This commit is contained in:
parent
328a778db8
commit
42b25ad4d3
@ -61,6 +61,8 @@ typedef struct _stack_chunk {
|
||||
PyObject * data[1]; /* Variable sized */
|
||||
} _PyStackChunk;
|
||||
|
||||
/* Minimum size of data stack chunk */
|
||||
#define _PY_DATA_STACK_CHUNK_SIZE (16*1024)
|
||||
struct _ts {
|
||||
/* See Python/ceval.c for comments explaining most fields */
|
||||
|
||||
|
@ -54,11 +54,13 @@ extern "C" {
|
||||
# define _Py_Debug_Free_Threaded 1
|
||||
# define _Py_Debug_code_object_co_tlbc offsetof(PyCodeObject, co_tlbc)
|
||||
# define _Py_Debug_interpreter_frame_tlbc_index offsetof(_PyInterpreterFrame, tlbc_index)
|
||||
# define _Py_Debug_interpreter_state_tlbc_generation offsetof(PyInterpreterState, tlbc_indices.tlbc_generation)
|
||||
#else
|
||||
# define _Py_Debug_gilruntimestate_enabled 0
|
||||
# define _Py_Debug_Free_Threaded 0
|
||||
# define _Py_Debug_code_object_co_tlbc 0
|
||||
# define _Py_Debug_interpreter_frame_tlbc_index 0
|
||||
# define _Py_Debug_interpreter_state_tlbc_generation 0
|
||||
#endif
|
||||
|
||||
|
||||
@ -89,6 +91,8 @@ typedef struct _Py_DebugOffsets {
|
||||
uint64_t gil_runtime_state_enabled;
|
||||
uint64_t gil_runtime_state_locked;
|
||||
uint64_t gil_runtime_state_holder;
|
||||
uint64_t code_object_generation;
|
||||
uint64_t tlbc_generation;
|
||||
} interpreter_state;
|
||||
|
||||
// Thread state offset;
|
||||
@ -216,6 +220,11 @@ typedef struct _Py_DebugOffsets {
|
||||
uint64_t gi_frame_state;
|
||||
} gen_object;
|
||||
|
||||
struct _llist_node {
|
||||
uint64_t next;
|
||||
uint64_t prev;
|
||||
} llist_node;
|
||||
|
||||
struct _debugger_support {
|
||||
uint64_t eval_breaker;
|
||||
uint64_t remote_debugger_support;
|
||||
@ -251,6 +260,8 @@ typedef struct _Py_DebugOffsets {
|
||||
.gil_runtime_state_enabled = _Py_Debug_gilruntimestate_enabled, \
|
||||
.gil_runtime_state_locked = offsetof(PyInterpreterState, _gil.locked), \
|
||||
.gil_runtime_state_holder = offsetof(PyInterpreterState, _gil.last_holder), \
|
||||
.code_object_generation = offsetof(PyInterpreterState, _code_object_generation), \
|
||||
.tlbc_generation = _Py_Debug_interpreter_state_tlbc_generation, \
|
||||
}, \
|
||||
.thread_state = { \
|
||||
.size = sizeof(PyThreadState), \
|
||||
@ -347,6 +358,10 @@ typedef struct _Py_DebugOffsets {
|
||||
.gi_iframe = offsetof(PyGenObject, gi_iframe), \
|
||||
.gi_frame_state = offsetof(PyGenObject, gi_frame_state), \
|
||||
}, \
|
||||
.llist_node = { \
|
||||
.next = offsetof(struct llist_node, next), \
|
||||
.prev = offsetof(struct llist_node, prev), \
|
||||
}, \
|
||||
.debugger_support = { \
|
||||
.eval_breaker = offsetof(PyThreadState, eval_breaker), \
|
||||
.remote_debugger_support = offsetof(PyThreadState, remote_debugger_support), \
|
||||
|
@ -795,6 +795,7 @@ _PyStaticObjects_CheckRefcnt(PyInterpreterState *interp) {
|
||||
_PyStaticObject_CheckRefcnt((PyObject *)&_Py_ID(alias));
|
||||
_PyStaticObject_CheckRefcnt((PyObject *)&_Py_ID(align));
|
||||
_PyStaticObject_CheckRefcnt((PyObject *)&_Py_ID(all));
|
||||
_PyStaticObject_CheckRefcnt((PyObject *)&_Py_ID(all_threads));
|
||||
_PyStaticObject_CheckRefcnt((PyObject *)&_Py_ID(allow_code));
|
||||
_PyStaticObject_CheckRefcnt((PyObject *)&_Py_ID(any));
|
||||
_PyStaticObject_CheckRefcnt((PyObject *)&_Py_ID(append));
|
||||
|
@ -286,6 +286,7 @@ struct _Py_global_strings {
|
||||
STRUCT_FOR_ID(alias)
|
||||
STRUCT_FOR_ID(align)
|
||||
STRUCT_FOR_ID(all)
|
||||
STRUCT_FOR_ID(all_threads)
|
||||
STRUCT_FOR_ID(allow_code)
|
||||
STRUCT_FOR_ID(any)
|
||||
STRUCT_FOR_ID(append)
|
||||
|
@ -726,6 +726,10 @@ typedef struct _PyIndexPool {
|
||||
|
||||
// Next index to allocate if no free indices are available
|
||||
int32_t next_index;
|
||||
|
||||
// Generation counter incremented on thread creation/destruction
|
||||
// Used for TLBC cache invalidation in remote debugging
|
||||
uint32_t tlbc_generation;
|
||||
} _PyIndexPool;
|
||||
|
||||
typedef union _Py_unique_id_entry {
|
||||
@ -843,6 +847,8 @@ struct _is {
|
||||
/* The per-interpreter GIL, which might not be used. */
|
||||
struct _gil_runtime_state _gil;
|
||||
|
||||
uint64_t _code_object_generation;
|
||||
|
||||
/* ---------- IMPORTANT ---------------------------
|
||||
The fields above this line are declared as early as
|
||||
possible to facilitate out-of-process observability
|
||||
|
1
Include/internal/pycore_runtime_init_generated.h
generated
1
Include/internal/pycore_runtime_init_generated.h
generated
@ -793,6 +793,7 @@ extern "C" {
|
||||
INIT_ID(alias), \
|
||||
INIT_ID(align), \
|
||||
INIT_ID(all), \
|
||||
INIT_ID(all_threads), \
|
||||
INIT_ID(allow_code), \
|
||||
INIT_ID(any), \
|
||||
INIT_ID(append), \
|
||||
|
@ -932,6 +932,10 @@ _PyUnicode_InitStaticStrings(PyInterpreterState *interp) {
|
||||
_PyUnicode_InternStatic(interp, &string);
|
||||
assert(_PyUnicode_CheckConsistency(string, 1));
|
||||
assert(PyUnicode_GET_LENGTH(string) != 1);
|
||||
string = &_Py_ID(all_threads);
|
||||
_PyUnicode_InternStatic(interp, &string);
|
||||
assert(_PyUnicode_CheckConsistency(string, 1));
|
||||
assert(PyUnicode_GET_LENGTH(string) != 1);
|
||||
string = &_Py_ID(allow_code);
|
||||
_PyUnicode_InternStatic(interp, &string);
|
||||
assert(_PyUnicode_CheckConsistency(string, 1));
|
||||
|
@ -1,11 +1,10 @@
|
||||
"""Tools to analyze tasks running in asyncio programs."""
|
||||
|
||||
from dataclasses import dataclass
|
||||
from collections import defaultdict
|
||||
from itertools import count
|
||||
from enum import Enum
|
||||
import sys
|
||||
from _remote_debugging import get_all_awaited_by
|
||||
from _remote_debugging import RemoteUnwinder
|
||||
|
||||
|
||||
class NodeType(Enum):
|
||||
@ -118,6 +117,11 @@ def _find_cycles(graph):
|
||||
|
||||
|
||||
# ─── PRINT TREE FUNCTION ───────────────────────────────────────
|
||||
def get_all_awaited_by(pid):
|
||||
unwinder = RemoteUnwinder(pid)
|
||||
return unwinder.get_all_awaited_by()
|
||||
|
||||
|
||||
def build_async_tree(result, task_emoji="(T)", cor_emoji=""):
|
||||
"""
|
||||
Build a list of strings for pretty-print an async call tree.
|
||||
|
@ -4,6 +4,7 @@ import textwrap
|
||||
import importlib
|
||||
import sys
|
||||
import socket
|
||||
import threading
|
||||
from asyncio import staggered, taskgroups
|
||||
from unittest.mock import ANY
|
||||
from test.support import os_helper, SHORT_TIMEOUT, busy_retry
|
||||
@ -16,9 +17,7 @@ PROCESS_VM_READV_SUPPORTED = False
|
||||
|
||||
try:
|
||||
from _remote_debugging import PROCESS_VM_READV_SUPPORTED
|
||||
from _remote_debugging import get_stack_trace
|
||||
from _remote_debugging import get_async_stack_trace
|
||||
from _remote_debugging import get_all_awaited_by
|
||||
from _remote_debugging import RemoteUnwinder
|
||||
except ImportError:
|
||||
raise unittest.SkipTest("Test only runs when _remote_debugging is available")
|
||||
|
||||
@ -34,7 +33,23 @@ skip_if_not_supported = unittest.skipIf(
|
||||
)
|
||||
|
||||
|
||||
def get_stack_trace(pid):
|
||||
unwinder = RemoteUnwinder(pid, all_threads=True)
|
||||
return unwinder.get_stack_trace()
|
||||
|
||||
|
||||
def get_async_stack_trace(pid):
|
||||
unwinder = RemoteUnwinder(pid)
|
||||
return unwinder.get_async_stack_trace()
|
||||
|
||||
|
||||
def get_all_awaited_by(pid):
|
||||
unwinder = RemoteUnwinder(pid)
|
||||
return unwinder.get_all_awaited_by()
|
||||
|
||||
|
||||
class TestGetStackTrace(unittest.TestCase):
|
||||
maxDiff = None
|
||||
|
||||
@skip_if_not_supported
|
||||
@unittest.skipIf(
|
||||
@ -46,7 +61,7 @@ class TestGetStackTrace(unittest.TestCase):
|
||||
port = find_unused_port()
|
||||
script = textwrap.dedent(
|
||||
f"""\
|
||||
import time, sys, socket
|
||||
import time, sys, socket, threading
|
||||
# Connect to the test process
|
||||
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
|
||||
sock.connect(('localhost', {port}))
|
||||
@ -55,13 +70,16 @@ class TestGetStackTrace(unittest.TestCase):
|
||||
for x in range(100):
|
||||
if x == 50:
|
||||
baz()
|
||||
|
||||
def baz():
|
||||
foo()
|
||||
|
||||
def foo():
|
||||
sock.sendall(b"ready"); time.sleep(10_000) # same line number
|
||||
sock.sendall(b"ready:thread\\n"); time.sleep(10_000) # same line number
|
||||
|
||||
bar()
|
||||
t = threading.Thread(target=bar)
|
||||
t.start()
|
||||
sock.sendall(b"ready:main\\n"); t.join() # same line number
|
||||
"""
|
||||
)
|
||||
stack_trace = None
|
||||
@ -82,8 +100,9 @@ class TestGetStackTrace(unittest.TestCase):
|
||||
p = subprocess.Popen([sys.executable, script_name])
|
||||
client_socket, _ = server_socket.accept()
|
||||
server_socket.close()
|
||||
response = client_socket.recv(1024)
|
||||
self.assertEqual(response, b"ready")
|
||||
response = b""
|
||||
while b"ready:main" not in response or b"ready:thread" not in response:
|
||||
response += client_socket.recv(1024)
|
||||
stack_trace = get_stack_trace(p.pid)
|
||||
except PermissionError:
|
||||
self.skipTest("Insufficient permissions to read the stack trace")
|
||||
@ -94,13 +113,23 @@ class TestGetStackTrace(unittest.TestCase):
|
||||
p.terminate()
|
||||
p.wait(timeout=SHORT_TIMEOUT)
|
||||
|
||||
expected_stack_trace = [
|
||||
("foo", script_name, 14),
|
||||
("baz", script_name, 11),
|
||||
thread_expected_stack_trace = [
|
||||
("foo", script_name, 15),
|
||||
("baz", script_name, 12),
|
||||
("bar", script_name, 9),
|
||||
("<module>", script_name, 16),
|
||||
('Thread.run', threading.__file__, ANY)
|
||||
]
|
||||
self.assertEqual(stack_trace, expected_stack_trace)
|
||||
# Is possible that there are more threads, so we check that the
|
||||
# expected stack traces are in the result (looking at you Windows!)
|
||||
self.assertIn((ANY, thread_expected_stack_trace), stack_trace)
|
||||
|
||||
# Check that the main thread stack trace is in the result
|
||||
frame = ("<module>", script_name, 19)
|
||||
for _, stack in stack_trace:
|
||||
if frame in stack:
|
||||
break
|
||||
else:
|
||||
self.fail("Main thread stack trace not found in result")
|
||||
|
||||
@skip_if_not_supported
|
||||
@unittest.skipIf(
|
||||
@ -700,13 +729,28 @@ class TestGetStackTrace(unittest.TestCase):
|
||||
)
|
||||
def test_self_trace(self):
|
||||
stack_trace = get_stack_trace(os.getpid())
|
||||
# Is possible that there are more threads, so we check that the
|
||||
# expected stack traces are in the result (looking at you Windows!)
|
||||
this_tread_stack = None
|
||||
for thread_id, stack in stack_trace:
|
||||
if thread_id == threading.get_native_id():
|
||||
this_tread_stack = stack
|
||||
break
|
||||
self.assertIsNotNone(this_tread_stack)
|
||||
self.assertEqual(
|
||||
stack_trace[0],
|
||||
(
|
||||
"TestGetStackTrace.test_self_trace",
|
||||
__file__,
|
||||
self.test_self_trace.__code__.co_firstlineno + 6,
|
||||
),
|
||||
stack[:2],
|
||||
[
|
||||
(
|
||||
"get_stack_trace",
|
||||
__file__,
|
||||
get_stack_trace.__code__.co_firstlineno + 2,
|
||||
),
|
||||
(
|
||||
"TestGetStackTrace.test_self_trace",
|
||||
__file__,
|
||||
self.test_self_trace.__code__.co_firstlineno + 6,
|
||||
),
|
||||
]
|
||||
)
|
||||
|
||||
|
||||
|
@ -1206,6 +1206,7 @@ PYTHON_HEADERS= \
|
||||
$(srcdir)/Include/unicodeobject.h \
|
||||
$(srcdir)/Include/warnings.h \
|
||||
$(srcdir)/Include/weakrefobject.h \
|
||||
$(srcdir)/Python/remote_debug.h \
|
||||
\
|
||||
pyconfig.h \
|
||||
$(PARSER_HEADERS) \
|
||||
|
File diff suppressed because it is too large
Load Diff
243
Modules/clinic/_remote_debugging_module.c.h
generated
Normal file
243
Modules/clinic/_remote_debugging_module.c.h
generated
Normal file
@ -0,0 +1,243 @@
|
||||
/*[clinic input]
|
||||
preserve
|
||||
[clinic start generated code]*/
|
||||
|
||||
#if defined(Py_BUILD_CORE) && !defined(Py_BUILD_CORE_MODULE)
|
||||
# include "pycore_gc.h" // PyGC_Head
|
||||
# include "pycore_runtime.h" // _Py_ID()
|
||||
#endif
|
||||
#include "pycore_critical_section.h"// Py_BEGIN_CRITICAL_SECTION()
|
||||
#include "pycore_modsupport.h" // _PyArg_UnpackKeywords()
|
||||
|
||||
PyDoc_STRVAR(_remote_debugging_RemoteUnwinder___init____doc__,
|
||||
"RemoteUnwinder(pid, *, all_threads=False)\n"
|
||||
"--\n"
|
||||
"\n"
|
||||
"Initialize a new RemoteUnwinder object for debugging a remote Python process.\n"
|
||||
"\n"
|
||||
"Args:\n"
|
||||
" pid: Process ID of the target Python process to debug\n"
|
||||
" all_threads: If True, initialize state for all threads in the process.\n"
|
||||
" If False, only initialize for the main thread.\n"
|
||||
"\n"
|
||||
"The RemoteUnwinder provides functionality to inspect and debug a running Python\n"
|
||||
"process, including examining thread states, stack frames and other runtime data.\n"
|
||||
"\n"
|
||||
"Raises:\n"
|
||||
" PermissionError: If access to the target process is denied\n"
|
||||
" OSError: If unable to attach to the target process or access its memory\n"
|
||||
" RuntimeError: If unable to read debug information from the target process");
|
||||
|
||||
static int
|
||||
_remote_debugging_RemoteUnwinder___init___impl(RemoteUnwinderObject *self,
|
||||
int pid, int all_threads);
|
||||
|
||||
static int
|
||||
_remote_debugging_RemoteUnwinder___init__(PyObject *self, PyObject *args, PyObject *kwargs)
|
||||
{
|
||||
int return_value = -1;
|
||||
#if defined(Py_BUILD_CORE) && !defined(Py_BUILD_CORE_MODULE)
|
||||
|
||||
#define NUM_KEYWORDS 2
|
||||
static struct {
|
||||
PyGC_Head _this_is_not_used;
|
||||
PyObject_VAR_HEAD
|
||||
Py_hash_t ob_hash;
|
||||
PyObject *ob_item[NUM_KEYWORDS];
|
||||
} _kwtuple = {
|
||||
.ob_base = PyVarObject_HEAD_INIT(&PyTuple_Type, NUM_KEYWORDS)
|
||||
.ob_hash = -1,
|
||||
.ob_item = { &_Py_ID(pid), &_Py_ID(all_threads), },
|
||||
};
|
||||
#undef NUM_KEYWORDS
|
||||
#define KWTUPLE (&_kwtuple.ob_base.ob_base)
|
||||
|
||||
#else // !Py_BUILD_CORE
|
||||
# define KWTUPLE NULL
|
||||
#endif // !Py_BUILD_CORE
|
||||
|
||||
static const char * const _keywords[] = {"pid", "all_threads", NULL};
|
||||
static _PyArg_Parser _parser = {
|
||||
.keywords = _keywords,
|
||||
.fname = "RemoteUnwinder",
|
||||
.kwtuple = KWTUPLE,
|
||||
};
|
||||
#undef KWTUPLE
|
||||
PyObject *argsbuf[2];
|
||||
PyObject * const *fastargs;
|
||||
Py_ssize_t nargs = PyTuple_GET_SIZE(args);
|
||||
Py_ssize_t noptargs = nargs + (kwargs ? PyDict_GET_SIZE(kwargs) : 0) - 1;
|
||||
int pid;
|
||||
int all_threads = 0;
|
||||
|
||||
fastargs = _PyArg_UnpackKeywords(_PyTuple_CAST(args)->ob_item, nargs, kwargs, NULL, &_parser,
|
||||
/*minpos*/ 1, /*maxpos*/ 1, /*minkw*/ 0, /*varpos*/ 0, argsbuf);
|
||||
if (!fastargs) {
|
||||
goto exit;
|
||||
}
|
||||
pid = PyLong_AsInt(fastargs[0]);
|
||||
if (pid == -1 && PyErr_Occurred()) {
|
||||
goto exit;
|
||||
}
|
||||
if (!noptargs) {
|
||||
goto skip_optional_kwonly;
|
||||
}
|
||||
all_threads = PyObject_IsTrue(fastargs[1]);
|
||||
if (all_threads < 0) {
|
||||
goto exit;
|
||||
}
|
||||
skip_optional_kwonly:
|
||||
return_value = _remote_debugging_RemoteUnwinder___init___impl((RemoteUnwinderObject *)self, pid, all_threads);
|
||||
|
||||
exit:
|
||||
return return_value;
|
||||
}
|
||||
|
||||
PyDoc_STRVAR(_remote_debugging_RemoteUnwinder_get_stack_trace__doc__,
|
||||
"get_stack_trace($self, /)\n"
|
||||
"--\n"
|
||||
"\n"
|
||||
"Returns a list of stack traces for all threads in the target process.\n"
|
||||
"\n"
|
||||
"Each element in the returned list is a tuple of (thread_id, frame_list), where:\n"
|
||||
"- thread_id is the OS thread identifier\n"
|
||||
"- frame_list is a list of tuples (function_name, filename, line_number) representing\n"
|
||||
" the Python stack frames for that thread, ordered from most recent to oldest\n"
|
||||
"\n"
|
||||
"Example:\n"
|
||||
" [\n"
|
||||
" (1234, [\n"
|
||||
" (\'process_data\', \'worker.py\', 127),\n"
|
||||
" (\'run_worker\', \'worker.py\', 45),\n"
|
||||
" (\'main\', \'app.py\', 23)\n"
|
||||
" ]),\n"
|
||||
" (1235, [\n"
|
||||
" (\'handle_request\', \'server.py\', 89),\n"
|
||||
" (\'serve_forever\', \'server.py\', 52)\n"
|
||||
" ])\n"
|
||||
" ]\n"
|
||||
"\n"
|
||||
"Raises:\n"
|
||||
" RuntimeError: If there is an error copying memory from the target process\n"
|
||||
" OSError: If there is an error accessing the target process\n"
|
||||
" PermissionError: If access to the target process is denied\n"
|
||||
" UnicodeDecodeError: If there is an error decoding strings from the target process");
|
||||
|
||||
#define _REMOTE_DEBUGGING_REMOTEUNWINDER_GET_STACK_TRACE_METHODDEF \
|
||||
{"get_stack_trace", (PyCFunction)_remote_debugging_RemoteUnwinder_get_stack_trace, METH_NOARGS, _remote_debugging_RemoteUnwinder_get_stack_trace__doc__},
|
||||
|
||||
static PyObject *
|
||||
_remote_debugging_RemoteUnwinder_get_stack_trace_impl(RemoteUnwinderObject *self);
|
||||
|
||||
static PyObject *
|
||||
_remote_debugging_RemoteUnwinder_get_stack_trace(PyObject *self, PyObject *Py_UNUSED(ignored))
|
||||
{
|
||||
PyObject *return_value = NULL;
|
||||
|
||||
Py_BEGIN_CRITICAL_SECTION(self);
|
||||
return_value = _remote_debugging_RemoteUnwinder_get_stack_trace_impl((RemoteUnwinderObject *)self);
|
||||
Py_END_CRITICAL_SECTION();
|
||||
|
||||
return return_value;
|
||||
}
|
||||
|
||||
PyDoc_STRVAR(_remote_debugging_RemoteUnwinder_get_all_awaited_by__doc__,
|
||||
"get_all_awaited_by($self, /)\n"
|
||||
"--\n"
|
||||
"\n"
|
||||
"Get all tasks and their awaited_by relationships from the remote process.\n"
|
||||
"\n"
|
||||
"This provides a tree structure showing which tasks are waiting for other tasks.\n"
|
||||
"\n"
|
||||
"For each task, returns:\n"
|
||||
"1. The call stack frames leading to where the task is currently executing\n"
|
||||
"2. The name of the task\n"
|
||||
"3. A list of tasks that this task is waiting for, with their own frames/names/etc\n"
|
||||
"\n"
|
||||
"Returns a list of [frames, task_name, subtasks] where:\n"
|
||||
"- frames: List of (func_name, filename, lineno) showing the call stack\n"
|
||||
"- task_name: String identifier for the task\n"
|
||||
"- subtasks: List of tasks being awaited by this task, in same format\n"
|
||||
"\n"
|
||||
"Raises:\n"
|
||||
" RuntimeError: If AsyncioDebug section is not available in the remote process\n"
|
||||
" MemoryError: If memory allocation fails\n"
|
||||
" OSError: If reading from the remote process fails\n"
|
||||
"\n"
|
||||
"Example output:\n"
|
||||
"[\n"
|
||||
" [\n"
|
||||
" [(\"c5\", \"script.py\", 10), (\"c4\", \"script.py\", 14)],\n"
|
||||
" \"c2_root\",\n"
|
||||
" [\n"
|
||||
" [\n"
|
||||
" [(\"c1\", \"script.py\", 23)],\n"
|
||||
" \"sub_main_2\",\n"
|
||||
" [...]\n"
|
||||
" ],\n"
|
||||
" [...]\n"
|
||||
" ]\n"
|
||||
" ]\n"
|
||||
"]");
|
||||
|
||||
#define _REMOTE_DEBUGGING_REMOTEUNWINDER_GET_ALL_AWAITED_BY_METHODDEF \
|
||||
{"get_all_awaited_by", (PyCFunction)_remote_debugging_RemoteUnwinder_get_all_awaited_by, METH_NOARGS, _remote_debugging_RemoteUnwinder_get_all_awaited_by__doc__},
|
||||
|
||||
static PyObject *
|
||||
_remote_debugging_RemoteUnwinder_get_all_awaited_by_impl(RemoteUnwinderObject *self);
|
||||
|
||||
static PyObject *
|
||||
_remote_debugging_RemoteUnwinder_get_all_awaited_by(PyObject *self, PyObject *Py_UNUSED(ignored))
|
||||
{
|
||||
PyObject *return_value = NULL;
|
||||
|
||||
Py_BEGIN_CRITICAL_SECTION(self);
|
||||
return_value = _remote_debugging_RemoteUnwinder_get_all_awaited_by_impl((RemoteUnwinderObject *)self);
|
||||
Py_END_CRITICAL_SECTION();
|
||||
|
||||
return return_value;
|
||||
}
|
||||
|
||||
PyDoc_STRVAR(_remote_debugging_RemoteUnwinder_get_async_stack_trace__doc__,
|
||||
"get_async_stack_trace($self, /)\n"
|
||||
"--\n"
|
||||
"\n"
|
||||
"Returns information about the currently running async task and its stack trace.\n"
|
||||
"\n"
|
||||
"Returns a tuple of (task_info, stack_frames) where:\n"
|
||||
"- task_info is a tuple of (task_id, task_name) identifying the task\n"
|
||||
"- stack_frames is a list of tuples (function_name, filename, line_number) representing\n"
|
||||
" the Python stack frames for the task, ordered from most recent to oldest\n"
|
||||
"\n"
|
||||
"Example:\n"
|
||||
" ((4345585712, \'Task-1\'), [\n"
|
||||
" (\'run_echo_server\', \'server.py\', 127),\n"
|
||||
" (\'serve_forever\', \'server.py\', 45),\n"
|
||||
" (\'main\', \'app.py\', 23)\n"
|
||||
" ])\n"
|
||||
"\n"
|
||||
"Raises:\n"
|
||||
" RuntimeError: If AsyncioDebug section is not available in the target process\n"
|
||||
" RuntimeError: If there is an error copying memory from the target process\n"
|
||||
" OSError: If there is an error accessing the target process\n"
|
||||
" PermissionError: If access to the target process is denied\n"
|
||||
" UnicodeDecodeError: If there is an error decoding strings from the target process");
|
||||
|
||||
#define _REMOTE_DEBUGGING_REMOTEUNWINDER_GET_ASYNC_STACK_TRACE_METHODDEF \
|
||||
{"get_async_stack_trace", (PyCFunction)_remote_debugging_RemoteUnwinder_get_async_stack_trace, METH_NOARGS, _remote_debugging_RemoteUnwinder_get_async_stack_trace__doc__},
|
||||
|
||||
static PyObject *
|
||||
_remote_debugging_RemoteUnwinder_get_async_stack_trace_impl(RemoteUnwinderObject *self);
|
||||
|
||||
static PyObject *
|
||||
_remote_debugging_RemoteUnwinder_get_async_stack_trace(PyObject *self, PyObject *Py_UNUSED(ignored))
|
||||
{
|
||||
PyObject *return_value = NULL;
|
||||
|
||||
Py_BEGIN_CRITICAL_SECTION(self);
|
||||
return_value = _remote_debugging_RemoteUnwinder_get_async_stack_trace_impl((RemoteUnwinderObject *)self);
|
||||
Py_END_CRITICAL_SECTION();
|
||||
|
||||
return return_value;
|
||||
}
|
||||
/*[clinic end generated code: output=654772085f1f4bf6 input=a9049054013a1b77]*/
|
@ -2364,6 +2364,8 @@ free_monitoring_data(_PyCoMonitoringData *data)
|
||||
static void
|
||||
code_dealloc(PyObject *self)
|
||||
{
|
||||
PyThreadState *tstate = PyThreadState_GET();
|
||||
_Py_atomic_add_uint64(&tstate->interp->_code_object_generation, 1);
|
||||
PyCodeObject *co = _PyCodeObject_CAST(self);
|
||||
_PyObject_ResurrectStart(self);
|
||||
notify_code_watchers(PY_CODE_EVENT_DESTROY, co);
|
||||
|
@ -172,6 +172,9 @@ _PyIndexPool_AllocIndex(_PyIndexPool *pool)
|
||||
else {
|
||||
index = heap_pop(free_indices);
|
||||
}
|
||||
|
||||
pool->tlbc_generation++;
|
||||
|
||||
UNLOCK_POOL(pool);
|
||||
return index;
|
||||
}
|
||||
@ -180,6 +183,7 @@ void
|
||||
_PyIndexPool_FreeIndex(_PyIndexPool *pool, int32_t index)
|
||||
{
|
||||
LOCK_POOL(pool);
|
||||
pool->tlbc_generation++;
|
||||
heap_add(&pool->free_indices, index);
|
||||
UNLOCK_POOL(pool);
|
||||
}
|
||||
|
@ -567,6 +567,7 @@ init_interpreter(PyInterpreterState *interp,
|
||||
}
|
||||
interp->sys_profile_initialized = false;
|
||||
interp->sys_trace_initialized = false;
|
||||
interp->_code_object_generation = 0;
|
||||
interp->jit = false;
|
||||
interp->executor_list_head = NULL;
|
||||
interp->executor_deletion_list_head = NULL;
|
||||
@ -777,6 +778,10 @@ interpreter_clear(PyInterpreterState *interp, PyThreadState *tstate)
|
||||
for (int t = 0; t < PY_MONITORING_TOOL_IDS; t++) {
|
||||
Py_CLEAR(interp->monitoring_tool_names[t]);
|
||||
}
|
||||
interp->_code_object_generation = 0;
|
||||
#ifdef Py_GIL_DISABLED
|
||||
interp->tlbc_indices.tlbc_generation = 0;
|
||||
#endif
|
||||
|
||||
PyConfig_Clear(&interp->config);
|
||||
_PyCodec_Fini(interp);
|
||||
@ -1346,9 +1351,6 @@ tstate_is_alive(PyThreadState *tstate)
|
||||
// lifecycle
|
||||
//----------
|
||||
|
||||
/* Minimum size of data stack chunk */
|
||||
#define DATA_STACK_CHUNK_SIZE (16*1024)
|
||||
|
||||
static _PyStackChunk*
|
||||
allocate_chunk(int size_in_bytes, _PyStackChunk* previous)
|
||||
{
|
||||
@ -2897,7 +2899,7 @@ _PyInterpreterState_HasFeature(PyInterpreterState *interp, unsigned long feature
|
||||
static PyObject **
|
||||
push_chunk(PyThreadState *tstate, int size)
|
||||
{
|
||||
int allocate_size = DATA_STACK_CHUNK_SIZE;
|
||||
int allocate_size = _PY_DATA_STACK_CHUNK_SIZE;
|
||||
while (allocate_size < (int)sizeof(PyObject*)*(size + MINIMUM_OVERHEAD)) {
|
||||
allocate_size *= 2;
|
||||
}
|
||||
|
@ -73,19 +73,71 @@ extern "C" {
|
||||
# define HAVE_PROCESS_VM_READV 0
|
||||
#endif
|
||||
|
||||
static inline size_t
|
||||
get_page_size(void) {
|
||||
size_t page_size = 0;
|
||||
if (page_size == 0) {
|
||||
#ifdef MS_WINDOWS
|
||||
SYSTEM_INFO si;
|
||||
GetSystemInfo(&si);
|
||||
page_size = si.dwPageSize;
|
||||
#else
|
||||
page_size = (size_t)getpagesize();
|
||||
#endif
|
||||
}
|
||||
return page_size;
|
||||
}
|
||||
|
||||
typedef struct page_cache_entry {
|
||||
uintptr_t page_addr; // page-aligned base address
|
||||
char *data;
|
||||
int valid;
|
||||
struct page_cache_entry *next;
|
||||
} page_cache_entry_t;
|
||||
|
||||
#define MAX_PAGES 1024
|
||||
|
||||
// Define a platform-independent process handle structure
|
||||
typedef struct {
|
||||
pid_t pid;
|
||||
#ifdef MS_WINDOWS
|
||||
#if defined(__APPLE__)
|
||||
mach_port_t task;
|
||||
#elif defined(MS_WINDOWS)
|
||||
HANDLE hProcess;
|
||||
#endif
|
||||
page_cache_entry_t pages[MAX_PAGES];
|
||||
Py_ssize_t page_size;
|
||||
} proc_handle_t;
|
||||
|
||||
static void
|
||||
_Py_RemoteDebug_FreePageCache(proc_handle_t *handle)
|
||||
{
|
||||
for (int i = 0; i < MAX_PAGES; i++) {
|
||||
PyMem_RawFree(handle->pages[i].data);
|
||||
handle->pages[i].data = NULL;
|
||||
handle->pages[i].valid = 0;
|
||||
}
|
||||
}
|
||||
|
||||
void
|
||||
_Py_RemoteDebug_ClearCache(proc_handle_t *handle)
|
||||
{
|
||||
for (int i = 0; i < MAX_PAGES; i++) {
|
||||
handle->pages[i].valid = 0;
|
||||
}
|
||||
}
|
||||
|
||||
#if defined(__APPLE__) && TARGET_OS_OSX
|
||||
static mach_port_t pid_to_task(pid_t pid);
|
||||
#endif
|
||||
|
||||
// Initialize the process handle
|
||||
static int
|
||||
_Py_RemoteDebug_InitProcHandle(proc_handle_t *handle, pid_t pid) {
|
||||
handle->pid = pid;
|
||||
#ifdef MS_WINDOWS
|
||||
#if defined(__APPLE__)
|
||||
handle->task = pid_to_task(handle->pid);
|
||||
#elif defined(MS_WINDOWS)
|
||||
handle->hProcess = OpenProcess(
|
||||
PROCESS_VM_READ | PROCESS_VM_WRITE | PROCESS_VM_OPERATION | PROCESS_QUERY_INFORMATION,
|
||||
FALSE, pid);
|
||||
@ -94,6 +146,11 @@ _Py_RemoteDebug_InitProcHandle(proc_handle_t *handle, pid_t pid) {
|
||||
return -1;
|
||||
}
|
||||
#endif
|
||||
handle->page_size = get_page_size();
|
||||
for (int i = 0; i < MAX_PAGES; i++) {
|
||||
handle->pages[i].data = NULL;
|
||||
handle->pages[i].valid = 0;
|
||||
}
|
||||
return 0;
|
||||
}
|
||||
|
||||
@ -107,6 +164,7 @@ _Py_RemoteDebug_CleanupProcHandle(proc_handle_t *handle) {
|
||||
}
|
||||
#endif
|
||||
handle->pid = 0;
|
||||
_Py_RemoteDebug_FreePageCache(handle);
|
||||
}
|
||||
|
||||
#if defined(__APPLE__) && TARGET_OS_OSX
|
||||
@ -755,7 +813,7 @@ _Py_RemoteDebug_ReadRemoteMemory(proc_handle_t *handle, uintptr_t remote_address
|
||||
#elif defined(__APPLE__) && TARGET_OS_OSX
|
||||
Py_ssize_t result = -1;
|
||||
kern_return_t kr = mach_vm_read_overwrite(
|
||||
pid_to_task(handle->pid),
|
||||
handle->task,
|
||||
(mach_vm_address_t)remote_address,
|
||||
len,
|
||||
(mach_vm_address_t)dst,
|
||||
@ -780,6 +838,59 @@ _Py_RemoteDebug_ReadRemoteMemory(proc_handle_t *handle, uintptr_t remote_address
|
||||
#endif
|
||||
}
|
||||
|
||||
int
|
||||
_Py_RemoteDebug_PagedReadRemoteMemory(proc_handle_t *handle,
|
||||
uintptr_t addr,
|
||||
size_t size,
|
||||
void *out)
|
||||
{
|
||||
size_t page_size = handle->page_size;
|
||||
uintptr_t page_base = addr & ~(page_size - 1);
|
||||
size_t offset_in_page = addr - page_base;
|
||||
|
||||
if (offset_in_page + size > page_size) {
|
||||
return _Py_RemoteDebug_ReadRemoteMemory(handle, addr, size, out);
|
||||
}
|
||||
|
||||
// Search for valid cached page
|
||||
for (int i = 0; i < MAX_PAGES; i++) {
|
||||
page_cache_entry_t *entry = &handle->pages[i];
|
||||
if (entry->valid && entry->page_addr == page_base) {
|
||||
memcpy(out, entry->data + offset_in_page, size);
|
||||
return 0;
|
||||
}
|
||||
}
|
||||
|
||||
// Find reusable slot
|
||||
for (int i = 0; i < MAX_PAGES; i++) {
|
||||
page_cache_entry_t *entry = &handle->pages[i];
|
||||
if (!entry->valid) {
|
||||
if (entry->data == NULL) {
|
||||
entry->data = PyMem_RawMalloc(page_size);
|
||||
if (entry->data == NULL) {
|
||||
PyErr_NoMemory();
|
||||
return -1;
|
||||
}
|
||||
}
|
||||
|
||||
if (_Py_RemoteDebug_ReadRemoteMemory(handle, page_base, page_size, entry->data) < 0) {
|
||||
// Try to just copy the exact ammount as a fallback
|
||||
PyErr_Clear();
|
||||
goto fallback;
|
||||
}
|
||||
|
||||
entry->page_addr = page_base;
|
||||
entry->valid = 1;
|
||||
memcpy(out, entry->data + offset_in_page, size);
|
||||
return 0;
|
||||
}
|
||||
}
|
||||
|
||||
fallback:
|
||||
// Cache full — fallback to uncached read
|
||||
return _Py_RemoteDebug_ReadRemoteMemory(handle, addr, size, out);
|
||||
}
|
||||
|
||||
static int
|
||||
_Py_RemoteDebug_ReadDebugOffsets(
|
||||
proc_handle_t *handle,
|
||||
|
Loading…
x
Reference in New Issue
Block a user