Spaces:
Sleeping
Sleeping
File size: 8,401 Bytes
a0f27fa 430d0f8 a0f27fa 430d0f8 a0f27fa 430d0f8 a0f27fa 430d0f8 a0f27fa 430d0f8 a0f27fa 430d0f8 a0f27fa 430d0f8 a0f27fa 430d0f8 a0f27fa 430d0f8 a0f27fa 430d0f8 a0f27fa 430d0f8 a0f27fa 430d0f8 a0f27fa 430d0f8 | 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 | """Unified Claude API scoring for both AI/ML and security domains."""
import json
import logging
import re
import time
import anthropic
log = logging.getLogger(__name__)
# Import the module so we always read live config values (not stale copies).
import src.config as config
from src.config import SECURITY_LLM_RE
from src.db import get_unscored_papers, update_paper_scores
def score_run(run_id: int, domain: str) -> int:
"""Score all unscored papers in a run. Returns count of scored papers."""
if not config.ANTHROPIC_API_KEY:
log.warning("ANTHROPIC_API_KEY not set — skipping scoring")
return 0
scoring_model = config.SCORING_MODEL
batch_size = config.BATCH_SIZE
scoring_config = config.SCORING_CONFIGS[domain]
papers = get_unscored_papers(run_id)
if not papers:
log.info("No unscored papers for run %d", run_id)
return 0
log.info("Scoring %d %s papers with %s ...", len(papers), domain, scoring_model)
client = anthropic.Anthropic(timeout=120.0)
max_chars = config.MAX_ABSTRACT_CHARS_AIML if domain == "aiml" else config.MAX_ABSTRACT_CHARS_SECURITY
scored_count = 0
t0 = time.monotonic()
for i in range(0, len(papers), batch_size):
batch = papers[i : i + batch_size]
batch_num = i // batch_size + 1
total_batches = (len(papers) + batch_size - 1) // batch_size
log.info("Batch %d/%d (%d papers) ...", batch_num, total_batches, len(batch))
# Build user content
user_content = _build_batch_content(batch, domain, max_chars)
# Call Claude
scores = _call_claude(client, scoring_config["prompt"], user_content, model=scoring_model)
if not scores:
continue
# Map scores back to papers and update DB
scored_count += _apply_scores(batch, scores, domain, scoring_config)
elapsed = time.monotonic() - t0
log.info("Scored %d/%d papers with %s in %.0fs", scored_count, len(papers), scoring_model, elapsed)
return scored_count
def _build_batch_content(papers: list[dict], domain: str, max_chars: int) -> str:
"""Build the user content string for a batch of papers."""
lines = []
for p in papers:
abstract = (p.get("abstract") or "")[:max_chars]
id_field = p.get("entry_id") or p.get("arxiv_url") or p.get("arxiv_id", "")
lines.append("---")
if domain == "security":
lines.append(f"entry_id: {id_field}")
else:
lines.append(f"arxiv_id: {p.get('arxiv_id', '')}")
authors_list = p.get("authors", [])
if isinstance(authors_list, str):
authors_str = authors_list
else:
authors_str = ", ".join(authors_list[:5])
cats = p.get("categories", [])
if isinstance(cats, str):
cats_str = cats
else:
cats_str = ", ".join(cats)
lines.append(f"title: {p.get('title', '')}")
lines.append(f"authors: {authors_str}")
lines.append(f"categories: {cats_str}")
code_url = p.get("github_repo") or p.get("code_url") or "none found"
lines.append(f"code_url_found: {code_url}")
if domain == "security":
if "llm_adjacent" not in p:
text = f"{p.get('title', '')} {p.get('abstract', '')}"
p["llm_adjacent"] = bool(SECURITY_LLM_RE.search(text))
lines.append(f"llm_adjacent: {str(p['llm_adjacent']).lower()}")
if domain == "aiml":
lines.append(f"hf_upvotes: {p.get('hf_upvotes', 0)}")
hf_models = p.get("hf_models", [])
if hf_models:
model_ids = [m["id"] if isinstance(m, dict) else str(m) for m in hf_models[:3]]
lines.append(f"hf_models: {', '.join(model_ids)}")
hf_spaces = p.get("hf_spaces", [])
if hf_spaces:
space_ids = [s["id"] if isinstance(s, dict) else str(s) for s in hf_spaces[:3]]
lines.append(f"hf_spaces: {', '.join(space_ids)}")
lines.append(f"source: {p.get('source', 'unknown')}")
lines.append(f"abstract: {abstract}")
lines.append(f"comment: {p.get('comment', 'N/A')}")
lines.append("")
return "\n".join(lines)
def _call_claude(client: anthropic.Anthropic, system_prompt: str, user_content: str, *, model: str) -> list[dict]:
"""Call Claude API and extract JSON response."""
for attempt in range(3):
try:
response = client.messages.create(
model=model,
max_tokens=4096,
system=system_prompt,
messages=[{"role": "user", "content": user_content}],
)
text = response.content[0].text
json_match = re.search(r"\[.*\]", text, re.DOTALL)
if json_match:
return json.loads(json_match.group())
log.warning("No JSON array in response (attempt %d)", attempt + 1)
except (anthropic.APIError, json.JSONDecodeError) as e:
log.error("Scoring API error (attempt %d): %s", attempt + 1, e)
if attempt < 2:
time.sleep(2 ** (attempt + 1))
else:
log.error("Skipping batch after 3 failures")
return []
def _apply_scores(papers: list[dict], scores: list[dict], domain: str, config: dict) -> int:
"""Apply scores from Claude response to papers in DB. Returns count applied."""
axes = config["axes"]
weights = config["weights"]
weight_values = list(weights.values())
# Build lookup by ID
if domain == "security":
score_map = {s.get("entry_id", ""): s for s in scores}
else:
score_map = {s.get("arxiv_id", ""): s for s in scores}
applied = 0
for paper in papers:
if domain == "security":
key = paper.get("entry_id") or paper.get("arxiv_url") or ""
else:
key = paper.get("arxiv_id", "")
score = score_map.get(key)
if not score:
continue
# Extract axis scores
axis_scores = [score.get(ax, 0) for ax in axes]
# Compute composite
composite = sum(s * w for s, w in zip(axis_scores, weight_values))
update_paper_scores(paper["id"], {
"score_axis_1": axis_scores[0] if len(axis_scores) > 0 else None,
"score_axis_2": axis_scores[1] if len(axis_scores) > 1 else None,
"score_axis_3": axis_scores[2] if len(axis_scores) > 2 else None,
"composite": round(composite, 2),
"summary": score.get("summary", ""),
"reasoning": score.get("reasoning", ""),
"code_url": score.get("code_url"),
})
applied += 1
return applied
def rescore_top(run_id: int, domain: str, n: int = 0) -> int:
"""Re-score the top N papers from a run using the stronger rescore model.
Returns count of re-scored papers. Pass n=0 to use RESCORE_TOP_N from config.
"""
rescore_model = config.RESCORE_MODEL
scoring_model = config.SCORING_MODEL
n = n or config.RESCORE_TOP_N
if n <= 0:
return 0
if not config.ANTHROPIC_API_KEY:
log.warning("ANTHROPIC_API_KEY not set — skipping re-scoring")
return 0
if rescore_model == scoring_model:
log.info("Rescore model same as scoring model — skipping re-score")
return 0
from src.db import get_top_papers
scoring_config = config.SCORING_CONFIGS[domain]
papers = get_top_papers(domain, run_id=run_id, limit=n)
if not papers:
log.info("No papers to re-score for run %d", run_id)
return 0
log.info("Re-scoring top %d %s papers with %s ...", len(papers), domain, rescore_model)
client = anthropic.Anthropic(timeout=120.0)
max_chars = config.MAX_ABSTRACT_CHARS_AIML if domain == "aiml" else config.MAX_ABSTRACT_CHARS_SECURITY
t0 = time.monotonic()
user_content = _build_batch_content(papers, domain, max_chars)
scores = _call_claude(client, scoring_config["prompt"], user_content, model=rescore_model)
if not scores:
log.warning("Re-scoring returned no results")
return 0
rescored = _apply_scores(papers, scores, domain, scoring_config)
elapsed = time.monotonic() - t0
log.info("Re-scored %d/%d papers with %s in %.0fs", rescored, len(papers), rescore_model, elapsed)
return rescored
|