Spaces:
Sleeping
Sleeping
File size: 18,688 Bytes
ff9fcbd 6535d0b ff9fcbd 6535d0b ff9fcbd d3e536b ff9fcbd 6535d0b ff9fcbd 6535d0b ff9fcbd 6535d0b d3e536b 6535d0b d3e536b 6535d0b ff9fcbd e48a1e4 ff9fcbd e48a1e4 ff9fcbd 6535d0b e48a1e4 6535d0b ff9fcbd 6535d0b e48a1e4 d3e536b e48a1e4 ff9fcbd e48a1e4 d3e536b e48a1e4 6535d0b e48a1e4 6535d0b e48a1e4 6535d0b e48a1e4 6535d0b e48a1e4 ff9fcbd d3e536b 6535d0b d3e536b e48a1e4 ff9fcbd 6535d0b ff9fcbd 6535d0b e48a1e4 6535d0b e48a1e4 6535d0b ff9fcbd 6535d0b d3e536b 6535d0b ff9fcbd 6535d0b ff9fcbd 6535d0b ff9fcbd 6535d0b ff9fcbd 6535d0b ff9fcbd d3e536b ff9fcbd d3e536b ff9fcbd d3e536b ff9fcbd | 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 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 | """
Inference Script β Code Review Environment
===========================================
MANDATORY environment variables:
API_BASE_URL The API endpoint for the LLM.
MODEL_NAME The model identifier to use for inference.
HF_TOKEN Your Hugging Face / API key.
Defaults are set only for API_BASE_URL and MODEL_NAME:
API_BASE_URL = os.getenv("API_BASE_URL") or "https://router.huggingface.co/v1"
MODEL_NAME = os.getenv("MODEL_NAME") or "Qwen/Qwen2.5-72B-Instruct"
Usage:
export HF_TOKEN=hf_...
python inference.py
"""
from __future__ import annotations
import os
import sys
import json
import time
from typing import List, Optional
import httpx
from openai import OpenAI
API_KEY = os.getenv("HF_TOKEN") or os.getenv("API_KEY")
API_BASE_URL = os.getenv("API_BASE_URL") or "https://router.huggingface.co/v1"
MODEL_NAME = os.getenv("MODEL_NAME") or "Qwen/Qwen2.5-72B-Instruct"
ENV_URL: str = os.getenv("ENV_URL", "http://localhost:7860").rstrip("/")
BENCHMARK = "code-review-env"
# ---------------------------------------------------------------------------
# Structured stdout logging β MANDATORY format for OpenEnv submission
# ---------------------------------------------------------------------------
def log_start(task: str, env: str, model: str) -> None:
print(f"[START] task={task} env={env} model={model}", flush=True)
def log_step(step: int, action: str, reward: float, done: bool, error: Optional[str]) -> None:
error_val = error if error else "null"
done_val = str(done).lower()
print(
f"[STEP] step={step} action={action} reward={reward:.2f} done={done_val} error={error_val}",
flush=True,
)
def log_end(success: bool, steps: int, score: float, rewards: List[float]) -> None:
rewards_str = ",".join(f"{r:.2f}" for r in rewards)
print(f"[END] success={str(success).lower()} steps={steps} score={score:.3f} rewards={rewards_str}", flush=True)
# Curriculum ordering: easy β medium β medium-hard β hard
# Research (CAMRL, Curriculum RL): start with simpler tasks to build
# foundational skills, progress to harder multi-file and multi-language tasks.
TASK_IDS = [
"bug-detection", # easy: pure logic bugs, single file
"security-audit", # medium: OWASP Top-10, single file
"async-review", # medium-hard: async concurrency, subtle bugs
"data-pipeline", # hard: SQL injection + crypto + performance
"comprehensive-review", # hard: multi-file Django, mixed issue types
"api-security", # hard: FastAPI auth/authz/injection
"js-security", # hard: JavaScript (cross-language generalization)
]
SYSTEM_PROMPT = """\
You are an expert software engineer performing a thorough, methodical code review.
Your mission: identify ALL real bugs, security vulnerabilities, and performance issues.
## REVIEW CHECKLIST β work through EVERY category for EVERY function:
### Security (check EVERY function for these)
- Hardcoded secrets / API keys / passwords / tokens
- SQL injection: f-strings/template literals/string concat in queries
- Command injection: shell=True, os.system(), execSync() with user input
- XSS: unsanitized user input in HTML templates / res.send()
- Path traversal: path.join/os.path.join with user-supplied paths
- IDOR: missing authorization β authenticated vs authorized
- Insecure deserialization: pickle.loads(), new Function(), eval() on user input
- Broken crypto: MD5/SHA1 for passwords; missing salt; weak PRNG
- JWT issues: missing expiry ('exp'), algorithm confusion, hardcoded secret
- Missing authentication on sensitive endpoints
### Bugs & Logic Errors (check EVERY function for these)
- Off-by-one errors in ranges, slices, loop bounds, retry conditions
- Wrong initial values (counters starting at 0 instead of 1)
- Race conditions (shared mutable state without locks/atomicity)
- Missing transaction atomicity (partial writes to DB)
- Wrong type arguments (int where object required, e.g. aiohttp timeout)
- State that accumulates across calls (class fields not reset)
### Performance (check EVERY loop and DB call)
- N+1 database queries (DB call inside a loop)
- Sequential async where gather() should be used
- One transaction per row in bulk operations
- Uncapped pagination (no max limit on per_page)
### Resource Management
- Unclosed sessions/connections/file handles
- Missing context managers (async with, with)
## RESPONSE FORMAT
For each issue you find, respond with ONE raw JSON object:
{"action_type": "flag_issue", "line_number": <int>, "filename": "<file>",
"issue_type": "bug|security|performance|logic",
"severity": "low|medium|high|critical",
"description": "<specific explanation>",
"fix_suggestion": "<concrete fix>",
"confidence": <0.0-1.0>}
When finished, respond with:
{"action_type": "submit_review"}
## RULES
- Raw JSON only β no markdown fences, no extra text
- One action per response
- Line numbers are shown as "N|" prefix β use those EXACT numbers, do NOT count yourself
- Only flag REAL issues β no style preferences, no hypothetical issues
- Be precise: "SQL injection at line 19 via f-string in SELECT query" not just "SQL injection"
- Flag the EXACT line where the problem code is (the f-string line, not the function def)
- issue_type MUST be: "security" for injection/XSS/hardcoded secrets/crypto/auth, "bug" for logic/off-by-one/wrong values, "performance" for N+1/missing gather/uncapped pagination
"""
def chat_completion(messages: list) -> str:
client = OpenAI(base_url=API_BASE_URL, api_key=API_KEY)
try:
response = client.chat.completions.create(
model=MODEL_NAME,
messages=messages,
temperature=0.0,
max_tokens=500,
)
return response.choices[0].message.content.strip()
except Exception as e:
print(f"[DEBUG] LLM call failed: {e}", flush=True)
raise
def parse_action(text: str) -> dict:
text = text.strip()
if "```" in text:
parts = text.split("```")
for part in parts:
part = part.strip()
if part.startswith("json"):
part = part[4:].strip()
if part.startswith("{") or part.startswith("["):
text = part
break
decoder = json.JSONDecoder()
for i, ch in enumerate(text):
if ch in ("{", "["):
try:
obj, _ = decoder.raw_decode(text, i)
if isinstance(obj, dict):
return obj
if isinstance(obj, list):
for item in obj:
if isinstance(item, dict):
return item
except json.JSONDecodeError:
continue
return {"action_type": "submit_review"}
def run_keyword_fallback(base_url: str, task_id: str) -> dict:
"""Fallback: use the built-in /baseline endpoint (no LLM needed)."""
try:
with httpx.Client(timeout=30) as client:
resp = client.post(f"{base_url}/baseline")
resp.raise_for_status()
results = resp.json()
score = results["baseline_scores"].get(task_id, {}).get("score", 0.0)
return {"task_id": task_id, "score": score, "steps": 0, "method": "keyword_heuristic"}
except Exception as e:
print(f"[DEBUG] Keyword fallback failed: {e}", flush=True)
return {"task_id": task_id, "score": 0.0, "steps": 0, "method": "error"}
def _build_progress_feedback(obs: dict) -> str:
"""Build a rich feedback string from observation progress data."""
progress = obs.get("progress") or {}
flagged_summary = obs.get("flagged_summary") or {}
parts = []
if progress:
f1 = progress.get("f1", 0)
precision = progress.get("precision", 0)
recall = progress.get("recall", 0)
tp = int(progress.get("true_positives", 0))
total_gt = int(progress.get("total_ground_truth", 0))
steps_rem = int(progress.get("steps_remaining", 0))
unfound = progress.get("unfound_issue_types", [])
parts.append(
f"Score progress: {tp}/{total_gt} issues confirmed | "
f"F1={f1:.2f} Precision={precision:.2f} Recall={recall:.2f} | "
f"{steps_rem} steps remaining"
)
if unfound:
parts.append(
f"IMPORTANT β still need to find: {unfound}. "
f"Search specifically for those issue types."
)
if flagged_summary:
incorrect = flagged_summary.get("incorrect", 0)
near = flagged_summary.get("near_misses", 0)
if incorrect > 0:
parts.append(
f"WARNING: {incorrect} false positive(s) hurting precision. "
f"Consider using clear_flag to remove uncertain flags."
)
if near > 0:
parts.append(
f"NOTE: {near} near-miss(es) β you're close on line numbers, "
f"but slightly off. Re-check exact line and try reflagging."
)
return "\n".join(parts) if parts else ""
def _should_submit(obs: dict, step_count: int, max_steps: int) -> bool:
"""
Smart submission: submit when recall is high or steps are nearly exhausted.
Avoids wasting steps after all real issues are found.
"""
progress = obs.get("progress", {})
recall = progress.get("recall", 0.0)
tp = int(progress.get("true_positives", 0))
total_gt = int(progress.get("total_ground_truth", 0))
steps_rem = int(progress.get("steps_remaining", 0))
unfound = progress.get("unfound_issue_types", [])
fp = int(progress.get("false_positives", 0))
# All issues found
if total_gt > 0 and tp >= total_gt:
return True
# No unfound categories and high recall
if not unfound and recall >= 0.85:
return True
# High recall overall (β₯80%) and precision is decent (not too many FPs)
if recall >= 0.80 and (fp <= 2 or tp / max(tp + fp, 1) >= 0.6):
return True
# Very few steps left and we've done a reasonable scan
if steps_rem <= 2 and step_count >= 5:
return True
return False
_cleared_lines: set = set() # track lines we've already cleared to prevent loops
def _should_clear_flag(obs: dict, last_reward: float, last_action: dict) -> Optional[dict]:
"""
Recovery strategy: if the last flag was a false positive with high penalty,
suggest clearing it. Only clears each line ONCE to prevent flag/clear loops.
"""
if last_reward is None or last_reward >= 0:
return None
if last_action.get("action_type") != "flag_issue":
return None
# Prevent loop: never clear the same line twice
line_key = (last_action.get("filename"), last_action.get("line_number"))
if line_key in _cleared_lines:
return None
progress = obs.get("progress", {})
fp = int(progress.get("false_positives", 0))
tp = int(progress.get("true_positives", 0))
if fp > tp and last_reward <= -0.05:
_cleared_lines.add(line_key)
return {
"action_type": "clear_flag",
"line_number": last_action.get("line_number"),
"filename": last_action.get("filename"),
}
return None
def run_task(task_id: str, http_client: httpx.Client) -> dict:
log_start(task=task_id, env=BENCHMARK, model=MODEL_NAME)
_cleared_lines.clear() # reset per-task
all_rewards: List[float] = []
step_count = 0
final_score = 0.0
try:
resp = http_client.post(f"{ENV_URL}/reset", json={"task_id": task_id}, timeout=30)
resp.raise_for_status()
obs = resp.json()
# Show code WITH line numbers β critical for LLM line-counting accuracy
code_parts = []
for fname, code in obs.get("code_files", {}).items():
numbered_lines = "\n".join(
f"{i+1:3d}| {line}" for i, line in enumerate(code.splitlines())
)
code_parts.append(f"=== {fname} ===\n{numbered_lines}")
code_display = "\n\n".join(code_parts)
code_metadata = obs.get("code_metadata") or {}
function_ranges = code_metadata.get("function_ranges", [])
fn_map_hint = ""
if function_ranges:
fn_lines = [f" {fr['name']}() in {fr['file']} (lines {fr['start']}-{fr['end']})"
for fr in function_ranges]
fn_map_hint = "\n\nFunction map:\n" + "\n".join(fn_lines)
task_desc = obs.get("task_description", "")
max_steps = obs.get("max_steps", 20)
issue_categories = code_metadata.get("issue_categories", [])
category_hint = ""
if issue_categories:
category_hint = f"\nIssue categories to look for: {sorted(set(issue_categories))}"
state_features = code_metadata.get("state_features", [])
complexity_label = "medium"
if state_features and len(state_features) >= 4:
complexity_score = state_features[3]
complexity_label = "high" if complexity_score >= 1.0 else "medium" if complexity_score >= 0.5 else "low"
reward_conditioning = (
f"[TARGET: high-quality review, score β₯ 0.85. "
f"Code complexity: {complexity_label}. "
f"Be thorough β missing issues costs more than a single FP.]"
)
messages = [
{"role": "system", "content": SYSTEM_PROMPT},
{
"role": "user",
"content": (
f"{reward_conditioning}\n\n"
f"Task: {task_desc}\n\n"
f"{code_display}"
f"{fn_map_hint}"
f"{category_hint}\n\n"
f"You have {max_steps} steps total. "
f"Work through the checklist systematically, function by function. "
f"Flag each issue one at a time as a raw JSON object."
),
},
]
done = False
last_action: dict = {}
last_reward: Optional[float] = None
while not done and step_count < max_steps:
recovery_action = _should_clear_flag(obs, last_reward, last_action)
if recovery_action and step_count < max_steps - 1:
action = recovery_action
action_text = json.dumps(action)
else:
try:
action_text = chat_completion(messages)
except Exception as e:
print(f"[DEBUG] LLM unavailable ({e})", flush=True)
try:
http_client.post(f"{ENV_URL}/step", json={"action_type": "submit_review"}, timeout=30)
except Exception:
pass
break
action = parse_action(action_text)
if action.get("action_type") != "submit_review" and _should_submit(obs, step_count, max_steps):
action = {"action_type": "submit_review"}
action_text = json.dumps(action)
try:
step_resp = http_client.post(f"{ENV_URL}/step", json=action, timeout=30)
step_resp.raise_for_status()
obs = step_resp.json()
except Exception as e:
step_count += 1
log_step(step=step_count, action="error", reward=0.0, done=True, error=str(e))
break
done = obs.get("done", False)
step_count += 1
last_reward = obs.get("reward")
if done:
final_score = last_reward or obs.get("current_score", 0.0)
else:
final_score = obs.get("current_score", 0.0)
last_action = action
# Build feedback for next LLM turn
progress_feedback = _build_progress_feedback(obs)
env_feedback = obs.get("feedback", "")
combined_feedback = env_feedback
if progress_feedback:
combined_feedback += f"\n{progress_feedback}"
messages.append({"role": "assistant", "content": action_text})
if combined_feedback:
messages.append({"role": "user", "content": combined_feedback})
max_history = 2 + 24
if len(messages) > max_history:
messages = messages[:2] + messages[-(max_history - 2):]
atype = action.get("action_type", "")
reward_val = float(last_reward) if last_reward is not None else 0.0
all_rewards.append(reward_val)
action_str = f"{atype}({action.get('filename', '')}:{action.get('line_number', '')})" if atype == "flag_issue" else atype
log_step(step=step_count, action=action_str, reward=reward_val, done=done, error=None)
if atype == "submit_review":
final_score = obs.get("reward", obs.get("current_score", 0.0)) or 0.0
break
time.sleep(0.3)
except Exception as e:
print(f"[DEBUG] Task {task_id} error: {e}", flush=True)
finally:
log_end(
success=final_score >= 0.5,
steps=step_count,
score=final_score,
rewards=all_rewards,
)
return {
"task_id": task_id,
"score": float(final_score),
"steps": step_count,
"method": "llm",
}
def main():
use_llm = bool(API_KEY and API_BASE_URL)
try:
with httpx.Client(timeout=10) as probe:
health = probe.get(f"{ENV_URL}/health")
health.raise_for_status()
except Exception as e:
print(f"[DEBUG] Cannot reach environment at {ENV_URL}: {e}", flush=True)
sys.exit(1)
results = {}
if use_llm:
with httpx.Client(timeout=60) as client:
for task_id in TASK_IDS:
result = run_task(task_id, client)
results[task_id] = result
else:
for task_id in TASK_IDS:
log_start(task=task_id, env=BENCHMARK, model=MODEL_NAME)
result = run_keyword_fallback(ENV_URL, task_id)
results[task_id] = result
log_end(
success=result["score"] >= 0.5,
steps=0,
score=result["score"],
rewards=[],
)
overall = sum(r["score"] for r in results.values()) / len(results)
for task_id, r in results.items():
print(f"[DEBUG] {task_id:30s} score={r['score']:.4f}", flush=True)
print(f"[DEBUG] Overall average: {overall:.4f}", flush=True)
return results
if __name__ == "__main__":
main()
|