File size: 16,049 Bytes
6f224f3 |
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 |
"""
You do not need to run this program yourself. It is hosted on Hugging Face
Spaces at:
https://huggingface.co/spaces/nuprl/BigCodeBench-MultiPL-Stdio-Problem-Inspector
If you want to run it yourself, you can do the following:
We use this program to help inspect our synthesized problems. These are the
steps to run it end-to-end:
1. Create a jsonl file that joins synthesized problems with their execution
results.
uv run python3 -m bigcodebench_multipl.stdio_problem_inspector upload \
--problems-path unfiltered_stdio.jsonl \
--results-path unfiltered_stdio.results.jsonl \
--output-path unfiltered_stdio.joined.jsonl
2. Upload the dataset to the Hugging Face Hub for the next steps.
mkdir python_stdio
mv unfiltered_stdio.joined.jsonl python_stdio/test.jsonl
Now, drag and drop the *folder* above to a Hugging Face dataset.
3. Run the inspector:
uv run python3 -m bigcodebench_multipl.stdio_problem_inspector dataset-inspector
"""
import argparse
import pandas as pd
import gradio as gr
import datasets
from pathlib import Path
import datasets
import ast
from typing import TypedDict, Generator
################################################################################
# Copy-pasted from bcb_reader.py. #
################################################################################
# This is the format of BigCodeBench problems. However, BigCodeBench-Hard has
# a few extra columns.
class _OriginalBigCodeBenchProblem(TypedDict):
task_id: str
complete_prompt: str
instruct_prompt: str
canonical_solution: str
code_prompt: str
test: str
entry_point: str
doc_struct: str
libs: str
class BigCodeBenchProblem(TypedDict):
task_id: str
problem: str
solution: str
tests: str
_PROMPT_BOILERPLATE = "\nYou should write self-contained code starting with:\n```\n"
_PROMPT_SUFFIX = "```"
def _prepare_bcb_problem(item: _OriginalBigCodeBenchProblem) -> BigCodeBenchProblem:
"""
Every BCB problem has a canonical solution, which is a completion expected
from a base model. This function splits the prompt to get a complete
solution."""
instruct_prompt = item["instruct_prompt"]
problem, solution_prefix = instruct_prompt.split(_PROMPT_BOILERPLATE, maxsplit=1)
assert solution_prefix.endswith(
_PROMPT_SUFFIX
), f"Prompt ends with {solution_prefix[-20:].__repr__()}"
solution_prefix = solution_prefix[: -len(_PROMPT_SUFFIX)]
solution = solution_prefix + item["canonical_solution"]
tests = item["test"]
# As a sanity check, parse. We get syntax warnings on standard error.
ast.parse(solution, filename=item["task_id"])
ast.parse(tests, filename="test_" + item["task_id"])
return BigCodeBenchProblem(
task_id=item["task_id"],
problem=problem,
solution=solution,
tests=tests,
)
def load_bigcodebench() -> Generator[BigCodeBenchProblem, None, None]:
""" "
Loads the BigCodeBench dataset in a format appropriate for translation.
"""
bcb = datasets.load_dataset("bigcode/bigcodebench", split="v0.1.4")
for item in bcb:
yield _prepare_bcb_problem(item)
################################################################################
def upload(problems_path: Path, results_path: Path, output_path: Path):
problems = pd.read_json(problems_path, lines=True)
results = pd.read_json(results_path, lines=True)
joined = problems.merge(results, on="task_id", how="left")
assert list(joined.columns) == [
"reasoning",
"prompt",
"program",
"test_suite",
"task_id",
"timeout",
"exit_code",
"stdout",
"stderr",
], "Unexpected columns after the join. Are you sure you are merging the right files?"
joined.to_json(output_path, orient="records", lines=True)
def dataset_inspector(dataset_name: str, data_dir: str):
dataset = datasets.load_dataset(dataset_name, data_dir=data_dir, split="test")
original_dataset = pd.DataFrame(load_bigcodebench())
original_dataset = original_dataset.rename(columns={
"problem": "original_prompt",
"solution": "original_program",
"tests": "original_test_suite",
})
# Convert to pandas DataFrame for easier manipulation
df = dataset.to_pandas()
df = df.merge(original_dataset, on="task_id", how="left")
def get_filtered_data(predicate):
"""Filter the dataset based on predicate"""
filtered_df = df.copy()
selector = False
if predicate.get('filter_timeout', False):
selector = selector | (filtered_df['timeout'] == True)
if predicate.get('filter_successes', False):
selector = selector | (filtered_df['exit_code'] == 0)
if predicate.get('filter_errors', False):
# We use exit_code < 0 for timeout.
selector = selector | (filtered_df['exit_code'] > 0)
return filtered_df[selector]
def format_problem_display(row, predicate):
"""Format a single problem for display - returns (generated_content, original_content)"""
generated_content = []
original_content = []
# Add reasoning to generated side if checkbox is checked
if predicate.get('show_reasoning', False):
generated_content.append("## Reasoning")
generated_content.append(str(row['reasoning']))
generated_content.append("")
# Generated content
generated_content.append("# Generated")
generated_content.append("")
generated_content.append("## Prompt")
generated_content.append(str(row['prompt']))
generated_content.append("")
generated_content.append("## Program")
generated_content.append("```python")
generated_content.append(str(row['program']))
generated_content.append("```")
generated_content.append("")
generated_content.append("## Test Suite")
generated_content.append("```python")
generated_content.append(str(row['test_suite']))
generated_content.append("```")
generated_content.append("")
# Add execution results to generated side
if str(row['stdout']).strip():
generated_content.append("## Standard Output")
generated_content.append("```")
generated_content.append(str(row['stdout']))
generated_content.append("```")
generated_content.append("")
if str(row['stderr']).strip():
generated_content.append("## Standard Error")
generated_content.append("```")
generated_content.append(str(row['stderr']))
generated_content.append("```")
generated_content.append("")
generated_content.append("## Metadata")
generated_content.append(f"**Task ID:** {row['task_id']}")
generated_content.append(f"**Timeout:** {row['timeout']}")
generated_content.append(f"**Exit Code:** {row['exit_code']}")
# Original content
original_content.append("# Original")
original_content.append("")
original_content.append("## Prompt")
original_content.append(str(row['original_prompt']))
original_content.append("")
original_content.append("## Program")
original_content.append("```python")
original_content.append(str(row['original_program']))
original_content.append("```")
original_content.append("")
original_content.append("## Test Suite")
original_content.append("```python")
original_content.append(str(row['original_test_suite']))
original_content.append("```")
return "\n".join(generated_content), "\n".join(original_content)
def update_display(current_index, predicate):
"""Update the display based on current predicate and index"""
filtered_df = get_filtered_data(predicate)
if len(filtered_df) == 0:
return "No problems match the current filters.", "No problems match the current filters.", f"0 / 0", gr.update(interactive=False), gr.update(interactive=False)
# Ensure index is within bounds
current_index = max(0, min(current_index, len(filtered_df) - 1))
row = filtered_df.iloc[current_index]
generated_content, original_content = format_problem_display(row, predicate)
status = f"{current_index + 1} / {len(filtered_df)}"
# Update button states
prev_enabled = current_index > 0
next_enabled = current_index < len(filtered_df) - 1
return generated_content, original_content, status, gr.update(interactive=prev_enabled), gr.update(interactive=next_enabled)
def go_prev(current_index, predicate):
"""Go to previous problem"""
new_index = max(0, current_index - 1)
generated_content, original_content, status, prev_btn, next_btn = update_display(new_index, predicate)
return generated_content, original_content, status, new_index, prev_btn, next_btn
def go_next(current_index, predicate):
"""Go to next problem"""
filtered_df = get_filtered_data(predicate)
new_index = min(len(filtered_df) - 1, current_index + 1)
generated_content, original_content, status, prev_btn, next_btn = update_display(new_index, predicate)
return generated_content, original_content, status, new_index, prev_btn, next_btn
def on_filter_change(current_index, predicate):
"""Handle filter changes - reset to first item"""
generated_content, original_content, status, prev_btn, next_btn = update_display(0, predicate)
return generated_content, original_content, status, 0, prev_btn, next_btn
def update_predicate(predicate, key, value):
"""Update a single key in the predicate"""
new_predicate = predicate.copy()
new_predicate[key] = value
return new_predicate
# Create Gradio interface
with gr.Blocks(title="BigCodeBench Problem Inspector") as demo:
gr.Markdown("# BigCodeBench-MultiPL Problem Inspector")
# State to track current index and predicate
current_index = gr.State(0)
predicate = gr.State({
'filter_timeout': False,
'filter_successes': True,
'filter_errors': False,
'show_reasoning': False
})
# Top controls row
with gr.Row():
prev_btn = gr.Button("β Previous", size="sm")
status_text = gr.Textbox(value="1 / 1", interactive=False, container=False, show_label=False)
next_btn = gr.Button("Next β", size="sm")
# Filter controls
with gr.Row():
filter_timeout = gr.Checkbox(label="Filter by timeout = True", value=False)
filter_successes = gr.Checkbox(label="Show successes (exit_code == 0)", value=True)
filter_errors = gr.Checkbox(label="Show errors (exit_code != 0)", value=False)
show_reasoning = gr.Checkbox(label="Show reasoning", value=False)
# Main content area - two columns
with gr.Row():
with gr.Column():
generated_display = gr.Markdown(value="Loading generated content...", height=600)
with gr.Column():
original_display = gr.Markdown(value="Loading original content...", height=600)
# Initialize display
demo.load(
fn=lambda: update_display(0, {'filter_timeout': False, 'filter_successes': True, 'filter_errors': False, 'show_reasoning': False}),
outputs=[generated_display, original_display, status_text, prev_btn, next_btn]
)
# Event handlers
prev_btn.click(
fn=go_prev,
inputs=[current_index, predicate],
outputs=[generated_display, original_display, status_text, current_index, prev_btn, next_btn]
)
next_btn.click(
fn=go_next,
inputs=[current_index, predicate],
outputs=[generated_display, original_display, status_text, current_index, prev_btn, next_btn]
)
# Filter change handlers
filter_timeout.change(
fn=lambda current_idx, pred, value: (
*on_filter_change(current_idx, update_predicate(pred, 'filter_timeout', value)),
update_predicate(pred, 'filter_timeout', value)
),
inputs=[current_index, predicate, filter_timeout],
outputs=[generated_display, original_display, status_text, current_index, prev_btn, next_btn, predicate]
)
filter_errors.change(
fn=lambda current_idx, pred, value: (
*on_filter_change(current_idx, update_predicate(pred, 'filter_errors', value)),
update_predicate(pred, 'filter_errors', value)
),
inputs=[current_index, predicate, filter_errors],
outputs=[generated_display, original_display, status_text, current_index, prev_btn, next_btn, predicate]
)
filter_successes.change(
fn=lambda current_idx, pred, value: (
*on_filter_change(current_idx, update_predicate(pred, 'filter_successes', value)),
update_predicate(pred, 'filter_successes', value)
),
inputs=[current_index, predicate, filter_successes],
outputs=[generated_display, original_display, status_text, current_index, prev_btn, next_btn, predicate]
)
show_reasoning.change(
fn=lambda current_idx, pred, value: (
*update_display(current_idx, update_predicate(pred, 'show_reasoning', value)),
update_predicate(pred, 'show_reasoning', value)
),
inputs=[current_index, predicate, show_reasoning],
outputs=[generated_display, original_display, status_text, prev_btn, next_btn, predicate]
)
demo.launch(share=True)
def main():
parser = argparse.ArgumentParser()
subparsers = parser.add_subparsers(dest="subcommand")
upload_command = subparsers.add_parser("upload", help="Prepare the dataset")
upload_command.add_argument(
"--problems-path",
type=Path,
required=True,
help="Output from make_stdio_problem.py",
)
upload_command.add_argument(
"--results-path",
type=Path,
required=True,
help="Execution results from --problems-path",
)
upload_command.add_argument(
"--output-path",
type=Path,
required=True,
help="Output path to save the joined dataset",
)
dataset_inspector_command = subparsers.add_parser("dataset-inspector", help="Inspect a dataset")
dataset_inspector_command.add_argument(
"--dataset-name",
type=str,
default="nuprl/BigCodeBench-MultiPL-Results",
help="Name of the dataset on the Hugging Face Hub",
)
dataset_inspector_command.add_argument(
"--data-dir",
type=str,
default="python_stdio",
help="Name of the directory on the Hugging Face Hub",
)
args = parser.parse_args()
args_dict = dict(vars(args))
del args_dict["subcommand"]
if args.subcommand == "upload":
upload(**args_dict)
elif args.subcommand == "dataset-inspector":
dataset_inspector(**args_dict)
elif args.subcommand is None:
dataset_inspector(dataset_name="nuprl/BigCodeBench-MultiPL-Results", data_dir="python_stdio")
else:
raise ValueError(f"Unknown subcommand: {args.subcommand}")
if __name__ == "__main__":
main()
|