Spaces:
Sleeping
Sleeping
File size: 26,260 Bytes
1280f6f | 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 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 | import os
import json
import time
import random
import sqlite3
import asyncio
from typing import Any, Dict, Optional
import socket
import socket
import aiohttp
import dns.resolver
from aiohttp.abc import AbstractResolver
from fastapi import FastAPI, Request, HTTPException
from fastapi.responses import JSONResponse
from nacl.signing import VerifyKey
from nacl.exceptions import BadSignatureError
# =========
# ENV VARS
# =========
DISCORD_APPLICATION_ID = os.environ["DISCORD_APPLICATION_ID"]
DISCORD_PUBLIC_KEY = os.environ["DISCORD_PUBLIC_KEY"]
DISCORD_BOT_TOKEN = os.environ["DISCORD_BOT_TOKEN"]
DISCORD_TEST_GUILD_ID = os.getenv("DISCORD_TEST_GUILD_ID")
ADMIN_REGISTER_TOKEN = os.getenv("ADMIN_REGISTER_TOKEN", "")
DISCORD_API_BASE = "https://discord.com/api/v10"
DEFAULT_TOPIC = os.getenv("DEFAULT_TOPIC", "controller vs mouse")
VOTE_SECONDS = int(os.getenv("VOTE_SECONDS", "20"))
# Use persistent /data if available at runtime; otherwise local file.
DB_PATH = "/data/battle.db" if os.path.isdir("/data") else "battle.db"
app = FastAPI(title="Discord Trash Talk Arena")
verify_key = VerifyKey(bytes.fromhex(DISCORD_PUBLIC_KEY))
discord_session: aiohttp.ClientSession | None = None
# Single shared connection is fine for this MVP in one worker.
conn = sqlite3.connect(DB_PATH, check_same_thread=False)
conn.row_factory = sqlite3.Row
class DnsPythonResolver(AbstractResolver):
def __init__(self, nameservers=None):
self._resolver = dns.resolver.Resolver(configure=False)
self._resolver.nameservers = nameservers or ["8.8.8.8", "1.1.1.1"]
async def resolve(self, host, port=0, family=socket.AF_INET):
def lookup():
if family == socket.AF_INET6:
answer = self._resolver.resolve(host, "AAAA")
return [
{
"hostname": host,
"host": rdata.address,
"port": port,
"family": socket.AF_INET6,
"proto": 0,
"flags": socket.AI_NUMERICHOST,
}
for rdata in answer
]
# Default to IPv4 because Discord is fine over IPv4 and this is simpler.
answer = self._resolver.resolve(host, "A")
return [
{
"hostname": host,
"host": rdata.address,
"port": port,
"family": socket.AF_INET,
"proto": 0,
"flags": socket.AI_NUMERICHOST,
}
for rdata in answer
]
return await asyncio.to_thread(lookup)
async def close(self):
return None
# =========
# DB SETUP
# =========
def init_db() -> None:
with conn:
conn.execute(
"""
CREATE TABLE IF NOT EXISTS channel_state (
channel_id TEXT PRIMARY KEY,
active INTEGER NOT NULL DEFAULT 0,
paused INTEGER NOT NULL DEFAULT 0,
topic TEXT NOT NULL DEFAULT '',
coach_a TEXT NOT NULL DEFAULT '',
coach_b TEXT NOT NULL DEFAULT '',
total_rounds INTEGER NOT NULL DEFAULT 3,
current_round INTEGER NOT NULL DEFAULT 0,
updated_at INTEGER NOT NULL DEFAULT 0
)
"""
)
conn.execute(
"""
CREATE TABLE IF NOT EXISTS rounds (
channel_id TEXT NOT NULL,
round_no INTEGER NOT NULL,
a_text TEXT NOT NULL,
b_text TEXT NOT NULL,
status TEXT NOT NULL DEFAULT 'open',
PRIMARY KEY (channel_id, round_no)
)
"""
)
conn.execute(
"""
CREATE TABLE IF NOT EXISTS votes (
channel_id TEXT NOT NULL,
round_no INTEGER NOT NULL,
user_id TEXT NOT NULL,
winner TEXT NOT NULL,
PRIMARY KEY (channel_id, round_no, user_id)
)
"""
)
conn.execute(
"""
CREATE TABLE IF NOT EXISTS wins (
bot TEXT NOT NULL,
topic TEXT NOT NULL,
text TEXT NOT NULL,
win_count INTEGER NOT NULL DEFAULT 1,
PRIMARY KEY (bot, topic, text)
)
"""
)
def ensure_channel_state(channel_id: str) -> None:
with conn:
conn.execute(
"""
INSERT OR IGNORE INTO channel_state (
channel_id, active, paused, topic, coach_a, coach_b, total_rounds, current_round, updated_at
)
VALUES (?, 0, 0, ?, '', '', 3, 0, ?)
""",
(channel_id, DEFAULT_TOPIC, int(time.time())),
)
def get_state(channel_id: str) -> Dict[str, Any]:
ensure_channel_state(channel_id)
row = conn.execute(
"SELECT * FROM channel_state WHERE channel_id = ?",
(channel_id,),
).fetchone()
return dict(row)
def update_state(channel_id: str, **kwargs: Any) -> None:
if not kwargs:
return
ensure_channel_state(channel_id)
kwargs["updated_at"] = int(time.time())
columns = ", ".join([f"{k} = ?" for k in kwargs.keys()])
values = list(kwargs.values()) + [channel_id]
with conn:
conn.execute(
f"UPDATE channel_state SET {columns} WHERE channel_id = ?",
values,
)
def set_round(channel_id: str, round_no: int, a_text: str, b_text: str, status: str = "open") -> None:
with conn:
conn.execute(
"""
INSERT OR REPLACE INTO rounds (channel_id, round_no, a_text, b_text, status)
VALUES (?, ?, ?, ?, ?)
""",
(channel_id, round_no, a_text, b_text, status),
)
def get_round(channel_id: str, round_no: int) -> Optional[Dict[str, Any]]:
row = conn.execute(
"SELECT * FROM rounds WHERE channel_id = ? AND round_no = ?",
(channel_id, round_no),
).fetchone()
return dict(row) if row else None
def close_round(channel_id: str, round_no: int) -> None:
with conn:
conn.execute(
"UPDATE rounds SET status = 'closed' WHERE channel_id = ? AND round_no = ?",
(channel_id, round_no),
)
def save_vote(channel_id: str, round_no: int, user_id: str, winner: str) -> None:
with conn:
conn.execute(
"""
INSERT INTO votes (channel_id, round_no, user_id, winner)
VALUES (?, ?, ?, ?)
ON CONFLICT(channel_id, round_no, user_id)
DO UPDATE SET winner = excluded.winner
""",
(channel_id, round_no, user_id, winner),
)
def tally_votes(channel_id: str, round_no: int) -> Dict[str, int]:
rows = conn.execute(
"""
SELECT winner, COUNT(*) AS c
FROM votes
WHERE channel_id = ? AND round_no = ?
GROUP BY winner
""",
(channel_id, round_no),
).fetchall()
counts = {"A": 0, "B": 0}
for row in rows:
counts[row["winner"]] = row["c"]
return counts
def save_winning_line(bot_name: str, topic: str, text: str) -> None:
with conn:
conn.execute(
"""
INSERT INTO wins (bot, topic, text, win_count)
VALUES (?, ?, ?, 1)
ON CONFLICT(bot, topic, text)
DO UPDATE SET win_count = win_count + 1
""",
(bot_name, topic, text),
)
def top_examples(bot_name: str, topic: str, limit: int = 2) -> list[str]:
rows = conn.execute(
"""
SELECT text
FROM wins
WHERE bot = ? AND topic = ?
ORDER BY win_count DESC
LIMIT ?
""",
(bot_name, topic, limit),
).fetchall()
return [row["text"] for row in rows]
# =========
# DISCORD HELPERS
# =========
async def discord_request(method: str, path: str, json_body: Optional[dict] = None) -> Optional[dict]:
global discord_session
if discord_session is None:
raise RuntimeError("Discord session is not initialized")
headers = {
"Authorization": f"Bot {DISCORD_BOT_TOKEN}",
"Content-Type": "application/json",
}
url = f"{DISCORD_API_BASE}{path}"
async with discord_session.request(method, url, headers=headers, json=json_body) as response:
text = await response.text()
if response.status >= 400:
raise RuntimeError(f"Discord API error {response.status}: {text}")
if text.strip():
try:
return json.loads(text)
except json.JSONDecodeError:
return {"raw": text}
return None
async def send_channel_message(channel_id: str, content: str, components: Optional[list] = None) -> None:
payload: Dict[str, Any] = {
"content": content.replace("@", ""),
"allowed_mentions": {"parse": []},
}
if components:
payload["components"] = components
await discord_request("POST", f"/channels/{channel_id}/messages", payload)
def vote_components(channel_id: str, round_no: int) -> list:
return [
{
"type": 1, # action row
"components": [
{
"type": 2, # button
"style": 1, # blurple
"label": "π₯ Vote Bot A",
"custom_id": f"vote|A|{channel_id}|{round_no}",
},
{
"type": 2,
"style": 2, # gray
"label": "π Vote Bot B",
"custom_id": f"vote|B|{channel_id}|{round_no}",
},
],
}
]
# =========
# COMMAND REGISTRATION
# =========
async def register_commands() -> dict:
commands = [
{
"name": "fight",
"description": "Start a trash talk battle in this channel",
"options": [
{
"name": "rounds",
"description": "Number of rounds (1-5)",
"type": 4,
"required": False,
"min_value": 1,
"max_value": 5,
}
],
},
{
"name": "pause",
"description": "Pause the current battle after the active round finishes voting",
},
{
"name": "continue",
"description": "Resume the paused battle",
},
{
"name": "end",
"description": "End the current battle in this channel",
},
{
"name": "topic",
"description": "Set the debate topic for this channel",
"options": [
{
"name": "value",
"description": "Topic text",
"type": 3,
"required": True,
}
],
},
{
"name": "coach_a",
"description": "Set coaching for Bot A",
"options": [
{
"name": "value",
"description": "Coaching text",
"type": 3,
"required": True,
}
],
},
{
"name": "coach_b",
"description": "Set coaching for Bot B",
"options": [
{
"name": "value",
"description": "Coaching text",
"type": 3,
"required": True,
}
],
},
]
if DISCORD_TEST_GUILD_ID:
path = f"/applications/{DISCORD_APPLICATION_ID}/guilds/{DISCORD_TEST_GUILD_ID}/commands"
else:
path = f"/applications/{DISCORD_APPLICATION_ID}/commands"
result = await discord_request("PUT", path, commands)
print("Registered commands:", json.dumps(result, indent=2))
return {"ok": True, "registered_count": len(result or []), "scope": path}
# =========
# STARTUP
# =========
@app.on_event("startup")
async def startup_event() -> None:
global discord_session
init_db()
resolver = DnsPythonResolver(nameservers=["8.8.8.8", "1.1.1.1"])
connector = aiohttp.TCPConnector(
resolver=resolver,
use_dns_cache=False,
ssl=True,
family=socket.AF_INET,
)
discord_session = aiohttp.ClientSession(connector=connector)
for attempt in range(1, 6):
try:
result = await register_commands()
print(f"Command registration succeeded on attempt {attempt}: {result}")
break
except Exception as exc:
print(f"Command registration attempt {attempt} failed: {exc}")
if attempt < 5:
await asyncio.sleep(5)
@app.on_event("shutdown")
async def shutdown_event() -> None:
global discord_session
if discord_session is not None:
await discord_session.close()
discord_session = None
# =========
# CORE GENERATOR
# Replace this function later with your real local model runtime.
# =========
def coach_style(text: str) -> str:
t = text.lower()
if "smart" in t or "clever" in t:
return "smart"
if "absurd" in t or "weird" in t:
return "absurd"
if "aggressive" in t or "toxic" in t:
return "aggressive"
return "default"
def generate_line(bot_name: str, topic: str, coach: str, opponent_line: str = "") -> str:
memories = top_examples(bot_name, topic)
if memories and random.random() < 0.25:
return memories[0]
style = coach_style(coach)
pool_default_a = [
f"{topic}? You debate like your headset is running on low battery.",
f"Your {topic} take has the survival instincts of a flashbang.",
f"I've seen tutorial bots sound tougher than your {topic} opinion.",
f"That {topic} take just got benched by common sense.",
]
pool_smart_a = [
f"Your {topic} argument has the structural integrity of lag.",
f"Even patch notes have more coherence than your {topic} take.",
f"Your {topic} logic got spawn-killed by basic reasoning.",
]
pool_absurd_a = [
f"Your {topic} take wears socks in the shower and calls it meta.",
f"That {topic} opinion sounds like it was forged in microwave ranked.",
f"Your {topic} argument smells like expired gamer fuel.",
]
pool_aggressive_a = [
f"Your {topic} take is getting folded like a bad loadout.",
f"I'd roast your {topic} take softer, but it started it.",
f"Your {topic} opinion just rage-quit mid sentence.",
]
pool_default_b = [
f"Funny speech. Your {topic} take still loses on contact.",
f"You talk loud for someone getting outplayed by punctuation.",
f"That roast had ping spikes; try again with better aim.",
f"You sound like confidence with no patch notes.",
]
pool_smart_b = [
f"Counterpoint: your {topic} logic has negative KD.",
f"Your argument collapses faster than your map awareness.",
f"You're debating {topic} like evidence is optional DLC.",
]
pool_absurd_b = [
f"Your roast arrived in clown armor and still missed.",
f"That comeback moonwalked into traffic and blamed the minimap.",
f"You sound like a loading screen with delusions.",
]
pool_aggressive_b = [
f"All that energy and you still got diffed by one sentence.",
f"Your comeback tripped over spawn protection.",
f"You swing hard for someone getting read like patch notes.",
]
if bot_name == "A":
if style == "smart":
return random.choice(pool_smart_a)
if style == "absurd":
return random.choice(pool_absurd_a)
if style == "aggressive":
return random.choice(pool_aggressive_a)
return random.choice(pool_default_a)
if style == "smart":
return random.choice(pool_smart_b)
if style == "absurd":
return random.choice(pool_absurd_b)
if style == "aggressive":
return random.choice(pool_aggressive_b)
return random.choice(pool_default_b)
# =========
# BATTLE LOOP
# =========
async def run_battle(channel_id: str, rounds: int) -> None:
state = get_state(channel_id)
topic = state["topic"]
await send_channel_message(
channel_id,
f"π₯ **Battle starting**\n"
f"Topic: **{topic}**\n"
f"Rounds: **{rounds}**\n"
f"Use `/pause`, `/continue`, `/end`, `/coach_a`, `/coach_b`, or `/topic` between rounds."
)
previous_a = ""
for round_no in range(1, rounds + 1):
state = get_state(channel_id)
if not state["active"]:
await send_channel_message(channel_id, "π Battle ended.")
return
while state["paused"]:
await asyncio.sleep(1)
state = get_state(channel_id)
if not state["active"]:
await send_channel_message(channel_id, "π Battle ended.")
return
topic = state["topic"]
coach_a = state["coach_a"]
coach_b = state["coach_b"]
update_state(channel_id, current_round=round_no)
a_text = generate_line("A", topic, coach_a)
b_text = generate_line("B", topic, coach_b, opponent_line=a_text)
previous_a = a_text
set_round(channel_id, round_no, a_text, b_text, status="open")
await send_channel_message(
channel_id,
(
f"## Round {round_no}\n"
f"**Topic:** {topic}\n\n"
f"**Bot A:** {a_text}\n"
f"**Bot B:** {b_text}\n\n"
f"Vote below. Voting closes in **{VOTE_SECONDS} seconds**."
),
components=vote_components(channel_id, round_no),
)
await asyncio.sleep(VOTE_SECONDS)
# The round may have been ended manually.
state = get_state(channel_id)
if not state["active"]:
close_round(channel_id, round_no)
await send_channel_message(channel_id, "π Battle ended.")
return
close_round(channel_id, round_no)
counts = tally_votes(channel_id, round_no)
if counts["A"] > counts["B"]:
winner = "A"
save_winning_line("A", topic, a_text)
result_line = f"π **Round {round_no} winner: Bot A** ({counts['A']} - {counts['B']})"
elif counts["B"] > counts["A"]:
winner = "B"
save_winning_line("B", topic, b_text)
result_line = f"π **Round {round_no} winner: Bot B** ({counts['B']} - {counts['A']})"
else:
winner = "TIE"
result_line = f"π€ **Round {round_no} is a tie** ({counts['A']} - {counts['B']})"
await send_channel_message(channel_id, result_line)
if round_no < rounds:
await send_channel_message(channel_id, "βοΈ Next round starting soon...")
update_state(channel_id, active=0, paused=0)
await send_channel_message(channel_id, "β
**Battle finished.**")
# =========
# DISCORD INTERACTION PARSING
# =========
def verify_discord_request(signature: str, timestamp: str, body: bytes) -> None:
try:
verify_key.verify(timestamp.encode() + body, bytes.fromhex(signature))
except BadSignatureError as exc:
raise HTTPException(status_code=401, detail="Invalid request signature") from exc
def interaction_user_id(payload: dict) -> str:
if "member" in payload and "user" in payload["member"]:
return payload["member"]["user"]["id"]
return payload["user"]["id"]
def interaction_channel_id(payload: dict) -> str:
if "channel" in payload and "id" in payload["channel"]:
return payload["channel"]["id"]
return payload["channel_id"]
def options_to_dict(data: dict) -> dict:
result = {}
for opt in data.get("options", []):
result[opt["name"]] = opt["value"]
return result
def msg_response(content: str, ephemeral: bool = True) -> JSONResponse:
payload = {
"type": 4,
"data": {
"content": content,
"allowed_mentions": {"parse": []},
},
}
if ephemeral:
payload["data"]["flags"] = 64
return JSONResponse(payload)
# =========
# ROUTES
# =========
@app.get("/")
async def root() -> dict:
return {"ok": True, "service": "discord-trash-talk-arena"}
@app.get("/health")
async def health() -> dict:
return {
"ok": True,
"db_path": DB_PATH,
"guild_commands_target": DISCORD_TEST_GUILD_ID or "global",
}
@app.get("/dnscheck")
async def dnscheck():
try:
resolver = DnsPythonResolver(nameservers=["8.8.8.8", "1.1.1.1"])
result = await resolver.resolve("discord.com", 443, socket.AF_INET)
return {
"ok": True,
"resolved_count": len(result),
"sample": result[0] if result else None
}
except Exception as e:
return {
"ok": False,
"error_type": type(e).__name__,
"error": str(e)
}
@app.get("/discordcheck")
async def discordcheck():
global discord_session
if discord_session is None:
return {"ok": False, "error": "discord_session not initialized"}
try:
async with discord_session.get("https://discord.com/api/v10/gateway") as response:
text = await response.text()
return {
"ok": True,
"status": response.status,
"body_preview": text[:300]
}
except Exception as e:
return {
"ok": False,
"error_type": type(e).__name__,
"error": str(e)
}
@app.get("/register")
async def manual_register(token: str):
if not ADMIN_REGISTER_TOKEN:
raise HTTPException(status_code=500, detail="ADMIN_REGISTER_TOKEN is not configured")
if token != ADMIN_REGISTER_TOKEN:
raise HTTPException(status_code=403, detail="Forbidden")
result = await register_commands()
return result
@app.post("/interactions")
async def interactions(request: Request):
raw_body = await request.body()
signature = request.headers.get("X-Signature-Ed25519")
timestamp = request.headers.get("X-Signature-Timestamp")
if not signature or not timestamp:
raise HTTPException(status_code=401, detail="Missing signature headers")
verify_discord_request(signature, timestamp, raw_body)
payload = json.loads(raw_body.decode("utf-8"))
# Discord PING
if payload["type"] == 1:
return JSONResponse({"type": 1})
# Slash commands
if payload["type"] == 2:
data = payload["data"]
command_name = data["name"]
channel_id = interaction_channel_id(payload)
ensure_channel_state(channel_id)
if command_name == "fight":
state = get_state(channel_id)
if state["active"]:
return msg_response("A battle is already running in this channel.")
opts = options_to_dict(data)
rounds = int(opts.get("rounds", 3))
rounds = max(1, min(rounds, 5))
update_state(
channel_id,
active=1,
paused=0,
total_rounds=rounds,
current_round=0,
)
asyncio.create_task(run_battle(channel_id, rounds))
return msg_response(f"Starting a {rounds}-round battle in this channel.", ephemeral=False)
if command_name == "pause":
state = get_state(channel_id)
if not state["active"]:
return msg_response("No active battle in this channel.")
update_state(channel_id, paused=1)
return msg_response("Battle paused. The current round vote window will finish, then the loop will wait.")
if command_name == "continue":
state = get_state(channel_id)
if not state["active"]:
return msg_response("No active battle in this channel.")
update_state(channel_id, paused=0)
return msg_response("Battle resumed.")
if command_name == "end":
state = get_state(channel_id)
if not state["active"]:
return msg_response("No active battle in this channel.")
update_state(channel_id, active=0, paused=0)
return msg_response("Battle will stop.")
if command_name == "topic":
value = options_to_dict(data)["value"].strip()
update_state(channel_id, topic=value)
return msg_response(f"Topic set to: {value}")
if command_name == "coach_a":
value = options_to_dict(data)["value"].strip()
update_state(channel_id, coach_a=value)
return msg_response(f"Bot A coaching updated: {value}")
if command_name == "coach_b":
value = options_to_dict(data)["value"].strip()
update_state(channel_id, coach_b=value)
return msg_response(f"Bot B coaching updated: {value}")
return msg_response(f"Unknown command: {command_name}")
# Button clicks
if payload["type"] == 3:
custom_id = payload["data"]["custom_id"]
parts = custom_id.split("|")
if len(parts) != 4 or parts[0] != "vote":
return msg_response("Unknown button action.")
_, winner, channel_id, round_no_text = parts
round_no = int(round_no_text)
user_id = interaction_user_id(payload)
round_row = get_round(channel_id, round_no)
if not round_row:
return msg_response("That round does not exist.")
if round_row["status"] != "open":
return msg_response("Voting for that round is closed.")
save_vote(channel_id, round_no, user_id, winner)
return msg_response(f"Vote recorded for Bot {winner}.", ephemeral=True)
return msg_response("Unsupported interaction type.") |