-
Notifications
You must be signed in to change notification settings - Fork 1
Expand file tree
/
Copy pathinference.py
More file actions
337 lines (271 loc) · 12.7 KB
/
inference.py
File metadata and controls
337 lines (271 loc) · 12.7 KB
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
"""
CodeLens Inference Script — CodeLens Environment
==========================================================
Required env vars:
API_BASE_URL — OpenAI-compatible base URL (e.g. https://api.openai.com/v1)
MODEL_NAME — Model identifier (e.g. gpt-4o, gpt-3.5-turbo)
HF_TOKEN — API key (Hugging Face / OpenAI compatible)
ENV_URL — CodeLens env URL (default: http://localhost:7860)
Output format (stdout, per OpenEnv spec):
[START] task=<task_id> env=<env_url> model=<model>
[STEP] step=<n> action=<str> reward=<float> done=<bool> error=<str|None>
[END] success=<bool> steps=<int> score=<float> rewards=<list>
"""
import os
import sys
import json
import time
import requests
from openai import OpenAI
# ── Environment Variables (strictly following OpenEnv checklist) ────────────────
API_BASE_URL = os.getenv("API_BASE_URL", "https://api.openai.com/v1")
MODEL_NAME = os.getenv("MODEL_NAME", "gpt-3.5-turbo")
HF_TOKEN = os.getenv("HF_TOKEN")
LOCAL_IMAGE_NAME = os.getenv("LOCAL_IMAGE_NAME")
ENV_URL = os.getenv("ENV_URL", "http://localhost:7860")
# ── Config ────────────────────────────────────────────────────────────────────
TASKS = ["bug_detection", "security_audit", "architectural_review"]
MAX_STEPS = {"bug_detection": 10, "security_audit": 15, "architectural_review": 20}
SUCCESS_THRESHOLD = 0.5
SEEDS = [0, 1, 2] # Run each task on 3 seeds for robust baseline
# ── OpenAI client ─────────────────────────────────────────────────────────────
client = OpenAI(api_key=HF_TOKEN, base_url=API_BASE_URL)
# ── Structured log helpers (mandatory CodeLens format) ─────────────────────────
def log_start(task: str, env: str, model: str):
print(f"[START] task={task} env={env} model={model}", flush=True)
def log_step(step: int, action: str, reward: float, done: bool, error):
error_str = str(error) if error else "None"
done_str = "true" if done else "false"
print(
f"[STEP] step={step} action={action} reward={reward:.2f} "
f"done={done_str} error={error_str}",
flush=True
)
def log_end(success: bool, steps: int, score: float, rewards: list):
success_str = "true" if success else "false"
rewards_str = "[" + ",".join([f"{r:.2f}" for r in rewards]) + "]"
print(
f"[END] success={success_str} steps={steps} score={score:.2f} "
f"rewards={rewards_str}",
flush=True
)
# ── System prompt ─────────────────────────────────────────────────────────────
SYSTEM_PROMPT = """You are an expert code reviewer specializing in bugs, security vulnerabilities, and architectural issues.
You will be given a code diff (PR) to review. Your job is to identify issues and output a single JSON action.
Available action types:
- "flag_issue": Flag a specific issue in the code
- "approve": Approve the PR (no issues found / all issues flagged)
- "request_changes": Request changes (issues found that must be fixed)
- "ask_question": Ask a clarifying question
- "comment": Leave a general comment
For "flag_issue", you MUST provide:
- action_type: "flag_issue"
- body: description of the issue (be specific, mention the root cause)
- filename: the file containing the issue
- line_number: approximate line number
- severity: one of "low", "medium", "high", "critical"
- category: one of "bug", "security", "architecture", "performance", "style", "design"
For "approve" or "request_changes", you MUST provide:
- action_type: "approve" or "request_changes"
- body: your overall assessment
- verdict: "LGTM" (for approve) or "REQUEST_CHANGES" (for request_changes)
After flagging all issues you can find, submit an approve or request_changes action.
IMPORTANT: Output ONLY a valid JSON object — no markdown, no explanation.
"""
def build_user_message(obs: dict, task_id: str, step: int) -> str:
"""Build the user message from the current observation."""
task_hints = {
"bug_detection": "Focus on: off-by-one errors, None dereferences, type mismatches, mutable defaults, race conditions, exception handling.",
"security_audit": "Focus on: SQL injection, XSS, hardcoded secrets, JWT issues, insecure deserialization, CORS, timing attacks, path traversal.",
"architectural_review": "Focus on: SRP violations, direct DB access from wrong layers, N+1 queries, missing retry/circuit-breaker, god objects, blocking I/O."
}
service_info = ""
if obs.get("service_criticality") or obs.get("blast_radius"):
service_info = f"""
Service Context:
- Service Criticality: {obs.get('service_criticality', 'unknown')}
- Blast Radius: {obs.get('blast_radius', 'unknown')}
- Affected Users: {obs.get('affected_users', 'unknown')}
"""
history_summary = ""
if obs.get("history"):
history_summary = f"\nPreviously flagged {len(obs['history'])} issue(s). Don't re-flag the same issue.\n"
return f"""PR Title: {obs.get('pr_title', 'N/A')}
PR Description: {obs.get('pr_description', 'N/A')}
Task: {task_id} (step {step}/{obs.get('max_steps', '?')})
Noise budget remaining: {obs.get('noise_budget', '?')} (false positives consume this){service_info}
Review focus: {task_hints.get(task_id, 'General code review')}
{history_summary}
Code diff:
```
{obs.get('diff', '(no diff available)')}
```
Output a single JSON action object. If you've already flagged the main issues, submit approve or request_changes."""
def extract_json(text: str) -> dict:
"""Robustly extract the first JSON object from a string."""
text = text.strip()
# 1. Try direct parse
try:
return json.loads(text)
except json.JSONDecodeError:
pass
# 2. Try markdown extraction
if "```json" in text:
try:
content = text.split("```json")[1].split("```")[0].strip()
return json.loads(content)
except (IndexError, json.JSONDecodeError):
pass
elif "```" in text:
try:
content = text.split("```")[1].split("```")[0].strip()
return json.loads(content)
except (IndexError, json.JSONDecodeError):
pass
# 3. Last resort: find first { and last }
start = text.find('{')
end = text.rfind('}')
if start != -1 and end != -1:
try:
return json.loads(text[start:end+1])
except json.JSONDecodeError:
pass
raise ValueError("Could not extract valid JSON from LLM response")
def call_llm(messages: list) -> dict:
"""Call the LLM with retries and robustly parse its JSON response."""
last_err = None
for attempt in range(3):
try:
response = client.chat.completions.create(
model=MODEL_NAME,
messages=messages,
temperature=0.1,
max_tokens=800,
response_format={"type": "json_object"},
)
content = response.choices[0].message.content
return extract_json(content)
except Exception as e:
last_err = e
if attempt < 2:
time.sleep(2 ** attempt)
raise last_err or Exception("LLM call failed after retries")
def sanitize_action(action_dict: dict, task_id: str) -> dict:
"""Ensure the action dict is valid and won't be rejected by the server."""
action_type = action_dict.get("action_type", "comment")
# Ensure category matches the task if flagging
if action_type == "flag_issue":
task_category_map = {
"bug_detection": "bug",
"security_audit": "security",
"architectural_review": "architecture",
}
if "category" not in action_dict or action_dict["category"] not in [
"bug", "security", "architecture", "performance", "style", "design"
]:
action_dict["category"] = task_category_map.get(task_id, "bug")
if "severity" not in action_dict or action_dict["severity"] not in [
"low", "medium", "high", "critical"
]:
action_dict["severity"] = "medium"
if "filename" not in action_dict or not action_dict["filename"]:
action_dict["filename"] = "unknown"
if "line_number" not in action_dict:
action_dict["line_number"] = 1
if "body" not in action_dict or not action_dict["body"]:
action_dict["body"] = "Issue detected"
elif action_type in ("approve", "request_changes"):
if action_type == "approve":
action_dict["verdict"] = "lgtm"
else:
action_dict["verdict"] = "request_changes"
if "body" not in action_dict:
action_dict["body"] = "Review complete."
return action_dict
def run_episode(task_id: str, seed: int) -> dict:
"""Run a single episode. Returns {score, steps, success, rewards}."""
log_start(task_id, ENV_URL, MODEL_NAME)
# ── Reset ──────────────────────────────────────────────────────────────
try:
reset_resp = requests.post(
f"{ENV_URL}/reset",
json={"task_id": task_id, "seed": seed},
timeout=10
)
reset_resp.raise_for_status()
except Exception as e:
log_end(False, 0, 0.0, [])
return {"score": 0.0, "steps": 0, "success": False, "rewards": [], "error": str(e)}
reset_data = reset_resp.json()
episode_id = reset_data["episode_id"]
obs = reset_data["result"]["observation"]
messages = [{"role": "system", "content": SYSTEM_PROMPT}]
rewards = []
step = 0
done = False
max_s = MAX_STEPS.get(task_id, 15)
# ── Step loop ──────────────────────────────────────────────────────────
while not done and step < max_s:
step += 1
user_msg = build_user_message(obs, task_id, step)
messages.append({"role": "user", "content": user_msg})
error_msg = None
try:
action_dict = call_llm(messages)
action_dict = sanitize_action(action_dict, task_id)
step_resp = requests.post(
f"{ENV_URL}/step/{episode_id}",
json=action_dict,
timeout=15
)
step_resp.raise_for_status()
step_data = step_resp.json()
reward = step_data.get("reward", 0.0)
done = step_data.get("done", False)
obs = step_data.get("observation", obs)
rewards.append(round(reward, 4))
# Add assistant turn to conversation
messages.append({
"role": "assistant",
"content": json.dumps(action_dict)
})
except Exception as e:
error_msg = str(e)
reward = 0.0
done = True # Stop on unrecoverable error
log_step(step, action_dict.get("action_type", "unknown") if error_msg is None else "error",
reward, done, error_msg)
if error_msg:
break
# ── Get final result ───────────────────────────────────────────────────
try:
result_resp = requests.get(f"{ENV_URL}/result/{episode_id}", timeout=10)
result_resp.raise_for_status()
result_data = result_resp.json()
final_score = result_data.get("final_score", 0.0)
except Exception:
final_score = rewards[-1] if rewards else 0.0
success = final_score >= SUCCESS_THRESHOLD
log_end(success, step, final_score, rewards)
return {
"task_id": task_id,
"seed": seed,
"score": final_score,
"steps": step,
"success": success,
"rewards": rewards
}
def main():
"""Run all tasks across multiple seeds."""
all_results = []
for task_id in TASKS:
task_scores = []
for seed in SEEDS:
result = run_episode(task_id, seed)
all_results.append(result)
task_scores.append(result["score"])
avg_score = sum(task_scores) / len(task_scores) if task_scores else 0.0
overall = sum(r["score"] for r in all_results) / len(all_results)
return 0
if __name__ == "__main__":
sys.exit(main())