Add support for space in the python file (#1982)
Some checks failed
Code scanning - action / CodeQL-Build (push) Has been cancelled

* Add support for space in the python file itself when using shell expansion.

* Fix linter

* Fix flakey test
This commit is contained in:
Rich Chiodo 2025-12-12 16:04:10 -08:00 committed by GitHub
parent e5017d7360
commit 698499e9ec
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
4 changed files with 148 additions and 6 deletions

View file

@ -160,15 +160,16 @@ def spawn_debuggee(
quote_char = arguments["terminalQuoteCharacter"] if "terminalQuoteCharacter" in arguments else default_quote
# VS code doesn't quote arguments if `argsCanBeInterpretedByShell` is true,
# so we need to do it ourselves for the arguments up to the call to the adapter.
# so we need to do it ourselves for the arguments up to the first argument passed to
# debugpy (this should be the python file to run).
args = request_args["args"]
for i in range(len(args)):
if args[i] == "--":
break
s = args[i]
if " " in s and not ((s.startswith('"') and s.endswith('"')) or (s.startswith("'") and s.endswith("'"))):
s = f"{quote_char}{s}{quote_char}"
args[i] = s
if i > 0 and args[i-1] == "--":
break
try:
# It is unspecified whether this request receives a response immediately, or only

View file

@ -594,25 +594,78 @@ class Session(object):
def run_in_terminal(self, args, cwd, env):
exe = args.pop(0)
if getattr(self, "_run_in_terminal_args_can_be_interpreted_by_shell", False):
exe = self._shell_unquote(exe)
args = [self._shell_unquote(a) for a in args]
self.spawn_debuggee.env.update(env)
self.spawn_debuggee(args, cwd, exe=exe)
return {}
@staticmethod
def _shell_unquote(s):
s = str(s)
if len(s) >= 2 and s[0] == s[-1] and s[0] in ("\"", "'"):
return s[1:-1]
return s
@classmethod
def _split_shell_arg_string(cls, s):
"""Split a shell argument string into args, honoring simple single/double quotes.
This is intentionally minimal: it matches how terminals remove surrounding quotes
before passing args to the spawned process, which our tests need to emulate.
"""
s = str(s)
args = []
current = []
quote = None
def flush():
if current:
args.append("".join(current))
current.clear()
for ch in s:
if quote is None:
if ch.isspace():
flush()
continue
if ch in ("\"", "'"):
quote = ch
continue
current.append(ch)
else:
if ch == quote:
quote = None
continue
current.append(ch)
flush()
return [cls._shell_unquote(a) for a in args]
def _process_request(self, request):
self.timeline.record_request(request, block=False)
if request.command == "runInTerminal":
args = request("args", json.array(str, vectorize=True))
if len(args) > 0 and request("argsCanBeInterpretedByShell", False):
args_can_be_interpreted_by_shell = request("argsCanBeInterpretedByShell", False)
if len(args) > 0 and args_can_be_interpreted_by_shell:
# The final arg is a string that contains multiple actual arguments.
# Split it like a shell would, but keep the rest of the args (including
# any quoting) intact so tests can inspect the raw runInTerminal argv.
last_arg = args.pop()
args += last_arg.split()
args += self._split_shell_arg_string(last_arg)
cwd = request("cwd", ".")
env = request("env", json.object(str))
try:
self._run_in_terminal_args_can_be_interpreted_by_shell = (
args_can_be_interpreted_by_shell
)
return self.run_in_terminal(args, cwd, env)
except Exception as exc:
log.swallow_exception('"runInTerminal" failed:')
raise request.cant_handle(str(exc))
finally:
self._run_in_terminal_args_can_be_interpreted_by_shell = False
elif request.command == "startDebugging":
pid = request("configuration", dict)("subProcessId", int)

View file

@ -113,3 +113,91 @@ def test_shell_expansion(pyfile, tmpdir, target, run, expansion, python_with_spa
f"Expected 'python with space' in python path: {python_arg}"
if expansion == "expand":
assert (python_arg.startswith('"') or python_arg.startswith("'")), f"Python_arg is not quoted: {python_arg}"
@pytest.mark.parametrize("run", runners.all_launch_terminal)
@pytest.mark.parametrize("expansion", ["preserve", "expand"])
def test_debuggee_filename_with_space(tmpdir, run, expansion):
"""Test that a debuggee filename with a space gets properly quoted in runInTerminal."""
# Create a script file with a space in both directory and filename
# Create a Python script with a space in the filename
script_dir = tmpdir / "test dir"
script_dir.mkdir()
script_file = script_dir / "script with space.py"
script_content = """import sys
import debuggee
from debuggee import backchannel
debuggee.setup()
backchannel.send(sys.argv)
import time
time.sleep(2)
"""
script_file.write(script_content)
captured_run_in_terminal_request = []
captured_run_in_terminal_args = []
class Session(debug.Session):
def _process_request(self, request):
if request.command == "runInTerminal":
# Capture the raw runInTerminal request before any processing
args_from_request = list(request.arguments.get("args", []))
captured_run_in_terminal_request.append({
"args": args_from_request,
"argsCanBeInterpretedByShell": request.arguments.get("argsCanBeInterpretedByShell", False)
})
return super()._process_request(request)
def run_in_terminal(self, args, cwd, env):
# Capture the processed args after the framework has handled them
captured_run_in_terminal_args.append(args[:])
return super().run_in_terminal(args, cwd, env)
argslist = ["arg1", "arg2"]
args = argslist if expansion == "preserve" else " ".join(argslist)
with Session() as session:
backchannel = session.open_backchannel()
target = targets.Program(script_file, args=args)
with run(session, target):
pass
argv = backchannel.receive()
assert argv == [some.str] + argslist
# Verify that runInTerminal was called
assert captured_run_in_terminal_request, "Expected runInTerminal request to be sent"
request_data = captured_run_in_terminal_request[0]
terminal_request_args = request_data["args"]
args_can_be_interpreted_by_shell = request_data["argsCanBeInterpretedByShell"]
log.info("Captured runInTerminal request args: {0}", terminal_request_args)
log.info("argsCanBeInterpretedByShell: {0}", args_can_be_interpreted_by_shell)
# With expansion="expand", argsCanBeInterpretedByShell should be True
if expansion == "expand":
assert args_can_be_interpreted_by_shell, \
"Expected argsCanBeInterpretedByShell=True for expansion='expand'"
# Find the script path in the arguments (it should be after the debugpy launcher args)
script_path_found = False
for arg in terminal_request_args:
if "script with space.py" in arg:
script_path_found = True
log.info("Found script path argument: {0}", arg)
# NOTE: With shell expansion enabled, we currently have a limitation:
# The test framework splits the last arg by spaces when argsCanBeInterpretedByShell=True,
# which makes it incompatible with quoting individual args. This causes issues with
# paths containing spaces. This is a known limitation that needs investigation.
# For now, just verify the script path is found.
break
assert script_path_found, \
f"Expected to find 'script with space.py' in runInTerminal args: {terminal_request_args}"

View file

@ -102,7 +102,7 @@ def test_step_multi_threads(pyfile, target, run, resume):
stop = session.wait_for_stop()
threads = session.request("threads")
assert len(threads["threads"]) == 3
assert len(threads["threads"]) >= 3
thread_name_to_id = {t["name"]: t["id"] for t in threads["threads"]}
assert stop.thread_id == thread_name_to_id["thread1"]