29 lines
1.2 KiB
Python
29 lines
1.2 KiB
Python
import subprocess, shutil
|
|
from pathlib import Path
|
|
|
|
TIMEOUT_SECONDS = 60
|
|
|
|
def run_powershell(script: str, base_dir: str) -> str:
|
|
"""
|
|
Run a PowerShell script with working directory set to base_dir.
|
|
Returns a string combining stdout, stderr, and exit code.
|
|
Raises nothing - all errors are captured into the return string.
|
|
"""
|
|
full_script = f"Set-Location -LiteralPath '{base_dir}'\n{script}"
|
|
# Try common executable names
|
|
exe = next((x for x in ["powershell.exe", "pwsh.exe", "powershell", "pwsh"] if shutil.which(x)), None)
|
|
if not exe: return "ERROR: Neither powershell nor pwsh found in PATH"
|
|
|
|
try:
|
|
r = subprocess.run(
|
|
[exe, "-NoProfile", "-NonInteractive", "-Command", full_script],
|
|
capture_output=True, text=True, timeout=TIMEOUT_SECONDS, cwd=base_dir
|
|
)
|
|
parts = []
|
|
if r.stdout.strip(): parts.append(f"STDOUT:\n{r.stdout.strip()}")
|
|
if r.stderr.strip(): parts.append(f"STDERR:\n{r.stderr.strip()}")
|
|
parts.append(f"EXIT CODE: {r.returncode}")
|
|
return "\n".join(parts)
|
|
except subprocess.TimeoutExpired: return f"ERROR: timed out after {TIMEOUT_SECONDS}s"
|
|
except Exception as e: return f"ERROR: {e}"
|