Skip to content

Commit d6265f6

Browse files
authored
Add support for TOX_LIMITED_SHEBANG (#2226)
* Add support for TOX_LIMITED_SHEBANG Signed-off-by: Bernát Gábor <[email protected]> * Fix Windows Signed-off-by: Bernát Gábor <[email protected]>
1 parent 5ce5812 commit d6265f6

File tree

6 files changed

+106
-4
lines changed

6 files changed

+106
-4
lines changed

docs/changelog/2208.feature.rst

+2
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
Add support for rewriting script invocations that have valid shebang lines when the ``TOX_LIMITED_SHEBANG`` environment
2+
variable is set and not empty - by :user:`gaborbernat`.

src/tox/execute/local_sub_process/__init__.py

+7-2
Original file line numberDiff line numberDiff line change
@@ -13,6 +13,7 @@
1313
from ..api import Execute, ExecuteInstance, ExecuteOptions, ExecuteStatus
1414
from ..request import ExecuteRequest, StdinSource
1515
from ..stream import SyncWrite
16+
from ..util import shebang
1617

1718
if sys.platform == "win32": # explicit check for mypy # pragma: win32 cover
1819
# needs stdin/stdout handlers backed by overlapped IO
@@ -171,8 +172,12 @@ def cmd(self) -> Sequence[str]:
171172
else:
172173
msg = f"{base} (resolves to {executable})" if base == executable else base
173174
raise Fail(f"{msg} is not allowed, use allowlist_externals to allow it")
174-
# else use expanded format
175-
cmd = [executable, *self.request.cmd[1:]]
175+
cmd = [executable]
176+
if sys.platform != "win32" and self.request.env.get("TOX_LIMITED_SHEBANG", "").strip():
177+
shebang_line = shebang(executable)
178+
if shebang_line:
179+
cmd = [*shebang_line, executable]
180+
cmd.extend(self.request.cmd[1:])
176181
self._cmd = cmd
177182
return self._cmd
178183

src/tox/execute/util.py

+30
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,30 @@
1+
from typing import List, Optional
2+
3+
4+
def shebang(exe: str) -> Optional[List[str]]:
5+
"""
6+
:param exe: the executable
7+
:return: the shebang interpreter arguments
8+
"""
9+
# When invoking a command using a shebang line that exceeds the OS shebang limit (e.g. Linux has a limit of 128;
10+
# BINPRM_BUF_SIZE) the invocation will fail. In this case you'd want to replace the shebang invocation with an
11+
# explicit invocation.
12+
# see https://git.kernel.org/pub/scm/linux/kernel/git/stable/linux.git/tree/fs/binfmt_script.c#n34
13+
try:
14+
with open(exe, "rb") as file_handler:
15+
marker = file_handler.read(2)
16+
if marker != b"#!":
17+
return None
18+
shebang_line = file_handler.readline()
19+
except OSError:
20+
return None
21+
try:
22+
decoded = shebang_line.decode("UTF-8")
23+
except UnicodeDecodeError:
24+
return None
25+
return [i.strip() for i in decoded.strip().split() if i.strip()]
26+
27+
28+
__all__ = [
29+
"shebang",
30+
]
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,26 @@
1+
from pathlib import Path
2+
3+
from tox.execute.util import shebang
4+
5+
6+
def test_shebang_found(tmp_path: Path) -> None:
7+
script_path = tmp_path / "a"
8+
script_path.write_text("#! /bin/python \t-c\t")
9+
assert shebang(str(script_path)) == ["/bin/python", "-c"]
10+
11+
12+
def test_shebang_file_missing(tmp_path: Path) -> None:
13+
script_path = tmp_path / "a"
14+
assert shebang(str(script_path)) is None
15+
16+
17+
def test_shebang_no_shebang(tmp_path: Path) -> None:
18+
script_path = tmp_path / "a"
19+
script_path.write_bytes(b"magic")
20+
assert shebang(str(script_path)) is None
21+
22+
23+
def test_shebang_non_utf8_file(tmp_path: Path) -> None:
24+
script_path, content = tmp_path / "a", b"#!" + bytearray.fromhex("c0")
25+
script_path.write_bytes(content)
26+
assert shebang(str(script_path)) is None

tests/execute/local_subprocess/test_local_subprocess.py

+37-2
Original file line numberDiff line numberDiff line change
@@ -1,12 +1,14 @@
11
import json
22
import logging
33
import os
4+
import shutil
5+
import stat
46
import subprocess
57
import sys
68
from io import TextIOWrapper
79
from pathlib import Path
810
from typing import Dict, List, Tuple
9-
from unittest.mock import MagicMock
11+
from unittest.mock import MagicMock, create_autospec
1012

1113
import psutil
1214
import pytest
@@ -15,7 +17,7 @@
1517
from psutil import AccessDenied
1618
from pytest_mock import MockerFixture
1719

18-
from tox.execute.api import Outcome
20+
from tox.execute.api import ExecuteOptions, Outcome
1921
from tox.execute.local_sub_process import SIG_INTERRUPT, LocalSubProcessExecuteInstance, LocalSubProcessExecutor
2022
from tox.execute.request import ExecuteRequest, StdinSource
2123
from tox.execute.stream import SyncWrite
@@ -298,3 +300,36 @@ def test_allow_list_external_ok(fake_exe_on_path: Path, mode: str) -> None:
298300
inst = LocalSubProcessExecuteInstance(request, MagicMock(), out=SyncWrite("out", None), err=SyncWrite("err", None))
299301

300302
assert inst.cmd == [exe]
303+
304+
305+
def test_shebang_limited_on(tmp_path: Path) -> None:
306+
exe, script, instance = _create_shebang_test(tmp_path, env={"TOX_LIMITED_SHEBANG": "1"})
307+
if sys.platform == "win32": # pragma: win32 cover
308+
assert instance.cmd == [str(script), "--magic"]
309+
else:
310+
assert instance.cmd == [exe, "-s", str(script), "--magic"]
311+
312+
313+
@pytest.mark.parametrize("env", [{}, {"TOX_LIMITED_SHEBANG": ""}])
314+
def test_shebang_limited_off(tmp_path: Path, env: Dict[str, str]) -> None:
315+
_, script, instance = _create_shebang_test(tmp_path, env=env)
316+
assert instance.cmd == [str(script), "--magic"]
317+
318+
319+
def test_shebang_failed_to_parse(tmp_path: Path) -> None:
320+
_, script, instance = _create_shebang_test(tmp_path, env={"TOX_LIMITED_SHEBANG": "yes"})
321+
script.write_text("")
322+
assert instance.cmd == [str(script), "--magic"]
323+
324+
325+
def _create_shebang_test(tmp_path: Path, env: Dict[str, str]) -> Tuple[str, Path, LocalSubProcessExecuteInstance]:
326+
exe = shutil.which("python")
327+
assert exe is not None
328+
script = tmp_path / f"s{'.EXE' if sys.platform == 'win32' else ''}"
329+
script.write_text(f"#!{exe} -s")
330+
script.chmod(script.stat().st_mode | stat.S_IEXEC) # mark it executable
331+
env["PATH"] = str(script.parent)
332+
request = create_autospec(ExecuteRequest, cmd=["s", "--magic"], env=env, allow=None)
333+
writer = create_autospec(SyncWrite)
334+
instance = LocalSubProcessExecuteInstance(request, create_autospec(ExecuteOptions), writer, writer)
335+
return exe, script, instance

whitelist.txt

+4
Original file line numberDiff line numberDiff line change
@@ -13,6 +13,8 @@ autoclass
1313
autodoc
1414
autosectionlabel
1515
autouse
16+
binprm
17+
buf
1618
bufsize
1719
byref
1820
cachetools
@@ -81,6 +83,7 @@ fixup
8183
fmt
8284
formatter
8385
fromdocname
86+
fromhex
8487
fromkeys
8588
fs
8689
fullmatch
@@ -101,6 +104,7 @@ hookimpl
101104
hookspec
102105
hookspecs
103106
ident
107+
iexec
104108
ign
105109
ignorecase
106110
impl

0 commit comments

Comments
 (0)