Datasets:
Formats:
parquet
Languages:
English
Size:
10M - 100M
Tags:
biology
chemistry
drug-discovery
clinical-trials
protein-protein-interaction
gene-essentiality
License:
File size: 9,023 Bytes
6d1bbc7 | 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 | #!/usr/bin/env python3
"""Collect and aggregate GE benchmark results (ML + LLM).
Reads all results from results/ge/ (ML) and results/ge_llm/ (LLM).
Usage:
python scripts_depmap/collect_ge_results.py
python scripts_depmap/collect_ge_results.py --ml-dir results/ge --llm-dir results/ge_llm
"""
from __future__ import annotations
import argparse
import json
import re
from collections import defaultdict
from pathlib import Path
import numpy as np
PROJECT_ROOT = Path(__file__).resolve().parent.parent
ML_DIR = PROJECT_ROOT / "results" / "ge"
LLM_DIR = PROJECT_ROOT / "results" / "ge_llm"
PRIMARY_METRICS = {
"ge-l1": ["accuracy", "macro_f1", "mcc"],
"ge-l2": ["schema_compliance", "field_f1"],
"ge-l3": ["overall_mean"],
"ge-l4": ["accuracy", "mcc"],
}
def collect_ml_results(results_dir: Path) -> list[dict]:
"""Collect all ML result JSONs."""
records = []
for p in sorted(results_dir.glob("m*.json")):
with open(p) as f:
data = json.load(f)
records.append(data)
return records
def load_all_llm_results(results_dir: Path) -> list[dict]:
"""Load all results.json files from GE LLM runs."""
results = []
if not results_dir.exists():
return results
for run_dir in sorted(results_dir.iterdir()):
if not run_dir.is_dir():
continue
if run_dir.name.endswith("_judged"):
continue
results_file = run_dir / "results.json"
meta_file = run_dir / "run_meta.json"
if not results_file.exists():
continue
# For L3, prefer judged results
judged_dir = results_dir / f"{run_dir.name}_judged"
judged_results = judged_dir / "results.json"
if run_dir.name.startswith("ge-l3_") and judged_results.exists():
results_file = judged_results
with open(results_file) as f:
metrics = json.load(f)
meta = {}
if meta_file.exists():
with open(meta_file) as f:
meta = json.load(f)
# Parse run name: {task}_{model}_{config}_fs{set}
name = run_dir.name
m_fs = re.match(r"(ge-l\d)_(.+?)_(zero-shot|3-shot)_fs(\d+)$", name)
m_no_fs = re.match(r"(ge-l\d)_(.+?)_(zero-shot|3-shot)$", name)
if m_fs:
task, model, config, fs_set = (
m_fs.group(1), m_fs.group(2), m_fs.group(3), int(m_fs.group(4))
)
elif m_no_fs:
task, model, config = m_no_fs.group(1), m_no_fs.group(2), m_no_fs.group(3)
fs_set = 0
else:
parts = name.rsplit("_fs", 1)
prefix = parts[0] if len(parts) == 2 else name
fs_set = int(parts[1]) if len(parts) == 2 else 0
task = prefix.split("_", 1)[0]
model = prefix[len(task) + 1:]
config = meta.get("config", "unknown")
# Count ERROR predictions
error_rate = 0.0
api_failure = False
pred_path = run_dir / "predictions.jsonl"
if pred_path.exists():
error_count = 0
total_preds = 0
with open(pred_path) as pf:
for line in pf:
total_preds += 1
try:
rec = json.loads(line)
if str(rec.get("prediction", "")).startswith("ERROR:"):
error_count += 1
except json.JSONDecodeError:
error_count += 1
if total_preds > 0:
error_rate = error_count / total_preds
api_failure = error_rate > 0.5
results.append({
"run_name": name,
"task": task,
"model": model,
"config": config,
"fewshot_set": fs_set,
"metrics": metrics,
"meta": meta,
"error_rate": error_rate,
"api_failure": api_failure,
})
return results
def aggregate_results(results: list[dict]) -> list[dict]:
"""Aggregate metrics across few-shot sets (mean +/- std)."""
groups: dict[tuple, list[dict]] = defaultdict(list)
for r in results:
key = (r["task"], r["model"], r["config"])
groups[key].append(r)
aggregated = []
for (task, model, config), run_list in sorted(groups.items()):
effective_list = run_list
if config == "zero-shot" and len(run_list) > 1:
effective_list = [run_list[0]]
metric_list = [r["metrics"] for r in effective_list]
error_rates = [r.get("error_rate", 0.0) for r in effective_list]
any_api_failure = any(r.get("api_failure", False) for r in effective_list)
row = {
"task": task,
"model": model,
"config": config,
"n_runs": len(effective_list),
"error_rate_mean": float(np.mean(error_rates)),
"api_failure": any_api_failure,
}
metrics = PRIMARY_METRICS.get(task, [])
for metric in metrics:
values = []
for m in metric_list:
val = m.get(metric)
if isinstance(val, dict):
val = val.get("mean")
if val is not None and isinstance(val, (int, float)):
values.append(val)
if values:
row[f"{metric}_mean"] = float(np.mean(values))
row[f"{metric}_std"] = (
float(np.std(values, ddof=1)) if len(values) > 1 else 0.0
)
else:
row[f"{metric}_mean"] = None
row[f"{metric}_std"] = None
aggregated.append(row)
return aggregated
def format_table(aggregated: list[dict]) -> str:
"""Format as markdown table."""
if not aggregated:
return "No results found."
metric_cols = set()
for row in aggregated:
for key in row:
if key.endswith("_mean") and key != "error_rate_mean":
metric_cols.add(key.removesuffix("_mean"))
metric_cols = sorted(metric_cols)
header = "| **Task** | **Model** | **Config** | **N** |"
for m in metric_cols:
header += f" **{m}** |"
lines = [header]
lines.append("|" + "|".join(["---"] * (4 + len(metric_cols))) + "|")
has_api_failure = False
for row in aggregated:
marker = ""
if row.get("api_failure"):
marker = " +"
has_api_failure = True
line = f"| {row['task']} | {row['model']}{marker} | {row['config']} | {row['n_runs']} |"
for m in metric_cols:
mean = row.get(f"{m}_mean")
std = row.get(f"{m}_std")
if mean is not None:
if std and std > 0:
line += f" {mean:.3f}+/-{std:.3f} |"
else:
line += f" {mean:.3f} |"
else:
line += " -- |"
lines.append(line)
if has_api_failure:
lines.append("")
lines.append("+ = >50% of predictions are API errors")
return "\n".join(lines)
def main():
parser = argparse.ArgumentParser(description="Collect GE benchmark results")
parser.add_argument("--ml-dir", type=Path, default=ML_DIR)
parser.add_argument("--llm-dir", type=Path, default=LLM_DIR)
args = parser.parse_args()
# ML results
if args.ml_dir.exists() and any(args.ml_dir.glob("m*.json")):
ml_records = collect_ml_results(args.ml_dir)
print(f"\nML results: {len(ml_records)} runs")
for r in ml_records:
print(f" {r.get('task', '?')}/{r.get('model', '?')}/{r.get('split', '?')}: "
f"acc={r.get('accuracy', '?')}, mcc={r.get('mcc', '?')}")
else:
print("No ML results found.")
# LLM results
print(f"\nLoading GE LLM results from {args.llm_dir}...")
results = load_all_llm_results(args.llm_dir)
print(f" Found {len(results)} runs")
if not results:
print("No LLM results found.")
return
for r in results:
print(f" {r['run_name']}: {r['task']} / {r['model']} / {r['config']}")
print("\nAggregating...")
aggregated = aggregate_results(results)
# Save CSV
csv_path = args.llm_dir / "ge_llm_summary.csv"
with open(csv_path, "w") as f:
cols = []
seen = set()
for row in aggregated:
for k in row:
if k not in seen:
cols.append(k)
seen.add(k)
f.write(",".join(cols) + "\n")
for row in aggregated:
f.write(",".join(str(row.get(c, "")) for c in cols) + "\n")
print(f"Saved CSV: {csv_path}")
# Save Markdown
md_path = args.llm_dir / "ge_llm_summary.md"
table_text = format_table(aggregated)
with open(md_path, "w") as f:
f.write(table_text)
print(f"Saved Markdown: {md_path}")
print(f"\n{table_text}")
print(f"\nDone. {len(results)} total runs collected.")
if __name__ == "__main__":
main()
|