File size: 23,932 Bytes
79e8447 fed9c40 662e178 79e8447 945bad1 79e8447 945bad1 79e8447 945bad1 79e8447 945bad1 55c83f1 945bad1 55c83f1 945bad1 55c83f1 79e8447 60a8457 79e8447 | 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 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 | def _combine_query(title: str, abstract: str) -> str:
t = (title or "").strip()
a = (abstract or "").strip()
return t if not a else f"{t}. {a}"
import numpy as np
import pandas as pd
import pyarrow.parquet as pq
from sentence_transformers import SentenceTransformer
import gradio as gr
import io, os, tempfile, base64, json
from string import Template
import networkx as nx
from networkx.algorithms.community import greedy_modularity_communities
# =========================
# Config
# =========================
PARQUET_PATH = "scopus_corpus.parquet" # usa el parquet enriquecido si ya generaste SPECTER
MODEL_NAME_E5 = "intfloat/multilingual-e5-small" # recuperador rápido
MODEL_NAME_SPECTER = "allenai-specter" # embeddings científicos
qry_prefix = "query: "
# =========================
# Carga dataset
# =========================
table = pq.read_table(PARQUET_PATH)
df = table.to_pandas()
# Embeddings E5 (documentos) normalizados
embeddings = np.vstack(df["embedding"].to_list()).astype("float32")
# Embeddings SPECTER (documentos), si existen
specter_embs = None
if "specter_embedding" in df.columns:
specter_embs = np.vstack(df["specter_embedding"].to_list()).astype("float32")
SPECTER_AVAILABLE = specter_embs is not None
# =========================
# Modelos (E5 fijo, SPECTER lazy)
# =========================
model_e5 = SentenceTransformer(MODEL_NAME_E5, device="cpu")
_model_specter = None
def get_specter():
global _model_specter
if _model_specter is None:
_model_specter = SentenceTransformer(MODEL_NAME_SPECTER, device="cpu")
return _model_specter
# =========================
# Recomendación (tabla)
# =========================
def recommend(query_title: str,
query_abstract: str,
k_articles: int = 300,
top_n: int = 10,
min_year: str = "",
max_year: str = "",
use_specter: bool = False,
alpha_e5: float = 0.6):
query = _combine_query(query_title, query_abstract)
if len(query) < 5:
return pd.DataFrame({"Mensaje": ["Escribe un título (≥ 5 caracteres)."]})
# Filtro de años (opcional)
sub_df = df
if min_year.strip() or max_year.strip():
try:
y0 = int(min_year) if min_year.strip() else None
y1 = int(max_year) if max_year.strip() else None
except ValueError:
y0 = y1 = None
if y0 is not None:
sub_df = sub_df[sub_df["year"].fillna(-1) >= y0]
if y1 is not None:
sub_df = sub_df[sub_df["year"].fillna(99999) <= y1]
if sub_df.empty:
return pd.DataFrame({"Mensaje": ["No hay artículos en el rango de años solicitado."]})
sub_idx = sub_df.index.to_numpy()
sub_e5 = embeddings[sub_idx]
# Embedding de la consulta
q_e5 = model_e5.encode([qry_prefix + query], normalize_embeddings=True)[0].astype("float32")
sims_e5 = sub_e5 @ q_e5
sims = sims_e5
if use_specter and specter_embs is not None:
# Mezcla con SPECTER
spc = specter_embs[sub_idx]
q_spc = get_specter().encode([query], normalize_embeddings=True)[0].astype("float32")
sims_spc = spc @ q_spc
alpha = float(alpha_e5)
sims = alpha * sims_e5 + (1 - alpha) * sims_spc
# Top-k artículos similares
k = min(int(k_articles), len(sub_idx))
if k <= 0:
return pd.DataFrame({"Mensaje": ["No hay artículos para comparar."]})
top_k_idx_local = np.argpartition(-sims, k - 1)[:k]
top_rows = sub_df.iloc[top_k_idx_local].copy()
top_rows["sim"] = sims[top_k_idx_local]
# Agregar por revista
grp_cols = ["source_title", "issn", "eissn"]
best_idx = (top_rows.groupby(grp_cols)["sim"].idxmax())
agg = (top_rows.groupby(grp_cols)
.agg(score=("sim", "mean"),
best=("sim", "max"),
n=("sim", "size"))
.reset_index())
# Extra info (si existe)
extra_cols = ["title", "doi", "link", "year", "Document Type", "Open Access"]
extra_cols_present = [c for c in extra_cols if c in top_rows.columns]
best_titles = top_rows.loc[best_idx, grp_cols + extra_cols_present].set_index(grp_cols)
agg = agg.merge(best_titles, left_on=grp_cols, right_index=True, how="left")
# Ranking híbrido
agg["rank"] = agg["score"] * 0.8 + agg["best"] * 0.2 + np.log1p(agg["n"]) * 0.02
out = (
agg.sort_values("rank", ascending=False)
.head(int(top_n))
.rename(columns={
"source_title": "Revista",
"issn": "ISSN",
"eissn": "eISSN",
"n": "#similitudes",
"year": "Año",
"score": "Score medio",
"best": "Mejor similitud",
"title": "Título del artículo",
"doi": "DOI",
"link": "Link",
"document type": "Document Type",
"open access": "Open Access"
})
)
if "Año" in out.columns:
out["Año"] = out["Año"].fillna(0).astype(int).replace(0, "")
cols = ["Revista","Año","ISSN","eISSN","#similitudes","Score medio","Mejor similitud",
"Título del artículo","DOI","Link","Document Type","Open Access"]
out = out[[c for c in cols if c in out.columns]]
if "Score medio" in out.columns:
out["Score medio"] = out["Score medio"].round(3)
if "Mejor similitud" in out.columns:
out["Mejor similitud"] = out["Mejor similitud"].round(3)
return out
# =========================
# Grafo interactivo (vis-network en iframe)
# =========================
def build_similarity_network_html(query_title: str,
query_abstract: str,
k_articles: int,
min_year: str,
max_year: str,
use_specter: bool = False,
alpha_e5: float = 0.6,
top_nodes: int = 15,
doc_edge_threshold: float = 0.35) -> str:
qtxt = _combine_query(query_title, query_abstract)
if len(qtxt) < 5:
return "<p>Escribe un título (≥ 5 caracteres).</p>"
# ---- Filtro por años ----
sub_df = df
if (min_year or "").strip() or (max_year or "").strip():
try:
y0 = int(min_year) if (min_year or "").strip() else None
y1 = int(max_year) if (max_year or "").strip() else None
except ValueError:
y0 = y1 = None
if y0 is not None:
sub_df = sub_df[sub_df["year"].fillna(-1) >= y0]
if y1 is not None:
sub_df = sub_df[sub_df["year"].fillna(99999) <= y1]
if sub_df.empty:
return "<p>No hay artículos en el rango de años solicitado.</p>"
sub_idx = sub_df.index.to_numpy()
sub_e5 = embeddings[sub_idx]
# ---- Similitud a consulta (para tamaño de nodos) ----
q_e5 = model_e5.encode([qry_prefix + qtxt], normalize_embeddings=True)[0].astype("float32")
scores_e5 = sub_e5 @ q_e5
# Híbrido (opcional)
ns = scores_e5
if use_specter and specter_embs is not None:
spc = specter_embs[sub_idx]
q_spc = get_specter().encode([qtxt], normalize_embeddings=True)[0].astype("float32")
scores_spc = spc @ q_spc
alpha = float(alpha_e5)
ns = alpha * scores_e5 + (1 - alpha) * scores_spc
# Top-k por similitud
k = min(int(k_articles), len(sub_idx))
top_idx_local = np.argpartition(-ns, k - 1)[:k]
top_rows = sub_df.iloc[top_idx_local].copy()
top_rows["sim_to_query"] = ns[top_idx_local]
top_rows = top_rows.sort_values("sim_to_query", ascending=False).head(int(top_nodes))
if len(top_rows) < 2:
return "<p>No hay suficientes artículos para graficar la red.</p>"
node_idx = top_rows.index.to_numpy()
node_e5 = embeddings[node_idx]
# ---- Aristas artículo–artículo ----
# E5 por defecto; si SPECTER activo y disponible, usarlo para mayor coherencia temática
pair_mat = node_e5
if use_specter and specter_embs is not None:
pair_mat = specter_embs[node_idx]
pair_sims = pair_mat @ pair_mat.T
# ---- Colores por año (teal gradient estilo CP) ----
years = top_rows["year"].fillna(0).astype(int).to_numpy()
y_valid = years[years > 0]
y_min, y_max = (int(y_valid.min()), int(y_valid.max())) if len(y_valid) else (2000, 2025)
def teal_year_color(y: int) -> str:
t = 0.0 if (not y or y <= 0 or y_max == y_min) else (y - y_min) / (y_max - y_min)
h = 170
s = int(35 + 35 * t)
l = int(85 - 30 * t)
return f"hsl({h}, {s}%, {l}%)"
# ---- Comunidades (clusters) para modo color=Comunidad ----
ids = [str(row.get("eid", idx)) for idx, row in top_rows.iterrows()]
Gc = nx.Graph()
Gc.add_nodes_from(ids)
n = len(ids)
for i in range(n):
for j in range(i + 1, n):
w = float(pair_sims[i, j])
if w >= float(doc_edge_threshold):
Gc.add_edge(ids[i], ids[j], weight=w)
comms = list(greedy_modularity_communities(Gc, weight="weight")) if Gc.number_of_edges() else [set(ids)]
node2comm = {nid: ci for ci, c in enumerate(comms) for nid in c}
def pastel_palette(k, s=60, l=65):
return [f"hsl({int(360*i/k)}, {s}%, {l}%)" for i in range(max(1, k))]
comm_colors = pastel_palette(len(comms))
group_colors = {str(i): comm_colors[i] for i in range(len(comms))}
# ---- Construcción nodos/aristas para vis.js ----
ns_nodes = top_rows["sim_to_query"].to_numpy(dtype=float)
smin, smax = (float(ns_nodes.min()), float(ns_nodes.max())) if ns_nodes.size else (0.0, 0.0)
def node_size(sim):
if smax <= smin: return 18
return 14 + 40 * (float(sim) - smin) / (smax - smin)
nodes, edges = [], []
nodes.append({
"id": "QUERY", "label": "Consulta", "title": qtxt,
"shape": "star", "size": 46, "color": "#e45756",
"font": {"size": 16, "strokeWidth": 6, "strokeColor": "#ffffff"}
})
for _, row in top_rows.iterrows():
eid = str(row.get("eid", "")) or str(row.name)
title = str(row.get("title", ""))[:160]
journal = str(row.get("source_title", ""))[:120]
year = int(row.get("year", 0)) if pd.notna(row.get("year", None)) else 0
doi = str(row.get("doi", "")) or ""
link = str(row.get("link", "")) or ""
sim = float(row.get("sim_to_query", 0.0))
label = (journal or title)[:40] or "Artículo"
tooltip = (
f"<b>{title}</b><br>"
f"Revista: {journal}<br>"
f"Año: {year if year>0 else 'N/D'}<br>"
f"Similitud con consulta: {sim:.3f}<br>"
f"DOI: {doi}<br>"
f"<a href='{link}' target='_blank'>Abrir</a>"
)
group = str(node2comm.get(eid, 0))
nodes.append({
"id": eid, "label": label, "title": tooltip,
"size": node_size(sim), "year": year, "group": group,
"colorYear": teal_year_color(year),
"font": {"size": 14, "strokeWidth": 6, "strokeColor": "#ffffff"}
})
edges.append({
"from": "QUERY", "to": eid,
"value": sim,
"width": 1 + 6*max(0.0, sim),
"color": {"color": "#9fb7b3"},
"smooth": True
})
for i in range(n):
for j in range(i + 1, n):
w = float(pair_sims[i, j])
edges.append({
"from": ids[i], "to": ids[j],
"value": w,
"width": max(0.8, 3.0*(w-0.2)),
"hidden": w < doc_edge_threshold,
"color": {"color": "#b9c7c5"},
"smooth": True
})
options = {
"interaction": {
"hover": True, "multiselect": True, "dragNodes": True,
"navigationButtons": False,
"keyboard": {"enabled": True, "bindToWindow": True}
},
"physics": {
"enabled": True, "solver": "forceAtlas2Based",
"forceAtlas2Based": {
"avoidOverlap": 0.4, "gravitationalConstant": -45,
"centralGravity": 0.015, "springLength": 135,
"springConstant": 0.055, "damping": 0.45
},
"stabilization": {"iterations": 140}
},
"nodes": {
"shape": "dot", "borderWidth": 1,
"shadow": {"enabled": True, "size": 8, "x": 0, "y": 1}
},
"edges": {
"smooth": {"type": "continuous"},
"selectionWidth": 2,
"shadow": {"enabled": True, "size": 6, "x": 0, "y": 1}
}
}
tmpl = Template(r"""
<div style="font-family:system-ui,-apple-system,Segoe UI,Roboto; background:#f6f8f9; padding:8px; border-radius:8px;">
<div style="display:flex; gap:14px; align-items:center; margin:6px 0 10px 0;">
<div style="white-space:nowrap;">
<label><b>Color por:</b></label>
<label style="margin-left:6px;"><input type="radio" name="colorMode" value="year" checked> Año</label>
<label style="margin-left:6px;"><input type="radio" name="colorMode" value="community"> Comunidad</label>
</div>
<div style="min-width:290px;">
<label for="edgeSlider"><b>Umbral</b>: <span id="edgeVal">$THRESH</span></label>
<input id="edgeSlider" type="range" min="0" max="1" step="0.01" value="$THRESH"
style="width:180px; margin-left:8px;">
</div>
</div>
<div style="display:flex; align-items:center; gap:10px; margin:2px 0 8px 6px;">
<div style="width:82px; text-align:right; color:#5b6b70; font-size:12px;">Años:</div>
<input id="yearMin" type="range" min="$YMIN" max="$YMAX" value="$YMIN" step="1" style="flex:1;">
<input id="yearMax" type="range" min="$YMIN" max="$YMAX" value="$YMAX" step="1" style="flex:1;">
<div id="yearLbl" style="width:130px; text-align:left; color:#5b6b70; font-size:12px;">$YMIN – $YMAX</div>
</div>
<div style="height:10px; margin:0 6px 8px 90px; background:linear-gradient(90deg, hsl(170,35%,85%) 0%, hsl(170,70%,55%) 100%); border-radius:6px;"></div>
<div id="netContainer" style="height:720px; border:1px solid #d6e0e2; border-radius:12px; background:#fbfcfd;"></div>
<div style="position:relative; margin-top:6px;">
<div style="position:absolute; left:6px; bottom:6px; display:flex; gap:8px;">
<button id="btnFit" title="Ajustar vista" style="border:0; background:#e7f0ef; padding:6px 10px; border-radius:10px;">⟲</button>
<button id="btnPNG" title="Exportar PNG" style="border:0; background:#e7f0ef; padding:6px 10px; border-radius:10px;">⬇</button>
<button id="btnHelp" title="Ayuda" style="border:0; background:#e7f0ef; padding:6px 10px; border-radius:10px;">?</button>
</div>
</div>
</div>
<script src="https://unpkg.com/vis-network@9.1.9/dist/vis-network.min.js"></script>
<script>
(function(){
const nodes = new vis.DataSet($NODES);
const edges = new vis.DataSet($EDGES);
const options = $OPTIONS;
const groupColors = $GROUPCOLORS;
const container = document.getElementById('netContainer');
const net = new vis.Network(container, {nodes, edges}, options);
window.network = net; window.nodes = nodes; window.edges = edges;
// Color por año/comunidad
function applyColors(mode){
nodes.forEach(n=>{
if(n.id==='QUERY') return;
const col = (mode==='community') ? (groupColors[String(n.group)]||'#9fb7b3') : (n.colorYear||'#9fb7b3');
nodes.update({ id:n.id, color: col });
});
}
applyColors('year');
document.querySelectorAll('input[name="colorMode"]').forEach(r =>
r.addEventListener('change', e => applyColors(e.target.value))
);
// Umbral
const slider = document.getElementById('edgeSlider');
const edgeVal = document.getElementById('edgeVal');
function applyThreshold(th){
edges.forEach(e=>{
const show = (e.value||0) >= th || e.from==='QUERY' || e.to==='QUERY';
edges.update({ id:e.id, hidden:!show, width: show ? (e.width||1) : 0.1 });
});
}
slider.addEventListener('input', ()=>{
const th = parseFloat(slider.value||'0');
edgeVal.textContent = th.toFixed(2);
applyThreshold(th);
});
applyThreshold(parseFloat(slider.value||'0'));
// Timeline (doble slider)
const sMin=document.getElementById('yearMin'), sMax=document.getElementById('yearMax');
const yLbl=document.getElementById('yearLbl');
function applyYearFilter(a,b){
const lo=Math.min(a,b), hi=Math.max(a,b);
yLbl.textContent = lo+" – "+hi;
const visible=new Set();
nodes.forEach(n=>{
if(n.id==='QUERY'){ visible.add(n.id); return; }
const y=Number(n.year||0);
const show=(y===0)||(y>=lo && y<=hi);
nodes.update({ id:n.id, hidden:!show });
if(show) visible.add(n.id);
});
edges.forEach(e=>{
const show=visible.has(e.from)&&visible.has(e.to);
edges.update({ id:e.id, hidden:!show });
});
}
function clamp(){ let a=+sMin.value, b=+sMax.value; if(a>b) [a,b]=[b,a]; applyYearFilter(a,b); }
sMin.addEventListener('input',clamp); sMax.addEventListener('input',clamp); clamp();
// Resaltado de vecindad
const inactive='rgba(200,210,210,0.35)';
function highlight(ids){
const nbr=new Set(ids);
ids.forEach(id=> net.getConnectedNodes(id).forEach(n=>nbr.add(n)));
nodes.forEach(n=>{
const active=nbr.has(n.id)||n.id==='QUERY';
nodes.update({ id:n.id, color: active?(n.color||'#9fb7b3'):inactive });
});
}
net.on('selectNode', p=>highlight(p.nodes));
net.on('deselectNode', ()=>applyColors(document.querySelector('input[name="colorMode"]:checked').value));
// Botones
document.getElementById('btnFit').onclick = () => net.fit({animation: true});
document.getElementById('btnPNG').onclick = () => {
const url = net.canvas.frame.canvas.toDataURL('image/png');
const a = document.createElement('a'); a.href = url; a.download = 'graph.png'; a.click();
};
document.getElementById('btnHelp').onclick = () => alert(
"Usa: Color por Año/Comunidad • Umbral de arista • Rango de años • Clic para resaltar vecindad • Doble clic abre el enlace (tooltip)."
);
// Doble clic abre enlace/DOI si existe
net.on('doubleClick', (p) => {
if (p.nodes && p.nodes.length===1){
const n = nodes.get(p.nodes[0]);
if (n && n.title) {
const tmp = document.createElement('div'); tmp.innerHTML = n.title;
const a = tmp.querySelector('a'); if (a && a.href) window.open(a.href, '_blank');
}
}
});
})();
</script>
""")
html = tmpl.substitute(
NODES=json.dumps(nodes),
EDGES=json.dumps(edges),
OPTIONS=json.dumps(options),
GROUPCOLORS=json.dumps(group_colors),
YMIN=y_min,
YMAX=y_max,
THRESH=f"{doc_edge_threshold:.2f}",
)
b64 = base64.b64encode(html.encode("utf-8")).decode("ascii")
return (
f'<iframe src="data:text/html;charset=utf-8;base64,{b64}" '
f'style="width:100%;height:820px;border:0;" '
f'sandbox="allow-scripts allow-same-origin allow-popups"></iframe>'
)
# =========================
# UI Gradio
# =========================
with gr.Blocks(title="Recomendador de Revistas (Scopus)") as demo:
gr.Markdown("## Investigaciones UPTC")
gr.Markdown(
"""
<div style="margin-top:-6px; padding:10px 12px; background:#f7fafb; border:1px solid #e6edef; border-radius:10px;">
<b>¿Qué es un recomendador de revistas?</b><br>
Es una herramienta que, a partir del <b>título</b> (y opcionalmente el <b>resumen</b>) de tu investigación,
calcula su representación semántica y la compara con artículos indexados en Scopus.
Con esas similitudes:
<ul style="margin:6px 0 0 16px;">
<li>Encuentra artículos cercanos a tu tema.</li>
<li>Agrupa por revista y estima afinidad (promedio y mejor coincidencia).</li>
<li>Ordena y muestra las revistas más afines, junto con un artículo representativo.</li>
</ul>
<span style="color:#5b6b70;">Nota: esta herramienta no reemplaza la evaluación editorial; es una guía para identificar revistas afines.</span>
</div>
""",
elem_id="about-recommender"
)
# --- Entrada principal ---
with gr.Row():
query = gr.Textbox(
label="Título de investigación",
lines=2,
placeholder="Ej.: Detección temprana de fallas en motores usando aprendizaje profundo…"
)
with gr.Row():
query_abs = gr.Textbox(
label="Resumen (opcional)",
lines=6,
placeholder="Escribe un resumen para mejorar la coincidencia semántica…"
)
# --- Filtros de año ---
with gr.Row():
min_year = gr.Textbox(label="Año mínimo (opcional)", placeholder="2019")
max_year = gr.Textbox(label="Año máximo (opcional)", placeholder="2025")
# --- Top-k y nº de revistas ---
with gr.Row():
k_articles = gr.Slider(50, 1000, value=300, step=50, label="Artículos considerados (top-k)")
top_n = gr.Slider(5, 20, value=10, step=1, label="Nº de revistas a mostrar")
# --- Fusionar con SPECTER ---
with gr.Row():
use_specter = gr.Checkbox(
label="Fusionar con SPECTER (mejor afinidad científica)",
value=SPECTER_AVAILABLE
)
alpha_e5 = gr.Slider(0.0, 1.0, value=0.6, step=0.05, label="Peso E5 (1−α = SPECTER)")
# --- BOTONES: SIEMPRE DEBAJO DE FUSIÓN ---
with gr.Row():
btn = gr.Button("Recomendar")
btn_net = gr.Button("Ver red de similitud")
# --- SALIDAS ---
out = gr.Dataframe(
row_count=10, wrap=True,
column_widths=[180, 60, 90, 90, 90, 90, 90, 250, 120, 120, 120, 100],
label="Revistas recomendadas"
)
# Botón para descargar Excel debajo de la tabla
with gr.Row():
download_btn = gr.Button("Descargar tabla en Excel")
download_file = gr.File(label="Archivo Excel generado")
out_net_html = gr.HTML(label="Grafo interactivo (explorable)")
# Descargar Excel: genera archivo para descargar
def to_excel_file(*args):
import io
df = recommend(*args)
output = io.BytesIO()
df.to_excel(output, index=False)
output.seek(0)
with open("recomendaciones.xlsx", "wb") as f:
f.write(output.read())
return "recomendaciones.xlsx"
download_btn.click(
fn=to_excel_file,
inputs=[query, query_abs, k_articles, top_n, min_year, max_year, use_specter, alpha_e5],
outputs=download_file
)
# --- Acciones (pueden declararse después de crear 'out' y 'out_net_html') ---
btn.click(
fn=recommend,
inputs=[query, query_abs, k_articles, top_n, min_year, max_year, use_specter, alpha_e5],
outputs=out
)
query.submit(
fn=recommend,
inputs=[query, query_abs, k_articles, top_n, min_year, max_year, use_specter, alpha_e5],
outputs=out
)
query_abs.submit(
fn=recommend,
inputs=[query, query_abs, k_articles, top_n, min_year, max_year, use_specter, alpha_e5],
outputs=out
)
btn_net.click(
fn=lambda qt, qa, ka, y0, y1, us, a: build_similarity_network_html(
qt, qa, ka, y0, y1, use_specter=us, alpha_e5=a, top_nodes=15, doc_edge_threshold=0.35
),
inputs=[query, query_abs, k_articles, min_year, max_year, use_specter, alpha_e5],
outputs=[out_net_html]
)
# --- Exportable para evaluación offline ---
def embed_text_e5(title: str, abstract: str = ""):
txt = _combine_query(title, abstract)
return model_e5.encode([qry_prefix + txt], normalize_embeddings=True)[0].astype("float32")
if __name__ == "__main__":
demo.launch()
|