Files
argument.es/frontend.tsx

1175 lines
39 KiB
TypeScript
Raw Normal View History

import React, { useState, useEffect, useRef } from "react";
2026-02-19 22:46:41 -08:00
import { createRoot } from "react-dom/client";
import "./frontend.css";
2026-02-20 04:49:40 -08:00
// ── Types ────────────────────────────────────────────────────────────────────
2026-02-19 22:46:41 -08:00
type Model = { id: string; name: string };
2026-02-22 00:23:35 -08:00
type TaskInfo = {
model: Model;
startedAt: number;
finishedAt?: number;
result?: string;
error?: string;
};
type VoteInfo = {
voter: Model;
startedAt: number;
finishedAt?: number;
votedFor?: Model;
error?: boolean;
};
2026-02-19 22:46:41 -08:00
type RoundState = {
num: number;
phase: "prompting" | "answering" | "voting" | "done";
prompter: Model;
promptTask: TaskInfo;
prompt?: string;
contestants: [Model, Model];
answerTasks: [TaskInfo, TaskInfo];
votes: VoteInfo[];
scoreA?: number;
scoreB?: number;
2026-02-22 17:22:59 -08:00
viewerVotesA?: number;
viewerVotesB?: number;
viewerVotingEndsAt?: number;
userAnswers?: { username: string; text: string }[];
userAnswerVotes?: Record<string, number>;
2026-02-19 22:46:41 -08:00
};
2026-02-22 00:23:35 -08:00
type GameState = {
2026-02-22 16:23:46 -08:00
lastCompleted: RoundState | null;
2026-02-22 00:23:35 -08:00
active: RoundState | null;
scores: Record<string, number>;
2026-02-22 18:44:49 -08:00
viewerScores: Record<string, number>;
2026-02-22 00:23:35 -08:00
done: boolean;
2026-02-22 01:20:19 -08:00
isPaused: boolean;
autoPaused?: boolean;
2026-02-22 01:20:19 -08:00
generation: number;
2026-02-22 00:23:35 -08:00
};
2026-02-22 16:23:46 -08:00
type StateMessage = {
2026-02-22 00:23:35 -08:00
type: "state";
data: GameState;
totalRounds: number;
viewerCount: number;
2026-02-22 03:12:44 -08:00
version?: string;
2026-02-22 00:23:35 -08:00
};
2026-02-22 16:23:46 -08:00
type ViewerCountMessage = {
type: "viewerCount";
viewerCount: number;
};
2026-02-22 18:25:15 -08:00
type ServerMessage = StateMessage | ViewerCountMessage;
2026-02-19 23:28:03 -08:00
// ── Credit / Propose ─────────────────────────────────────────────────────────
type CreditInfo = {
token: string;
username: string;
expiresAt: number;
tier: string;
answersLeft: number;
};
const CREDIT_STORAGE_KEY = "argumentes_credito";
const PROPOSE_TIERS = [
{ id: "basico", label: "10 respuestas", price: "0,99€" },
{ id: "pro", label: "300 respuestas", price: "9,99€" },
{ id: "full", label: "1000 respuestas", price: "19,99€" },
] as const;
type ProposeTierId = (typeof PROPOSE_TIERS)[number]["id"];
function loadCredit(): CreditInfo | null {
try {
const raw = localStorage.getItem(CREDIT_STORAGE_KEY);
if (!raw) return null;
const c = JSON.parse(raw) as CreditInfo & { questionsLeft?: number };
if (!c.token || !c.expiresAt || c.expiresAt < Date.now()) {
localStorage.removeItem(CREDIT_STORAGE_KEY);
return null;
}
// Migrate old field name
if (c.answersLeft === undefined && c.questionsLeft !== undefined) {
c.answersLeft = c.questionsLeft;
}
return c as CreditInfo;
} catch {
return null;
}
}
async function submitRedsysForm(data: {
tpvUrl: string;
merchantParams: string;
signature: string;
signatureVersion: string;
}) {
const form = document.createElement("form");
form.method = "POST";
form.action = data.tpvUrl;
for (const [name, value] of Object.entries({
Ds_SignatureVersion: data.signatureVersion,
Ds_MerchantParameters: data.merchantParams,
Ds_Signature: data.signature,
})) {
const input = document.createElement("input");
input.type = "hidden";
input.name = name;
input.value = value;
form.appendChild(input);
}
document.body.appendChild(form);
form.submit();
}
2026-02-20 04:49:40 -08:00
// ── Model colors & logos ─────────────────────────────────────────────────────
2026-02-19 23:28:03 -08:00
const MODEL_COLORS: Record<string, string> = {
"Gemini 3.1 Pro": "#4285F4",
"Kimi K2": "#00E599",
"DeepSeek 3.2": "#4D6BFE",
"GLM-5": "#1F63EC",
"GPT-5.2": "#10A37F",
"Opus 4.6": "#D97757",
"Sonnet 4.6": "#D97757",
"Grok 4.1": "#FFFFFF",
2026-02-20 02:52:39 -08:00
"MiniMax 2.5": "#FF3B30",
2026-02-19 22:46:41 -08:00
};
2026-02-19 23:28:03 -08:00
function getColor(name: string): string {
return MODEL_COLORS[name] ?? "#A1A1A1";
2026-02-19 22:46:41 -08:00
}
2026-02-19 23:28:03 -08:00
function getLogo(name: string): string | null {
if (name.includes("Gemini")) return "/assets/logos/gemini.svg";
if (name.includes("Kimi")) return "/assets/logos/kimi.svg";
if (name.includes("DeepSeek")) return "/assets/logos/deepseek.svg";
if (name.includes("GLM")) return "/assets/logos/glm.svg";
if (name.includes("GPT")) return "/assets/logos/openai.svg";
2026-02-22 00:23:35 -08:00
if (name.includes("Opus") || name.includes("Sonnet"))
return "/assets/logos/claude.svg";
2026-02-19 23:28:03 -08:00
if (name.includes("Grok")) return "/assets/logos/grok.svg";
2026-02-20 02:52:39 -08:00
if (name.includes("MiniMax")) return "/assets/logos/minimax.svg";
2026-02-19 23:28:03 -08:00
return null;
2026-02-19 22:46:41 -08:00
}
2026-02-20 04:49:40 -08:00
// ── Helpers ──────────────────────────────────────────────────────────────────
2026-02-19 22:46:41 -08:00
2026-02-20 04:49:40 -08:00
function Dots() {
2026-02-22 00:23:35 -08:00
return (
<span className="dots">
<span>.</span>
<span>.</span>
<span>.</span>
</span>
);
2026-02-19 22:46:41 -08:00
}
2026-02-20 04:49:40 -08:00
function ModelTag({ model, small }: { model: Model; small?: boolean }) {
2026-02-19 23:28:03 -08:00
const logo = getLogo(model.name);
const color = getColor(model.name);
return (
2026-02-22 00:23:35 -08:00
<span
className={`model-tag ${small ? "model-tag--sm" : ""}`}
style={{ color }}
>
2026-02-20 04:49:40 -08:00
{logo && <img src={logo} alt="" className="model-tag__logo" />}
2026-02-19 23:28:03 -08:00
{model.name}
</span>
);
2026-02-19 22:46:41 -08:00
}
2026-02-20 04:49:40 -08:00
// ── Prompt ───────────────────────────────────────────────────────────────────
2026-02-19 23:28:03 -08:00
function PromptCard({ round }: { round: RoundState }) {
if (round.phase === "prompting" && !round.prompt) {
return (
2026-02-20 04:49:40 -08:00
<div className="prompt">
<div className="prompt__by">
<ModelTag model={round.prompter} small /> está escribiendo una pregunta
2026-02-22 00:23:35 -08:00
<Dots />
</div>
<div className="prompt__text prompt__text--loading">
<Dots />
2026-02-19 23:28:03 -08:00
</div>
</div>
);
}
if (round.promptTask.error) {
return (
2026-02-20 04:49:40 -08:00
<div className="prompt">
2026-02-22 00:23:35 -08:00
<div className="prompt__text prompt__text--error">
Error al generar la pregunta
2026-02-22 00:23:35 -08:00
</div>
2026-02-19 23:28:03 -08:00
</div>
);
}
2026-02-19 22:46:41 -08:00
return (
2026-02-20 04:49:40 -08:00
<div className="prompt">
2026-02-22 00:23:35 -08:00
<div className="prompt__by">
Pregunta de <ModelTag model={round.prompter} small />
2026-02-22 00:23:35 -08:00
</div>
2026-02-20 04:49:40 -08:00
<div className="prompt__text">{round.prompt}</div>
2026-02-19 23:28:03 -08:00
</div>
);
}
2026-02-20 04:49:40 -08:00
// ── Contestant ───────────────────────────────────────────────────────────────
function ContestantCard({
2026-02-22 00:23:35 -08:00
task,
voteCount,
totalVotes,
isWinner,
showVotes,
voters,
2026-02-22 17:22:59 -08:00
viewerVotes,
totalViewerVotes,
2026-02-19 23:28:03 -08:00
}: {
task: TaskInfo;
voteCount: number;
totalVotes: number;
isWinner: boolean;
showVotes: boolean;
2026-02-19 23:40:03 -08:00
voters: VoteInfo[];
2026-02-22 17:22:59 -08:00
viewerVotes?: number;
totalViewerVotes?: number;
2026-02-19 23:28:03 -08:00
}) {
const color = getColor(task.model.name);
const pct = totalVotes > 0 ? Math.round((voteCount / totalVotes) * 100) : 0;
2026-02-22 17:22:59 -08:00
const showViewerVotes = showVotes && totalViewerVotes !== undefined && totalViewerVotes > 0;
const viewerPct = showViewerVotes && totalViewerVotes > 0
? Math.round(((viewerVotes ?? 0) / totalViewerVotes) * 100)
: 0;
2026-02-19 23:28:03 -08:00
return (
2026-02-20 04:49:40 -08:00
<div
2026-02-22 18:25:15 -08:00
className={`contestant ${isWinner ? "contestant--winner" : ""}`}
2026-02-20 04:49:40 -08:00
style={{ "--accent": color } as React.CSSProperties}
>
<div className="contestant__head">
<ModelTag model={task.model} />
{isWinner && <span className="win-tag">GANA</span>}
2026-02-19 23:28:03 -08:00
</div>
2026-02-20 04:49:40 -08:00
<div className="contestant__body">
2026-02-19 23:28:03 -08:00
{!task.finishedAt ? (
2026-02-22 00:23:35 -08:00
<p className="answer answer--loading">
<Dots />
</p>
2026-02-19 23:28:03 -08:00
) : task.error ? (
2026-02-20 04:49:40 -08:00
<p className="answer answer--error">{task.error}</p>
2026-02-19 23:28:03 -08:00
) : (
2026-02-20 04:49:40 -08:00
<p className="answer">&ldquo;{task.result}&rdquo;</p>
2026-02-19 22:46:41 -08:00
)}
</div>
2026-02-19 23:28:03 -08:00
{showVotes && (
2026-02-20 04:49:40 -08:00
<div className="contestant__foot">
<div className="vote-bar">
2026-02-22 00:23:35 -08:00
<div
className="vote-bar__fill"
style={{ width: `${pct}%`, background: color }}
/>
2026-02-19 23:28:03 -08:00
</div>
2026-02-20 04:49:40 -08:00
<div className="vote-meta">
2026-02-22 00:23:35 -08:00
<span className="vote-meta__count" style={{ color }}>
{voteCount}
</span>
<span className="vote-meta__label">
voto{voteCount !== 1 ? "s" : ""}
2026-02-22 00:23:35 -08:00
</span>
2026-02-20 04:49:40 -08:00
<span className="vote-meta__dots">
{voters.map((v, i) => {
const logo = getLogo(v.voter.name);
return logo ? (
2026-02-22 00:23:35 -08:00
<img
key={i}
src={logo}
alt={v.voter.name}
title={v.voter.name}
className="voter-dot"
/>
2026-02-20 04:49:40 -08:00
) : (
2026-02-22 00:23:35 -08:00
<span
key={i}
className="voter-dot voter-dot--letter"
style={{ color: getColor(v.voter.name) }}
title={v.voter.name}
>
2026-02-20 04:49:40 -08:00
{v.voter.name[0]}
</span>
);
})}
</span>
2026-02-19 23:28:03 -08:00
</div>
2026-02-22 17:22:59 -08:00
{showViewerVotes && (
<>
<div className="vote-bar viewer-vote-bar">
<div
className="vote-bar__fill viewer-vote-bar__fill"
style={{ width: `${viewerPct}%` }}
/>
</div>
<div className="vote-meta viewer-vote-meta">
<span className="vote-meta__count viewer-vote-meta__count">
{viewerVotes ?? 0}
</span>
<span className="vote-meta__label">
voto{(viewerVotes ?? 0) !== 1 ? "s" : ""} del público
2026-02-22 17:22:59 -08:00
</span>
<span className="viewer-vote-meta__icon">👥</span>
</div>
</>
)}
2026-02-19 22:46:41 -08:00
</div>
)}
2026-02-19 23:28:03 -08:00
</div>
);
}
2026-02-19 22:46:41 -08:00
2026-02-20 04:49:40 -08:00
// ── Arena ─────────────────────────────────────────────────────────────────────
2026-02-19 23:28:03 -08:00
2026-02-22 17:22:59 -08:00
function Arena({
round,
total,
viewerVotingSecondsLeft,
myVote,
onVote,
myUserAnswerVote,
onUserAnswerVote,
2026-02-22 17:22:59 -08:00
}: {
round: RoundState;
total: number | null;
viewerVotingSecondsLeft: number;
myVote: "A" | "B" | null;
onVote: (side: "A" | "B") => void;
myUserAnswerVote: string | null;
onUserAnswerVote: (username: string) => void;
2026-02-22 17:22:59 -08:00
}) {
2026-02-19 23:28:03 -08:00
const [contA, contB] = round.contestants;
const showVotes = round.phase === "voting" || round.phase === "done";
const isDone = round.phase === "done";
2026-02-22 00:23:35 -08:00
let votesA = 0,
votesB = 0;
2026-02-19 23:28:03 -08:00
for (const v of round.votes) {
if (v.votedFor?.name === contA.name) votesA++;
else if (v.votedFor?.name === contB.name) votesB++;
}
const totalVotes = votesA + votesB;
2026-02-22 00:23:35 -08:00
const votersA = round.votes.filter((v) => v.votedFor?.name === contA.name);
const votersB = round.votes.filter((v) => v.votedFor?.name === contB.name);
2026-02-22 17:22:59 -08:00
const totalViewerVotes = (round.viewerVotesA ?? 0) + (round.viewerVotesB ?? 0);
const showCountdown = round.phase === "voting" && viewerVotingSecondsLeft > 0;
2026-02-19 23:28:03 -08:00
2026-02-20 04:49:40 -08:00
const phaseText =
2026-02-22 00:23:35 -08:00
round.phase === "prompting"
? "Generando pregunta"
2026-02-22 00:23:35 -08:00
: round.phase === "answering"
? "Respondiendo"
2026-02-22 00:23:35 -08:00
: round.phase === "voting"
? "Votando los jueces"
: "Completado";
2026-02-19 23:28:03 -08:00
return (
<div className="arena">
2026-02-20 04:49:40 -08:00
<div className="arena__meta">
<span className="arena__round">
2026-02-22 00:23:35 -08:00
Round {round.num}
{total ? <span className="dim">/{total}</span> : null}
2026-02-20 04:49:40 -08:00
</span>
2026-02-22 17:22:59 -08:00
<span className="arena__phase">
{phaseText}
{showCountdown && (
<span className="vote-countdown">{viewerVotingSecondsLeft}s</span>
)}
</span>
2026-02-19 23:28:03 -08:00
</div>
2026-02-22 18:25:15 -08:00
{showCountdown && (
<div className="vote-panel">
<span className="vote-panel__label">¿Cuál es más gracioso?</span>
<div className="vote-panel__buttons">
<button
className={`vote-btn ${myVote === "A" ? "vote-btn--active" : ""}`}
onClick={() => onVote("A")}
>
<ModelTag model={contA} />
</button>
<button
className={`vote-btn ${myVote === "B" ? "vote-btn--active" : ""}`}
onClick={() => onVote("B")}
>
<ModelTag model={contB} />
</button>
</div>
2026-02-22 18:25:15 -08:00
</div>
)}
2026-02-19 23:28:03 -08:00
<PromptCard round={round} />
{round.phase !== "prompting" && (
2026-02-20 04:49:40 -08:00
<div className="showdown">
<ContestantCard
task={round.answerTasks[0]}
voteCount={votesA}
totalVotes={totalVotes}
isWinner={isDone && votesA > votesB}
showVotes={showVotes}
voters={votersA}
2026-02-22 17:22:59 -08:00
viewerVotes={round.viewerVotesA}
totalViewerVotes={totalViewerVotes}
2026-02-20 04:49:40 -08:00
/>
<ContestantCard
task={round.answerTasks[1]}
voteCount={votesB}
totalVotes={totalVotes}
isWinner={isDone && votesB > votesA}
showVotes={showVotes}
voters={votersB}
2026-02-22 17:22:59 -08:00
viewerVotes={round.viewerVotesB}
totalViewerVotes={totalViewerVotes}
2026-02-20 04:49:40 -08:00
/>
</div>
)}
2026-02-19 23:28:03 -08:00
2026-02-20 04:49:40 -08:00
{isDone && votesA === votesB && totalVotes > 0 && (
<div className="tie-label">Empate</div>
2026-02-19 23:28:03 -08:00
)}
{round.userAnswers && round.userAnswers.length > 0 && (
<div className="user-answers">
<div className="user-answers__label">Respuestas del público</div>
<div className="user-answers__list">
{round.userAnswers.map((a, i) => {
const voteCount = round.userAnswerVotes?.[a.username] ?? 0;
const isMyVote = myUserAnswerVote === a.username;
return (
<div key={i} className="user-answer">
<div className="user-answer__main">
<span className="user-answer__name">{a.username}</span>
<span className="user-answer__sep"> </span>
<span className="user-answer__text">&ldquo;{a.text}&rdquo;</span>
</div>
{(showCountdown || voteCount > 0) && (
<div className="user-answer__vote">
{showCountdown && (
<button
className={`user-vote-btn ${isMyVote ? "user-vote-btn--active" : ""}`}
onClick={() => onUserAnswerVote(a.username)}
title="Votar"
>
</button>
)}
{voteCount > 0 && (
<span className="user-vote-count">{voteCount}</span>
)}
</div>
)}
</div>
);
})}
</div>
</div>
)}
2026-02-19 23:28:03 -08:00
</div>
);
}
2026-02-20 04:49:40 -08:00
// ── Game Over ────────────────────────────────────────────────────────────────
2026-02-19 23:28:03 -08:00
function GameOver({ scores }: { scores: Record<string, number> }) {
const sorted = Object.entries(scores).sort((a, b) => b[1] - a[1]);
const champion = sorted[0];
return (
<div className="game-over">
<div className="game-over__label">Fin del Juego</div>
2026-02-19 23:28:03 -08:00
{champion && champion[1] > 0 && (
2026-02-20 04:49:40 -08:00
<div className="game-over__winner">
<span className="game-over__crown">👑</span>
2026-02-22 00:23:35 -08:00
<span
className="game-over__name"
style={{ color: getColor(champion[0]) }}
>
2026-02-19 23:28:03 -08:00
{getLogo(champion[0]) && <img src={getLogo(champion[0])!} alt="" />}
{champion[0]}
2026-02-20 04:49:40 -08:00
</span>
<span className="game-over__sub">es la IA más graciosa</span>
2026-02-19 22:46:41 -08:00
</div>
)}
</div>
);
}
2026-02-20 04:49:40 -08:00
// ── Standings ────────────────────────────────────────────────────────────────
2026-02-22 18:44:49 -08:00
function LeaderboardSection({
label,
2026-02-22 00:23:35 -08:00
scores,
2026-02-22 18:44:49 -08:00
competing,
2026-02-22 00:23:35 -08:00
}: {
2026-02-22 18:44:49 -08:00
label: string;
2026-02-22 00:23:35 -08:00
scores: Record<string, number>;
2026-02-22 18:44:49 -08:00
competing: Set<string>;
2026-02-22 00:23:35 -08:00
}) {
2026-02-19 22:46:41 -08:00
const sorted = Object.entries(scores).sort((a, b) => b[1] - a[1]);
const maxScore = sorted[0]?.[1] || 1;
2026-02-19 23:28:03 -08:00
2026-02-22 18:44:49 -08:00
return (
<div className="lb-section">
<div className="lb-section__head">
<span className="lb-section__label">{label}</span>
</div>
<div className="lb-section__list">
{sorted.map(([name, score], i) => {
const pct = maxScore > 0 ? Math.round((score / maxScore) * 100) : 0;
const color = getColor(name);
const active = competing.has(name);
return (
<div
key={name}
className={`lb-entry ${active ? "lb-entry--active" : ""}`}
>
<div className="lb-entry__top">
<span className="lb-entry__rank">
{i === 0 && score > 0 ? "👑" : i + 1}
</span>
<ModelTag model={{ id: name, name }} small />
<span className="lb-entry__score">{score}</span>
</div>
<div className="lb-entry__bar">
<div
className="lb-entry__fill"
style={{ width: `${pct}%`, background: color }}
/>
</div>
</div>
);
})}
</div>
</div>
);
}
function PlayerLeaderboard({ scores }: { scores: Record<string, number> }) {
const sorted = Object.entries(scores).sort((a, b) => b[1] - a[1]).slice(0, 7);
const maxScore = sorted[0]?.[1] || 1;
return (
<div className="lb-section">
<div className="lb-section__head">
<span className="lb-section__label">Jugadores</span>
<a href="/pregunta" className="standings__link">Jugar</a>
</div>
<div className="lb-section__list">
{sorted.map(([name, score], i) => {
const pct = Math.round((score / maxScore) * 100);
return (
<div key={name} className="lb-entry lb-entry--active">
<div className="lb-entry__top">
<span className="lb-entry__rank">
{i === 0 && score > 0 ? "🏆" : i + 1}
</span>
<span className="lb-entry__name">{name}</span>
<span className="lb-entry__score">{score}</span>
</div>
<div className="lb-entry__bar">
<div
className="lb-entry__fill"
style={{ width: `${pct}%`, background: "var(--accent)" }}
/>
</div>
</div>
);
})}
</div>
</div>
);
}
2026-02-22 18:44:49 -08:00
function Standings({
scores,
viewerScores,
playerScores,
2026-02-22 18:44:49 -08:00
activeRound,
}: {
scores: Record<string, number>;
viewerScores: Record<string, number>;
playerScores: Record<string, number>;
2026-02-22 18:44:49 -08:00
activeRound: RoundState | null;
}) {
2026-02-19 23:28:03 -08:00
const competing = activeRound
2026-02-22 00:23:35 -08:00
? new Set([
activeRound.contestants[0].name,
activeRound.contestants[1].name,
])
2026-02-19 23:28:03 -08:00
: new Set<string>();
2026-02-19 22:46:41 -08:00
return (
2026-02-20 04:49:40 -08:00
<aside className="standings">
<div className="standings__head">
<span className="standings__title">Clasificación</span>
2026-02-22 01:20:19 -08:00
<div className="standings__links">
<a href="/history" className="standings__link">
Historial
2026-02-22 01:20:19 -08:00
</a>
<a href="https://argument.es" target="_blank" rel="noopener noreferrer" className="standings__link">
Web
2026-02-22 01:20:19 -08:00
</a>
</div>
2026-02-19 23:28:03 -08:00
</div>
2026-02-22 18:44:49 -08:00
<LeaderboardSection
label="Jueces IA"
2026-02-22 18:44:49 -08:00
scores={scores}
competing={competing}
/>
<LeaderboardSection
label="Público"
2026-02-22 18:44:49 -08:00
scores={viewerScores}
competing={competing}
/>
{Object.keys(playerScores).length > 0 && (
<PlayerLeaderboard scores={playerScores} />
)}
2026-02-19 23:28:03 -08:00
</aside>
);
}
// ── Propose Answer (inline widget) ───────────────────────────────────────────
function ProposeAnswer({ activeRound }: { activeRound: RoundState | null }) {
const params = new URLSearchParams(window.location.search);
const creditOkOrder = params.get("credito_ok");
const isKo = params.get("ko") === "1";
const [credit, setCredit] = useState<CreditInfo | null>(null);
const [loaded, setLoaded] = useState(false);
const [isAdmin, setIsAdmin] = useState(false);
const [verifying, setVerifying] = useState(false);
const [verifyError, setVerifyError] = useState(false);
const [selectedTier, setSelectedTier] = useState<ProposeTierId | null>(null);
const [username, setUsername] = useState("");
const [buying, setBuying] = useState(false);
const [buyError, setBuyError] = useState<string | null>(null);
const [text, setText] = useState("");
const [submitting, setSubmitting] = useState(false);
const [submitError, setSubmitError] = useState<string | null>(null);
const [submittedFor, setSubmittedFor] = useState<number | null>(null);
const [submittedText, setSubmittedText] = useState<string | null>(null);
const [koDismissed, setKoDismissed] = useState(false);
useEffect(() => {
setCredit(loadCredit());
setLoaded(true);
// Check if admin is logged in (cookie-based, no token needed)
fetch("/api/admin/status")
.then(r => { if (r.ok) setIsAdmin(true); })
.catch(() => {});
}, []);
// Clear submission state when a new round starts
useEffect(() => {
if (activeRound?.num && submittedFor !== null && activeRound.num !== submittedFor) {
setSubmittedFor(null);
setSubmittedText(null);
setText("");
}
}, [activeRound?.num]);
useEffect(() => {
if (!creditOkOrder || !loaded || credit) return;
setVerifying(true);
let attempts = 0;
async function poll() {
if (attempts >= 15) { setVerifying(false); setVerifyError(true); return; }
attempts++;
try {
const res = await fetch(`/api/credito/estado?order=${encodeURIComponent(creditOkOrder!)}`);
if (res.ok) {
const data = await res.json() as {
found: boolean; status?: string; token?: string;
username?: string; expiresAt?: number; tier?: string;
answersLeft?: number;
};
if (data.found && data.status === "active" && data.token && data.expiresAt) {
const newCredit: CreditInfo = {
token: data.token, username: data.username ?? "",
expiresAt: data.expiresAt, tier: data.tier ?? "",
answersLeft: data.answersLeft ?? 0,
};
localStorage.setItem(CREDIT_STORAGE_KEY, JSON.stringify(newCredit));
setCredit(newCredit);
setVerifying(false);
history.replaceState(null, "", "/");
return;
}
}
} catch { /* retry */ }
setTimeout(poll, 2000);
}
poll();
}, [creditOkOrder, loaded, credit]);
async function handleBuyCredit(e: React.FormEvent) {
e.preventDefault();
if (!selectedTier) return;
setBuyError(null);
setBuying(true);
try {
const res = await fetch("/api/credito/iniciar", {
method: "POST",
headers: { "Content-Type": "application/json" },
body: JSON.stringify({ tier: selectedTier, username: username.trim() }),
});
if (!res.ok) throw new Error(await res.text());
await submitRedsysForm(await res.json());
} catch (err) {
setBuyError(err instanceof Error ? err.message : "Error al procesar el pago");
setBuying(false);
}
}
async function handleSubmitAnswer(e: React.FormEvent) {
e.preventDefault();
if (!credit && !isAdmin) return;
if (!activeRound) return;
setSubmitError(null);
setSubmitting(true);
try {
const res = await fetch("/api/respuesta/enviar", {
method: "POST",
headers: { "Content-Type": "application/json" },
body: JSON.stringify({ text: text.trim(), token: credit?.token ?? "" }),
});
if (!res.ok) {
if (res.status === 401) {
if (!isAdmin) {
localStorage.removeItem(CREDIT_STORAGE_KEY);
setCredit(null);
}
throw new Error("Crédito agotado o no válido.");
}
if (res.status === 409) throw new Error("La ronda aún no tiene pregunta activa.");
throw new Error(await res.text() || `Error ${res.status}`);
}
const data = await res.json() as { ok: boolean; answersLeft: number };
if (credit) {
const updated: CreditInfo = { ...credit, answersLeft: data.answersLeft };
localStorage.setItem(CREDIT_STORAGE_KEY, JSON.stringify(updated));
setCredit(updated);
}
setSubmittedFor(activeRound.num);
setSubmittedText(text.trim());
setText("");
} catch (err) {
setSubmitError(err instanceof Error ? err.message : "Error al enviar");
} finally {
setSubmitting(false);
}
}
if (!loaded) return null;
const tierInfo = selectedTier ? PROPOSE_TIERS.find(t => t.id === selectedTier) : null;
const exhausted = credit !== null && credit.answersLeft <= 0;
const hasPrompt = !!(activeRound?.prompt);
const alreadySubmitted = submittedFor === activeRound?.num;
const phaseOk = activeRound?.phase === "answering" || activeRound?.phase === "prompting";
const canAnswer = (isAdmin || (credit && !exhausted)) && hasPrompt && !alreadySubmitted && phaseOk;
// Verifying payment
if (verifying || (creditOkOrder && !credit)) {
return (
<div className="propose">
<div className="propose__head">
<span className="propose__title">Verificando pago</span>
{!verifyError && <div className="propose__spinner" />}
</div>
{verifyError && (
<p className="propose__msg propose__msg--error">
No se pudo confirmar. Recarga si el pago se completó.
</p>
)}
</div>
);
}
// Active credit
if (credit) {
const badge = `${credit.answersLeft} respuesta${credit.answersLeft !== 1 ? "s" : ""}`;
return (
<div className="propose">
<div className="propose__head">
<span className="propose__title">Responde junto a las IAs · {credit.username}</span>
<span className={`propose__badge ${exhausted ? "propose__badge--empty" : ""}`}>{badge}</span>
</div>
{alreadySubmitted && submittedText && (
<p className="propose__msg propose__msg--ok">
Tu respuesta: &ldquo;{submittedText}&rdquo;
</p>
)}
{canAnswer && (
<form onSubmit={handleSubmitAnswer}>
<div className="propose__row">
<textarea
className="propose__textarea"
value={text}
onChange={e => setText(e.target.value)}
placeholder="Tu respuesta más graciosa…"
rows={2}
maxLength={150}
autoFocus
/>
<button className="propose__btn" type="submit" disabled={submitting || text.trim().length < 3}>
{submitting ? "…" : "Enviar"}
</button>
</div>
<div className="propose__hint">
{text.length}/150 ·{" "}
<button type="button" className="propose__link-btn" onClick={() => {
localStorage.removeItem(CREDIT_STORAGE_KEY);
setCredit(null);
}}>
cerrar sesión
</button>
</div>
{submitError && <p className="propose__msg propose__msg--error">{submitError}</p>}
</form>
)}
{!canAnswer && !alreadySubmitted && !exhausted && (
<p className="propose__msg" style={{ color: "var(--text-muted)" }}>
{!hasPrompt ? "Esperando la siguiente pregunta…" : "Ya no se aceptan respuestas para esta ronda."}
</p>
)}
{exhausted && (
<div className="propose__row">
<p className="propose__msg propose__msg--error" style={{ flex: 1 }}>
Sin respuestas. Recarga para seguir jugando.
</p>
<button className="propose__btn" onClick={() => {
localStorage.removeItem(CREDIT_STORAGE_KEY);
setCredit(null);
}}>Recargar</button>
</div>
)}
</div>
);
}
// Admin: show answer form without requiring credit
if (isAdmin) {
return (
<div className="propose">
<div className="propose__head">
<span className="propose__title">Responde junto a las IAs</span>
<span className="propose__badge" style={{ color: "var(--accent)", borderColor: "var(--accent)", background: "rgba(217,119,87,0.1)" }}>Admin</span>
</div>
{alreadySubmitted && submittedText && (
<p className="propose__msg propose__msg--ok"> Tu respuesta: &ldquo;{submittedText}&rdquo;</p>
)}
{canAnswer && (
<form onSubmit={handleSubmitAnswer}>
<div className="propose__row">
<textarea
className="propose__textarea"
value={text}
onChange={e => setText(e.target.value)}
placeholder="Tu respuesta más graciosa…"
rows={2}
maxLength={150}
autoFocus
/>
<button className="propose__btn" type="submit" disabled={submitting || text.trim().length < 3}>
{submitting ? "…" : "Enviar"}
</button>
</div>
<div className="propose__hint">{text.length}/150</div>
{submitError && <p className="propose__msg propose__msg--error">{submitError}</p>}
</form>
)}
{!canAnswer && !alreadySubmitted && (
<p className="propose__msg" style={{ color: "var(--text-muted)" }}>
{!hasPrompt ? "Esperando la siguiente pregunta…" : "Ya no se aceptan respuestas para esta ronda."}
</p>
)}
</div>
);
}
// Tier selection (purchase)
return (
<div className="propose">
<div className="propose__head">
<span className="propose__title">Responde junto a las IAs</span>
</div>
{isKo && !koDismissed && (
<p className="propose__msg propose__msg--error">
El pago no se completó.{" "}
<button type="button" className="propose__link-btn" onClick={() => setKoDismissed(true)}>×</button>
</p>
)}
<div className="propose__tiers">
{PROPOSE_TIERS.map(tier => (
<button
key={tier.id}
type="button"
className={`propose__tier ${selectedTier === tier.id ? "propose__tier--selected" : ""}`}
onClick={() => setSelectedTier(tier.id)}
>
<span className="propose__tier__price">{tier.price}</span>
<span className="propose__tier__label">{tier.label}</span>
</button>
))}
</div>
{selectedTier && (
<form onSubmit={handleBuyCredit} className="propose__row propose__row--mt">
<input
type="text"
className="propose__input"
value={username}
onChange={e => setUsername(e.target.value)}
placeholder="Tu nombre en el marcador"
maxLength={30}
required
autoFocus
/>
<button type="submit" className="propose__btn" disabled={buying || !username.trim()}>
{buying ? "…" : `Pagar ${tierInfo?.price}`}
</button>
</form>
)}
{buyError && <p className="propose__msg propose__msg--error">{buyError}</p>}
</div>
);
}
2026-02-20 04:49:40 -08:00
// ── Connecting ───────────────────────────────────────────────────────────────
2026-02-19 23:28:03 -08:00
function ConnectingScreen() {
return (
<div className="connecting">
2026-02-22 00:23:35 -08:00
<div className="connecting__logo">
<img src="/assets/logo.svg" alt="argument.es" />
2026-02-22 00:23:35 -08:00
</div>
<div className="connecting__sub">
Conectando
2026-02-22 00:23:35 -08:00
<Dots />
</div>
2026-02-19 22:46:41 -08:00
</div>
);
}
2026-02-20 04:49:40 -08:00
// ── App ──────────────────────────────────────────────────────────────────────
2026-02-19 23:28:03 -08:00
2026-02-19 22:46:41 -08:00
function App() {
const [state, setState] = useState<GameState | null>(null);
2026-02-20 04:49:40 -08:00
const [totalRounds, setTotalRounds] = useState<number | null>(null);
2026-02-22 00:11:20 -08:00
const [viewerCount, setViewerCount] = useState(0);
2026-02-19 22:46:41 -08:00
const [connected, setConnected] = useState(false);
2026-02-22 17:22:59 -08:00
const [viewerVotingSecondsLeft, setViewerVotingSecondsLeft] = useState(0);
const [myVote, setMyVote] = useState<"A" | "B" | null>(null);
const [myUserAnswerVote, setMyUserAnswerVote] = useState<string | null>(null);
const lastVotedRoundRef = useRef<number | null>(null);
const [playerScores, setPlayerScores] = useState<Record<string, number>>({});
useEffect(() => {
async function fetchPlayerScores() {
try {
const res = await fetch("/api/jugadores");
if (res.ok) setPlayerScores(await res.json());
} catch {
// ignore
}
}
fetchPlayerScores();
const interval = setInterval(fetchPlayerScores, 60_000);
return () => clearInterval(interval);
}, []);
2026-02-22 17:22:59 -08:00
// Countdown timer for viewer voting
useEffect(() => {
const endsAt = state?.active?.viewerVotingEndsAt;
if (!endsAt || state?.active?.phase !== "voting") {
setViewerVotingSecondsLeft(0);
return;
}
function tick() {
const remaining = Math.max(0, Math.ceil((endsAt! - Date.now()) / 1000));
setViewerVotingSecondsLeft(remaining);
}
tick();
const interval = setInterval(tick, 1000);
return () => clearInterval(interval);
}, [state?.active?.viewerVotingEndsAt, state?.active?.phase]);
2026-02-19 22:46:41 -08:00
// Reset my votes when a new round starts
useEffect(() => {
const roundNum = state?.active?.num ?? null;
if (roundNum !== null && roundNum !== lastVotedRoundRef.current) {
setMyVote(null);
setMyUserAnswerVote(null);
lastVotedRoundRef.current = roundNum;
}
}, [state?.active?.num]);
async function handleVote(side: "A" | "B") {
setMyVote(side);
try {
await fetch("/api/vote", {
method: "POST",
headers: { "Content-Type": "application/json" },
body: JSON.stringify({ side }),
});
} catch {
// ignore network errors
}
}
async function handleUserAnswerVote(username: string) {
setMyUserAnswerVote(username);
try {
await fetch("/api/vote/respuesta", {
method: "POST",
headers: { "Content-Type": "application/json" },
body: JSON.stringify({ username }),
});
} catch {
// ignore network errors
}
}
2026-02-19 22:46:41 -08:00
useEffect(() => {
2026-02-20 03:55:36 -08:00
const wsProtocol = window.location.protocol === "https:" ? "wss:" : "ws:";
const wsUrl = `${wsProtocol}//${window.location.host}/ws`;
2026-02-19 22:46:41 -08:00
let ws: WebSocket;
let reconnectTimer: ReturnType<typeof setTimeout>;
2026-02-22 03:12:44 -08:00
let knownVersion: string | null = null;
2026-02-19 22:46:41 -08:00
function connect() {
ws = new WebSocket(wsUrl);
ws.onopen = () => setConnected(true);
ws.onclose = () => {
setConnected(false);
reconnectTimer = setTimeout(connect, 2000);
};
ws.onmessage = (e) => {
const msg: ServerMessage = JSON.parse(e.data);
if (msg.type === "state") {
2026-02-22 03:12:44 -08:00
if (msg.version) {
if (!knownVersion) knownVersion = msg.version;
else if (knownVersion !== msg.version) return location.reload();
}
2026-02-19 22:46:41 -08:00
setState(msg.data);
setTotalRounds(msg.totalRounds);
2026-02-22 00:11:20 -08:00
setViewerCount(msg.viewerCount);
2026-02-22 16:23:46 -08:00
} else if (msg.type === "viewerCount") {
setViewerCount(msg.viewerCount);
2026-02-19 22:46:41 -08:00
}
};
}
connect();
return () => {
clearTimeout(reconnectTimer);
ws?.close();
};
}, []);
2026-02-20 04:49:40 -08:00
if (!connected || !state) return <ConnectingScreen />;
2026-02-22 00:23:35 -08:00
const isNextPrompting =
state.active?.phase === "prompting" && !state.active.prompt;
const displayRound =
2026-02-22 16:23:46 -08:00
isNextPrompting && state.lastCompleted ? state.lastCompleted : state.active;
2026-02-19 22:46:41 -08:00
return (
2026-02-19 23:28:03 -08:00
<div className="app">
<div className="layout">
2026-02-20 04:49:40 -08:00
<main className="main">
<header className="header">
<a href="/" className="logo">
<img src="/assets/logo.svg" alt="argument.es" />
2026-02-20 04:49:40 -08:00
</a>
2026-02-22 01:20:19 -08:00
<div style={{ display: "flex", gap: "8px", alignItems: "center" }}>
{state.isPaused && (
<div
className="viewer-pill"
style={{ color: "var(--text-muted)", borderColor: "var(--border)" }}
>
{state.autoPaused ? "Esperando espectadores…" : "En pausa"}
2026-02-22 01:20:19 -08:00
</div>
)}
<div className="viewer-pill" aria-live="polite">
<span className="viewer-pill__dot" />
{viewerCount} espectador{viewerCount === 1 ? "" : "es"} conectado{viewerCount === 1 ? "" : "s"}
2026-02-22 01:20:19 -08:00
</div>
2026-02-22 00:11:20 -08:00
</div>
2026-02-20 04:49:40 -08:00
</header>
{state.done ? (
<GameOver scores={state.scores} />
) : displayRound ? (
2026-02-22 17:22:59 -08:00
<Arena
round={displayRound}
total={totalRounds}
viewerVotingSecondsLeft={viewerVotingSecondsLeft}
myVote={myVote}
onVote={handleVote}
myUserAnswerVote={myUserAnswerVote}
onUserAnswerVote={handleUserAnswerVote}
2026-02-22 17:22:59 -08:00
/>
2026-02-20 04:49:40 -08:00
) : (
2026-02-22 00:23:35 -08:00
<div className="waiting">
Iniciando
2026-02-22 00:23:35 -08:00
<Dots />
</div>
2026-02-20 04:49:40 -08:00
)}
2026-02-22 16:23:46 -08:00
{isNextPrompting && state.lastCompleted && (
2026-02-20 04:49:40 -08:00
<div className="next-toast">
<ModelTag model={state.active!.prompter} small /> está escribiendo
la siguiente pregunta
2026-02-22 00:23:35 -08:00
<Dots />
2026-02-20 04:49:40 -08:00
</div>
)}
<ProposeAnswer activeRound={state.active} />
<footer className="site-footer">
<p>IAs compiten respondiendo preguntas absurdas los jueces votan, también puedes.</p>
<p>
por{" "}
<a href="https://cloudhost.es" target="_blank" rel="noopener noreferrer">
Cloud Host
</a>
{" "} La web simplificada, la nube gestionada
</p>
</footer>
2026-02-19 23:28:03 -08:00
</main>
2026-02-19 22:46:41 -08:00
<Standings
scores={state.scores}
viewerScores={state.viewerScores ?? {}}
playerScores={playerScores}
activeRound={state.active}
/>
2026-02-19 23:28:03 -08:00
</div>
2026-02-19 22:46:41 -08:00
</div>
);
}
2026-02-20 04:49:40 -08:00
// ── Mount ────────────────────────────────────────────────────────────────────
2026-02-19 22:46:41 -08:00
const root = createRoot(document.getElementById("root")!);
2026-02-20 04:49:40 -08:00
root.render(<App />);