File size: 9,986 Bytes
0b7e02a | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 | """
Real Tool Executor
==================
Actually installs packages and executes tool code in a real Python subprocess.
No simulation β real results only.
"""
import os
import sys
import json
import subprocess
import hashlib
import tempfile
import threading
from pathlib import Path
# Persistent package cache dir (survives restarts within same container session)
PKG_DIR = Path(os.environ.get("HOME", "/home/user")) / ".praison_pkgs"
PKG_DIR.mkdir(parents=True, exist_ok=True)
_install_lock = threading.Lock()
_installed_cache: set = set() # packages confirmed installed this session
# ββ Pre-installed packages that are always available ββββββββββββββββββββββββββ
PREINSTALLED = {
"requests", "json", "os", "sys", "re", "math", "datetime", "time",
"urllib", "urllib3", "base64", "hashlib", "pathlib", "collections",
"itertools", "functools", "string", "random", "uuid", "tempfile",
"subprocess", "threading", "asyncio", "io", "csv", "html", "http",
"duckduckgo_search", "duckduckgo-search",
"bs4", "beautifulsoup4", "httpx", "gtts",
}
# ββ Package name normalisation (import name -> pip name) βββββββββββββββββββββ
PKG_ALIASES = {
"bs4": "beautifulsoup4",
"duckduckgo_search": "duckduckgo-search",
"PIL": "Pillow",
"cv2": "opencv-python-headless",
"sklearn": "scikit-learn",
"yaml": "pyyaml",
"dotenv": "python-dotenv",
"telegram": "python-telegram-bot",
"wikipedia": "wikipedia-api",
"googlesearch": "googlesearch-python",
"forex_python": "forex-python",
"yfinance": "yfinance",
"pandas": "pandas",
"numpy": "numpy",
"matplotlib": "matplotlib",
}
def pip_install(packages: list[str]) -> tuple[bool, str]:
"""Install one or more packages. Returns (success, message)."""
to_install = []
for pkg in packages:
norm = pkg.strip().lower().replace("-", "_")
pip_name = PKG_ALIASES.get(pkg, PKG_ALIASES.get(norm, pkg))
if pip_name.lower().replace("-","_") not in _installed_cache:
to_install.append(pip_name)
if not to_install:
return True, "All packages already installed"
with _install_lock:
cmd = [sys.executable, "-m", "pip", "install", "--quiet",
"--target", str(PKG_DIR)] + to_install
result = subprocess.run(cmd, capture_output=True, text=True, timeout=120)
if result.returncode == 0:
for p in to_install:
_installed_cache.add(p.lower().replace("-","_"))
return True, f"Installed: {', '.join(to_install)}"
else:
return False, result.stderr[-500:]
def build_exec_wrapper(tool_code: str, function_name: str, call_args: dict) -> str:
"""Wrap tool code in a self-contained script that prints JSON result."""
pkg_dir_str = str(PKG_DIR)
args_repr = json.dumps(call_args)
return f'''
import sys, json
sys.path.insert(0, {repr(pkg_dir_str)})
# ββ Tool implementation ββ
{tool_code}
# ββ Execute and report ββ
try:
import inspect
fn = {function_name}
sig = inspect.signature(fn)
call_kwargs = json.loads({repr(args_repr)})
# If single positional string arg, handle gracefully
params = list(sig.parameters.keys())
if params and not call_kwargs:
call_kwargs = {{params[0]: ""}}
result = fn(**call_kwargs)
print(json.dumps({{"ok": True, "result": str(result)}}))
except Exception as e:
import traceback
print(json.dumps({{"ok": False, "error": str(e), "trace": traceback.format_exc()[-300:]}}))
'''
def execute_tool(
tool_code: str,
function_name: str,
call_args: dict,
required_packages: list[str] | None = None,
timeout: int = 30,
) -> dict:
"""
Actually execute a tool's Python code.
Returns {"ok": bool, "result": str, "install_msg": str, "error": str}
"""
install_msg = ""
# Install required packages first
if required_packages:
ok, msg = pip_install(required_packages)
install_msg = msg
if not ok:
return {"ok": False, "result": "", "install_msg": install_msg,
"error": f"Package install failed: {msg}"}
# Write to temp file and execute
script = build_exec_wrapper(tool_code, function_name, call_args)
with tempfile.NamedTemporaryFile(mode="w", suffix=".py", delete=False, encoding="utf-8") as f:
f.write(script)
tmp_path = f.name
try:
env = os.environ.copy()
env["PYTHONPATH"] = str(PKG_DIR) + os.pathsep + env.get("PYTHONPATH", "")
proc = subprocess.run(
[sys.executable, tmp_path],
capture_output=True, text=True, timeout=timeout, env=env
)
raw_out = proc.stdout.strip()
raw_err = proc.stderr.strip()
if raw_out:
try:
data = json.loads(raw_out.split("\n")[-1])
data["install_msg"] = install_msg
data["stderr"] = raw_err[-300:] if raw_err else ""
return data
except json.JSONDecodeError:
return {"ok": True, "result": raw_out[:2000], "install_msg": install_msg, "stderr": raw_err}
else:
return {"ok": False, "result": "", "install_msg": install_msg,
"error": raw_err[:500] or "No output produced"}
except subprocess.TimeoutExpired:
return {"ok": False, "result": "", "install_msg": install_msg,
"error": f"Tool timed out after {timeout}s"}
except Exception as e:
return {"ok": False, "result": "", "install_msg": install_msg, "error": str(e)}
finally:
try:
os.unlink(tmp_path)
except Exception:
pass
# ββ Built-in real tools (always work, no install needed) βββββββββββββββββββββ
BUILTIN_TOOL_IMPLEMENTATIONS = {
"get_current_datetime": {
"packages": [],
"code": """
import datetime
def get_current_datetime() -> str:
now = datetime.datetime.now()
utc = datetime.datetime.utcnow()
return (f"Local datetime: {now.strftime('%A, %B %d, %Y at %I:%M:%S %p')}\\n"
f"UTC datetime: {utc.strftime('%Y-%m-%d %H:%M:%S')} UTC\\n"
f"Unix timestamp: {int(now.timestamp())}\\n"
f"Timezone: {datetime.datetime.now().astimezone().tzname()}")
""",
"args": {},
},
"search_web": {
"packages": ["duckduckgo-search"],
"code": """
import sys
sys.path.insert(0, '__PKG_DIR__')
def search_web(query: str, max_results: int = 6) -> str:
from duckduckgo_search import DDGS
results = []
with DDGS() as ddgs:
for r in ddgs.text(query, max_results=max_results):
results.append(f"Title: {r['title']}\\nURL: {r['href']}\\nSummary: {r['body']}\\n")
return '\\n---\\n'.join(results) if results else 'No results found'
""".replace("__PKG_DIR__", str(PKG_DIR)),
"args": {"query": ""},
},
"fetch_webpage": {
"packages": ["requests", "beautifulsoup4"],
"code": """
import sys
sys.path.insert(0, '__PKG_DIR__')
def fetch_webpage(url: str) -> str:
import requests
from bs4 import BeautifulSoup
try:
r = requests.get(url, timeout=10, headers={'User-Agent': 'Mozilla/5.0'})
soup = BeautifulSoup(r.text, 'html.parser')
for tag in soup(['script','style','nav','footer','header']):
tag.decompose()
text = soup.get_text(separator='\\n', strip=True)
lines = [l for l in text.splitlines() if len(l.strip()) > 20]
return '\\n'.join(lines[:150])
except Exception as e:
return f'Error fetching {url}: {e}'
""".replace("__PKG_DIR__", str(PKG_DIR)),
"args": {"url": ""},
},
"run_python_code": {
"packages": [],
"code": """
import subprocess, sys, tempfile, os
def run_python_code(code: str) -> str:
with tempfile.NamedTemporaryFile(mode='w', suffix='.py', delete=False) as f:
f.write(code)
tmp = f.name
try:
result = subprocess.run([sys.executable, tmp], capture_output=True, text=True, timeout=20)
out = (result.stdout + result.stderr).strip()
return out[:3000] if out else '(no output)'
except subprocess.TimeoutExpired:
return 'Error: timed out after 20s'
finally:
try: os.unlink(tmp)
except: pass
""",
"args": {"code": ""},
},
"create_voice": {
"packages": ["gtts"],
"code": """
import sys, base64, io
sys.path.insert(0, '__PKG_DIR__')
def create_voice(text: str, lang: str = 'en') -> str:
from gtts import gTTS
tts = gTTS(text=text[:2000], lang=lang, slow=False)
buf = io.BytesIO()
tts.write_to_fp(buf)
buf.seek(0)
b64 = base64.b64encode(buf.read()).decode('utf-8')
return 'AUDIO_B64:' + b64
""".replace("__PKG_DIR__", str(PKG_DIR)),
"args": {"text": ""},
},
"calculate": {
"packages": [],
"code": """
import math
def calculate(expression: str) -> str:
safe_ns = {k: getattr(math, k) for k in dir(math) if not k.startswith('_')}
safe_ns['__builtins__'] = {}
try:
result = eval(expression.replace('^','**'), safe_ns)
return f'{expression} = {result}'
except Exception as e:
return f'Error: {e}'
""",
"args": {"expression": ""},
},
}
def run_builtin_tool(name: str, user_message: str = "") -> dict:
"""Execute a real built-in tool."""
spec = BUILTIN_TOOL_IMPLEMENTATIONS.get(name)
if not spec:
return {"ok": False, "result": "", "error": f"Unknown built-in: {name}"}
args = dict(spec["args"])
# Fill the first string arg with user_message if empty
for k in args:
if args[k] == "" and user_message:
args[k] = user_message
break
return execute_tool(spec["code"], name, args, spec["packages"], timeout=45)
|