Revamped middle statline (ranking instead of arbitrary percentage)

This commit is contained in:
George Powell
2026-01-28 15:04:29 -05:00
parent 6365cfb363
commit 0ee3d8a4d0
3 changed files with 656 additions and 623 deletions

View File

@@ -1,222 +1,233 @@
<script lang="ts"> <script lang="ts">
import { fade } from "svelte/transition"; import { fade } from "svelte/transition";
import { getBookById, toOrdinal, getNextGradeMessage } from "$lib/utils/game"; import {
import { onMount } from "svelte"; getBookById,
import Container from "./Container.svelte"; toOrdinal,
import CountdownTimer from "./CountdownTimer.svelte"; getNextGradeMessage,
import ChapterGuess from "./ChapterGuess.svelte"; } from "$lib/utils/game";
import { onMount } from "svelte";
import Container from "./Container.svelte";
import CountdownTimer from "./CountdownTimer.svelte";
import ChapterGuess from "./ChapterGuess.svelte";
interface StatsData { interface StatsData {
solveRank: number; solveRank: number;
guessRank: number; guessRank: number;
totalSolves: number; totalSolves: number;
averageGuesses: number; averageGuesses: number;
} tiedCount: number;
}
interface WeightedMessage { interface WeightedMessage {
text: string; text: string;
weight: number; weight: number;
} }
let { let {
grade, grade,
statsData, statsData,
correctBookId, correctBookId,
handleShare, handleShare,
copyToClipboard, copyToClipboard,
copied = $bindable(false), copied = $bindable(false),
statsSubmitted, statsSubmitted,
guessCount, guessCount,
reference, reference,
onChapterGuessCompleted, onChapterGuessCompleted,
} = $props(); } = $props();
let bookName = $derived(getBookById(correctBookId)?.name ?? ""); let bookName = $derived(getBookById(correctBookId)?.name ?? "");
let hasWebShare = $derived( let hasWebShare = $derived(
typeof navigator !== "undefined" && "share" in navigator typeof navigator !== "undefined" && "share" in navigator,
); );
let copySuccess = $state(false); let copySuccess = $state(false);
// List of congratulations messages with weights // List of congratulations messages with weights
const congratulationsMessages: WeightedMessage[] = [ const congratulationsMessages: WeightedMessage[] = [
{ text: "Congratulations!", weight: 10 }, { text: "Congratulations!", weight: 10 },
{ text: "You got it!", weight: 1000 }, { text: "You got it!", weight: 1000 },
{ text: "Yup.", weight: 100 }, { text: "Yup.", weight: 100 },
{ text: "Very nice!", weight: 1 }, { text: "Very nice!", weight: 1 },
]; ];
// Function to select a random message based on weights // Function to select a random message based on weights
function getRandomCongratulationsMessage(): string { function getRandomCongratulationsMessage(): string {
// Special case for first try success // Special case for first try success
if (guessCount === 1) { if (guessCount === 1) {
const n = Math.random(); const n = Math.random();
if (n < 0.99) { if (n < 0.99) {
return "🌟 First try! 🌟"; return "🌟 First try! 🌟";
} else { } else {
return "🗣️ Axios! 🗣️"; return "🗣️ Axios! 🗣️";
} }
} }
const totalWeight = congratulationsMessages.reduce( const totalWeight = congratulationsMessages.reduce(
(sum, msg) => sum + msg.weight, (sum, msg) => sum + msg.weight,
0 0,
); );
let random = Math.random() * totalWeight; let random = Math.random() * totalWeight;
for (const message of congratulationsMessages) { for (const message of congratulationsMessages) {
random -= message.weight; random -= message.weight;
if (random <= 0) { if (random <= 0) {
return message.text; return message.text;
} }
} }
// Fallback to first message if something goes wrong // Fallback to first message if something goes wrong
return congratulationsMessages[0].text; return congratulationsMessages[0].text;
} }
// Generate the congratulations message // Generate the congratulations message
let congratulationsMessage = $derived(getRandomCongratulationsMessage()); let congratulationsMessage = $derived(getRandomCongratulationsMessage());
</script> </script>
<div class="flex flex-col gap-6"> <div class="flex flex-col gap-6">
<Container <Container
class="w-full p-8 sm:p-12 bg-linear-to-r from-green-400/10 to-green-600/30 text-gray-800 shadow-2xl text-center fade-in" class="w-full p-8 sm:p-12 bg-linear-to-r from-green-400/10 to-green-600/30 text-gray-800 shadow-2xl text-center fade-in"
> >
<p class="text-2xl sm:text-3xl md:text-4xl leading-relaxed"> <p class="text-2xl sm:text-3xl md:text-4xl leading-relaxed">
{congratulationsMessage} The verse is from {congratulationsMessage} The verse is from
<span class="font-black text-3xl md:text-4xl">{bookName}</span>. <span class="font-black text-3xl md:text-4xl">{bookName}</span>.
</p> </p>
<p class="text-lg sm:text-xl md:text-2xl mt-4"> <p class="text-lg sm:text-xl md:text-2xl mt-4">
You guessed correctly after {guessCount} You guessed correctly after {guessCount}
{guessCount === 1 ? "guess" : "guesses"}. {guessCount === 1 ? "guess" : "guesses"}.
<span class="font-bold bg-white/40 rounded px-1.5 py-0.75">{grade}</span> <span class="font-bold bg-white/40 rounded px-1.5 py-0.75"
</p> >{grade}</span
>
</p>
<div class="flex justify-center mt-6"> <div class="flex justify-center mt-6">
{#if hasWebShare} {#if hasWebShare}
<!-- mobile and arc in production --> <!-- mobile and arc in production -->
<button <button
onclick={handleShare} onclick={handleShare}
data-umami-event="Share" data-umami-event="Share"
class="text-2xl font-bold p-4 bg-white/70 hover:bg-white/80 rounded-xl inline-block transition-all shadow-lg mx-2 cursor-pointer border-none appearance-none" class="text-2xl font-bold p-4 bg-white/70 hover:bg-white/80 rounded-xl inline-block transition-all shadow-lg mx-2 cursor-pointer border-none appearance-none"
> >
📤 Share 📤 Share
</button> </button>
<button <button
onclick={() => { onclick={() => {
copyToClipboard(); copyToClipboard();
copySuccess = true; copySuccess = true;
setTimeout(() => { setTimeout(() => {
copySuccess = false; copySuccess = false;
}, 3000); }, 3000);
}} }}
data-umami-event="Copy to Clipboard" data-umami-event="Copy to Clipboard"
class={`text-2xl font-bold p-4 rounded-lg inline-block transition-all shadow-lg mx-2 cursor-pointer border-none appearance-none ${ class={`text-2xl font-bold p-4 rounded-lg inline-block transition-all shadow-lg mx-2 cursor-pointer border-none appearance-none ${
copySuccess ? "bg-white/30" : "bg-white/70 hover:bg-white/80" copySuccess
}`} ? "bg-white/30"
> : "bg-white/70 hover:bg-white/80"
{copySuccess ? "✅ Copied!" : "📋 Copy"} }`}
</button> >
{:else} {copySuccess ? "✅ Copied!" : "📋 Copy"}
<!-- dev mode and desktop browsers --> </button>
<button {:else}
onclick={handleShare} <!-- dev mode and desktop browsers -->
data-umami-event="Copy to Clipboard" <button
class={`text-2xl font-bold p-4 ${ onclick={handleShare}
copied ? "bg-white/30" : "bg-white/70 hover:bg-white/80" data-umami-event="Copy to Clipboard"
} rounded-xl inline-block transition-all shadow-lg mx-2 cursor-pointer border-none appearance-none`} class={`text-2xl font-bold p-4 ${
> copied ? "bg-white/30" : "bg-white/70 hover:bg-white/80"
{copied ? "✅ Copied!" : "📋 Share"} } rounded-xl inline-block transition-all shadow-lg mx-2 cursor-pointer border-none appearance-none`}
</button> >
{/if} {copied ? "✅ Copied!" : "📋 Share"}
</div> </button>
{/if}
</div>
{#if guessCount !== 1} {#if guessCount !== 1}
<p class="pt-6 big-text text-gray-700!"> <p class="pt-6 big-text text-gray-700!">
{getNextGradeMessage(guessCount)} {getNextGradeMessage(guessCount)}
</p> </p>
{/if} {/if}
</Container> </Container>
<!-- S++ Bonus Challenge for first try --> <!-- S++ Bonus Challenge for first try -->
{#if guessCount === 1} {#if guessCount === 1}
<ChapterGuess <ChapterGuess
{reference} {reference}
bookId={correctBookId} bookId={correctBookId}
onCompleted={onChapterGuessCompleted} onCompleted={onChapterGuessCompleted}
/> />
{/if} {/if}
<CountdownTimer /> <CountdownTimer />
<!-- Statistics Display --> <!-- Statistics Display -->
{#if statsData} {#if statsData}
<Container <Container
class="w-full p-4 bg-white/50 backdrop-blur-sm text-gray-800 shadow-lg text-center" class="w-full p-4 bg-white/50 backdrop-blur-sm text-gray-800 shadow-lg text-center"
> >
<div <div
class="grid grid-cols-3 gap-4 gap-x-8 text-center" class="grid grid-cols-3 gap-4 gap-x-8 text-center"
in:fade={{ delay: 800 }} in:fade={{ delay: 800 }}
> >
<!-- Solve Rank Column --> <!-- Solve Rank Column -->
<div class="flex flex-col"> <div class="flex flex-col">
<div class="text-3xl sm:text-4xl font-black"> <div class="text-3xl sm:text-4xl font-black">
#{statsData.solveRank} #{statsData.solveRank}
</div> </div>
<div class="text-sm sm:text-sm opacity-90 mt-1"> <div class="text-sm sm:text-sm opacity-90 mt-1">
You were the {toOrdinal(statsData.solveRank)} person to solve today You were the {toOrdinal(statsData.solveRank)} person to solve
</div> today
</div> </div>
</div>
<!-- Guess Rank Column --> <!-- Guess Rank Column -->
<div class="flex flex-col"> <div class="flex flex-col">
<div class="text-3xl sm:text-4xl font-black"> <div class="text-3xl sm:text-4xl font-black">
{Math.round( {toOrdinal(statsData.guessRank)}
((statsData.totalSolves - statsData.guessRank + 1) / </div>
statsData.totalSolves) * <div class="text-sm sm:text-sm opacity-90 mt-1">
100 You ranked {toOrdinal(statsData.guessRank)} of {statsData.totalSolves}
)}% {statsData.totalSolves === 1
</div> ? "solve"
<div class="text-sm sm:text-sm opacity-90 mt-1"> : "solves"}{statsData.tiedCount > 0
You ranked {toOrdinal(statsData.guessRank)} of {statsData.totalSolves} ? `, tied with ${statsData.tiedCount} ${statsData.tiedCount === 1 ? "other" : "others"}`
total solves : ""}
</div> </div>
</div> </div>
<!-- Average Column --> <!-- Average Column -->
<div class="flex flex-col"> <div class="flex flex-col">
<div class="text-3xl sm:text-4xl font-black"> <div class="text-3xl sm:text-4xl font-black">
{statsData.averageGuesses} {statsData.averageGuesses}
</div> </div>
<div class="text-sm sm:text-sm opacity-90 mt-1"> <div class="text-sm sm:text-sm opacity-90 mt-1">
People guessed correctly after {statsData.averageGuesses} People guessed correctly after {statsData.averageGuesses}
{statsData.averageGuesses === 1 ? "guess" : "guesses"} on average {statsData.averageGuesses === 1 ? "guess" : "guesses"} on
</div> average
</div> </div>
</div> </div>
</Container> </div>
{:else if !statsSubmitted} </Container>
<Container {:else if !statsSubmitted}
class="w-full p-6 bg-white/50 backdrop-blur-sm text-gray-800 shadow-lg text-center" <Container
> class="w-full p-6 bg-white/50 backdrop-blur-sm text-gray-800 shadow-lg text-center"
<div class="text-sm opacity-80">Submitting stats...</div> >
</Container> <div class="text-sm opacity-80">Submitting stats...</div>
{/if} </Container>
{/if}
</div> </div>
<style> <style>
@keyframes fadeIn { @keyframes fadeIn {
from { from {
opacity: 0; opacity: 0;
transform: translateY(-10px); transform: translateY(-10px);
} }
to { to {
opacity: 1; opacity: 1;
transform: translateY(0); transform: translateY(0);
} }
} }
.fade-in { .fade-in {
animation: fadeIn 0.5s ease-out; animation: fadeIn 0.5s ease-out;
} }
</style> </style>

View File

@@ -1,494 +1,510 @@
<script lang="ts"> <script lang="ts">
import { bibleBooks, type BibleBook } from "$lib/types/bible"; import { bibleBooks, type BibleBook } from "$lib/types/bible";
import type { PageProps } from "./$types"; import type { PageProps } from "./$types";
import { browser } from "$app/environment"; import { browser } from "$app/environment";
import VerseDisplay from "$lib/components/VerseDisplay.svelte"; import VerseDisplay from "$lib/components/VerseDisplay.svelte";
import SearchInput from "$lib/components/SearchInput.svelte"; import SearchInput from "$lib/components/SearchInput.svelte";
import GuessesTable from "$lib/components/GuessesTable.svelte"; import GuessesTable from "$lib/components/GuessesTable.svelte";
import WinScreen from "$lib/components/WinScreen.svelte"; import WinScreen from "$lib/components/WinScreen.svelte";
import Feedback from "$lib/components/Feedback.svelte"; import Feedback from "$lib/components/Feedback.svelte";
import TitleAnimation from "$lib/components/TitleAnimation.svelte"; import TitleAnimation from "$lib/components/TitleAnimation.svelte";
import { getGrade } from "$lib/utils/game"; import { getGrade } from "$lib/utils/game";
interface Guess { interface Guess {
book: BibleBook; book: BibleBook;
testamentMatch: boolean; testamentMatch: boolean;
sectionMatch: boolean; sectionMatch: boolean;
adjacent: boolean; adjacent: boolean;
firstLetterMatch: boolean; firstLetterMatch: boolean;
} }
let { data }: PageProps = $props(); let { data }: PageProps = $props();
let dailyVerse = $derived(data.dailyVerse); let dailyVerse = $derived(data.dailyVerse);
let correctBookId = $derived(data.correctBookId); let correctBookId = $derived(data.correctBookId);
let guesses = $state<Guess[]>([]); let guesses = $state<Guess[]>([]);
let searchQuery = $state(""); let searchQuery = $state("");
let copied = $state(false); let copied = $state(false);
let isDev = $state(false); let isDev = $state(false);
let chapterGuessCompleted = $state(false); let chapterGuessCompleted = $state(false);
let chapterCorrect = $state(false); let chapterCorrect = $state(false);
let anonymousId = $state(""); let anonymousId = $state("");
let statsSubmitted = $state(false); let statsSubmitted = $state(false);
let statsData = $state<{ let statsData = $state<{
solveRank: number; solveRank: number;
guessRank: number; guessRank: number;
totalSolves: number; totalSolves: number;
averageGuesses: number; averageGuesses: number;
} | null>(null); tiedCount: number;
} | null>(null);
let guessedIds = $derived(new Set(guesses.map((g) => g.book.id))); let guessedIds = $derived(new Set(guesses.map((g) => g.book.id)));
const currentDate = $derived( const currentDate = $derived(
new Date().toLocaleDateString("en-US", { new Date().toLocaleDateString("en-US", {
weekday: "long", weekday: "long",
year: "numeric", year: "numeric",
month: "long", month: "long",
day: "numeric", day: "numeric",
}) }),
); );
let isWon = $derived(guesses.some((g) => g.book.id === correctBookId)); let isWon = $derived(guesses.some((g) => g.book.id === correctBookId));
let grade = $derived( let grade = $derived(
isWon isWon
? guesses.length === 1 && chapterCorrect ? guesses.length === 1 && chapterCorrect
? "S++" ? "S++"
: getGrade(guesses.length, getBookById(correctBookId)?.popularity ?? 0) : getGrade(
: "" guesses.length,
); getBookById(correctBookId)?.popularity ?? 0,
let blurChapter = $derived( )
isWon && guesses.length === 1 && !chapterGuessCompleted : "",
); );
let blurChapter = $derived(
isWon && guesses.length === 1 && !chapterGuessCompleted,
);
function getBookById(id: string): BibleBook | undefined { function getBookById(id: string): BibleBook | undefined {
return bibleBooks.find((b) => b.id === id); return bibleBooks.find((b) => b.id === id);
} }
function isAdjacent(id1: string, id2: string): boolean { function isAdjacent(id1: string, id2: string): boolean {
const b1 = getBookById(id1); const b1 = getBookById(id1);
const b2 = getBookById(id2); const b2 = getBookById(id2);
return !!(b1 && b2 && Math.abs(b1.order - b2.order) === 1); return !!(b1 && b2 && Math.abs(b1.order - b2.order) === 1);
} }
function submitGuess(bookId: string) { function submitGuess(bookId: string) {
if (guesses.some((g) => g.book.id === bookId)) return; if (guesses.some((g) => g.book.id === bookId)) return;
const book = getBookById(bookId); const book = getBookById(bookId);
if (!book) return; if (!book) return;
const correctBook = getBookById(correctBookId); const correctBook = getBookById(correctBookId);
if (!correctBook) return; if (!correctBook) return;
const testamentMatch = book.testament === correctBook.testament; const testamentMatch = book.testament === correctBook.testament;
const sectionMatch = book.section === correctBook.section; const sectionMatch = book.section === correctBook.section;
const adjacent = isAdjacent(bookId, correctBookId); const adjacent = isAdjacent(bookId, correctBookId);
// Special case: if correct book is Epistles + starts with "1", // Special case: if correct book is Epistles + starts with "1",
// any guess starting with "1" counts as first letter match // any guess starting with "1" counts as first letter match
const correctIsEpistlesWithNumber = correctBook.section === "Epistles" && correctBook.name[0] === "1"; const correctIsEpistlesWithNumber =
const guessStartsWithNumber = book.name[0] === "1"; correctBook.section === "Epistles" && correctBook.name[0] === "1";
const guessStartsWithNumber = book.name[0] === "1";
const firstLetterMatch = correctIsEpistlesWithNumber && guessStartsWithNumber const firstLetterMatch =
? true correctIsEpistlesWithNumber && guessStartsWithNumber
: book.name[0].toUpperCase() === correctBook.name[0].toUpperCase(); ? true
: book.name[0].toUpperCase() ===
correctBook.name[0].toUpperCase();
console.log( console.log(
`Guess: ${book.name} (order ${book.order}), Correct: ${correctBook.name} (order ${correctBook.order}), Adjacent: ${adjacent}` `Guess: ${book.name} (order ${book.order}), Correct: ${correctBook.name} (order ${correctBook.order}), Adjacent: ${adjacent}`,
); );
if (guesses.length === 0) { if (guesses.length === 0) {
const key = `bibdle-first-guess-${dailyVerse.date}`; const key = `bibdle-first-guess-${dailyVerse.date}`;
if ( if (
localStorage.getItem(key) !== "true" && localStorage.getItem(key) !== "true" &&
browser && browser &&
(window as any).umami (window as any).umami
) { ) {
(window as any).umami.track("First guess"); (window as any).umami.track("First guess");
localStorage.setItem(key, "true"); localStorage.setItem(key, "true");
} }
} }
guesses = [ guesses = [
{ {
book, book,
testamentMatch, testamentMatch,
sectionMatch, sectionMatch,
adjacent, adjacent,
firstLetterMatch, firstLetterMatch,
}, },
...guesses, ...guesses,
]; ];
searchQuery = ""; searchQuery = "";
} }
function generateUUID(): string { function generateUUID(): string {
// Try native randomUUID if available // Try native randomUUID if available
if (typeof window.crypto.randomUUID === "function") { if (typeof window.crypto.randomUUID === "function") {
return window.crypto.randomUUID(); return window.crypto.randomUUID();
} }
// Fallback UUID v4 generator for older browsers // Fallback UUID v4 generator for older browsers
return "xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx".replace(/[xy]/g, (c) => { return "xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx".replace(/[xy]/g, (c) => {
const r = window.crypto.getRandomValues(new Uint8Array(1))[0] % 16 | 0; const r =
const v = c === "x" ? r : (r & 0x3) | 0x8; window.crypto.getRandomValues(new Uint8Array(1))[0] % 16 | 0;
return v.toString(16); const v = c === "x" ? r : (r & 0x3) | 0x8;
}); return v.toString(16);
} });
}
function getOrCreateAnonymousId(): string { function getOrCreateAnonymousId(): string {
if (!browser) return ""; if (!browser) return "";
const key = "bibdle-anonymous-id"; const key = "bibdle-anonymous-id";
let id = localStorage.getItem(key); let id = localStorage.getItem(key);
if (!id) { if (!id) {
id = generateUUID(); id = generateUUID();
localStorage.setItem(key, id); localStorage.setItem(key, id);
} }
return id; return id;
} }
// Initialize anonymous ID // Initialize anonymous ID
$effect(() => { $effect(() => {
if (!browser) return; if (!browser) return;
anonymousId = getOrCreateAnonymousId(); anonymousId = getOrCreateAnonymousId();
const statsKey = `bibdle-stats-submitted-${dailyVerse.date}`; const statsKey = `bibdle-stats-submitted-${dailyVerse.date}`;
statsSubmitted = localStorage.getItem(statsKey) === "true"; statsSubmitted = localStorage.getItem(statsKey) === "true";
const chapterGuessKey = `bibdle-chapter-guess-${dailyVerse.reference}`; const chapterGuessKey = `bibdle-chapter-guess-${dailyVerse.reference}`;
chapterGuessCompleted = localStorage.getItem(chapterGuessKey) !== null; chapterGuessCompleted = localStorage.getItem(chapterGuessKey) !== null;
if (chapterGuessCompleted) { if (chapterGuessCompleted) {
const saved = localStorage.getItem(chapterGuessKey); const saved = localStorage.getItem(chapterGuessKey);
if (saved) { if (saved) {
const data = JSON.parse(saved); const data = JSON.parse(saved);
const match = dailyVerse.reference.match(/\s(\d+):/); const match = dailyVerse.reference.match(/\s(\d+):/);
const correctChapter = match ? parseInt(match[1], 10) : 1; const correctChapter = match ? parseInt(match[1], 10) : 1;
chapterCorrect = data.selectedChapter === correctChapter; chapterCorrect = data.selectedChapter === correctChapter;
} }
} }
}); });
$effect(() => { $effect(() => {
if (!browser) return; if (!browser) return;
isDev = window.location.host === "localhost:5173"; isDev = window.location.host === "localhost:5173";
}); });
// Load saved guesses // Load saved guesses
$effect(() => { $effect(() => {
if (!browser) return; if (!browser) return;
const key = `bibdle-guesses-${dailyVerse.date}`; const key = `bibdle-guesses-${dailyVerse.date}`;
const saved = localStorage.getItem(key); const saved = localStorage.getItem(key);
if (saved) { if (saved) {
let savedIds: string[] = JSON.parse(saved); let savedIds: string[] = JSON.parse(saved);
savedIds = Array.from(new Set(savedIds)); savedIds = Array.from(new Set(savedIds));
guesses = savedIds.map((bookId: string) => { guesses = savedIds.map((bookId: string) => {
const book = getBookById(bookId)!; const book = getBookById(bookId)!;
const correctBook = getBookById(correctBookId)!; const correctBook = getBookById(correctBookId)!;
const testamentMatch = book.testament === correctBook.testament; const testamentMatch = book.testament === correctBook.testament;
const sectionMatch = book.section === correctBook.section; const sectionMatch = book.section === correctBook.section;
const adjacent = isAdjacent(bookId, correctBookId); const adjacent = isAdjacent(bookId, correctBookId);
// Apply same first letter logic as in submitGuess // Apply same first letter logic as in submitGuess
const correctIsEpistlesWithNumber = correctBook.section === "Epistles" && correctBook.name[0] === "1"; const correctIsEpistlesWithNumber =
const guessStartsWithNumber = book.name[0] === "1"; correctBook.section === "Epistles" &&
correctBook.name[0] === "1";
const guessStartsWithNumber = book.name[0] === "1";
const firstLetterMatch = correctIsEpistlesWithNumber && guessStartsWithNumber const firstLetterMatch =
? true correctIsEpistlesWithNumber && guessStartsWithNumber
: book.name[0].toUpperCase() === correctBook.name[0].toUpperCase(); ? true
: book.name[0].toUpperCase() ===
correctBook.name[0].toUpperCase();
return { return {
book, book,
testamentMatch, testamentMatch,
sectionMatch, sectionMatch,
adjacent, adjacent,
firstLetterMatch, firstLetterMatch,
}; };
}); });
} }
}); });
$effect(() => { $effect(() => {
if (!browser) return; if (!browser) return;
localStorage.setItem( localStorage.setItem(
`bibdle-guesses-${dailyVerse.date}`, `bibdle-guesses-${dailyVerse.date}`,
JSON.stringify(guesses.map((g) => g.book.id)) JSON.stringify(guesses.map((g) => g.book.id)),
); );
}); });
// Auto-submit stats when user wins // Auto-submit stats when user wins
$effect(() => { $effect(() => {
console.log("Stats effect triggered:", { console.log("Stats effect triggered:", {
browser, browser,
isWon, isWon,
anonymousId, anonymousId,
statsSubmitted, statsSubmitted,
statsData, statsData,
}); });
if (!browser || !isWon || !anonymousId) { if (!browser || !isWon || !anonymousId) {
console.log("Basic conditions not met"); console.log("Basic conditions not met");
return; return;
} }
if (statsSubmitted && !statsData) { if (statsSubmitted && !statsData) {
console.log("Fetching existing stats..."); console.log("Fetching existing stats...");
(async () => { (async () => {
try { try {
const response = await fetch( const response = await fetch(
`/api/submit-completion?anonymousId=${anonymousId}&date=${dailyVerse.date}` `/api/submit-completion?anonymousId=${anonymousId}&date=${dailyVerse.date}`,
); );
const result = await response.json(); const result = await response.json();
console.log("Stats response:", result); console.log("Stats response:", result);
if (result.success && result.stats) { if (result.success && result.stats) {
console.log("Setting stats data:", result.stats); console.log("Setting stats data:", result.stats);
statsData = result.stats; statsData = result.stats;
localStorage.setItem( localStorage.setItem(
`bibdle-stats-submitted-${dailyVerse.date}`, `bibdle-stats-submitted-${dailyVerse.date}`,
"true" "true",
); );
} else if (result.error) { } else if (result.error) {
console.error("Server error:", result.error); console.error("Server error:", result.error);
} else { } else {
console.error("Unexpected response format:", result); console.error("Unexpected response format:", result);
} }
} catch (err) { } catch (err) {
console.error("Stats fetch failed:", err); console.error("Stats fetch failed:", err);
} }
})(); })();
return; return;
} }
console.log("Submitting stats..."); console.log("Submitting stats...");
async function submitStats() { async function submitStats() {
try { try {
const payload = { const payload = {
anonymousId, anonymousId,
date: dailyVerse.date, date: dailyVerse.date,
guessCount: guesses.length, guessCount: guesses.length,
}; };
console.log("Sending POST request with:", payload); console.log("Sending POST request with:", payload);
const response = await fetch("/api/submit-completion", { const response = await fetch("/api/submit-completion", {
method: "POST", method: "POST",
headers: { headers: {
"Content-Type": "application/json", "Content-Type": "application/json",
}, },
body: JSON.stringify(payload), body: JSON.stringify(payload),
}); });
const result = await response.json(); const result = await response.json();
console.log("Stats response:", result); console.log("Stats response:", result);
if (result.success && result.stats) { if (result.success && result.stats) {
console.log("Setting stats data:", result.stats); console.log("Setting stats data:", result.stats);
statsData = result.stats; statsData = result.stats;
statsSubmitted = true; statsSubmitted = true;
localStorage.setItem( localStorage.setItem(
`bibdle-stats-submitted-${dailyVerse.date}`, `bibdle-stats-submitted-${dailyVerse.date}`,
"true" "true",
); );
} else if (result.error) { } else if (result.error) {
console.error("Server error:", result.error); console.error("Server error:", result.error);
} else { } else {
console.error("Unexpected response format:", result); console.error("Unexpected response format:", result);
} }
} catch (err) { } catch (err) {
console.error("Stats submission failed:", err); console.error("Stats submission failed:", err);
} }
} }
submitStats(); submitStats();
}); });
$effect(() => { $effect(() => {
if (!browser || !isWon) return; if (!browser || !isWon) return;
const key = `bibdle-win-tracked-${dailyVerse.date}`; const key = `bibdle-win-tracked-${dailyVerse.date}`;
if (localStorage.getItem(key) === "true") return; if (localStorage.getItem(key) === "true") return;
if ((window as any).umami) { if ((window as any).umami) {
(window as any).umami.track("Guessed correctly", { (window as any).umami.track("Guessed correctly", {
totalGuesses: guesses.length, totalGuesses: guesses.length,
}); });
} }
localStorage.setItem(key, "true"); localStorage.setItem(key, "true");
}); });
function generateShareText(): string { function generateShareText(): string {
const emojis = guesses const emojis = guesses
.slice() .slice()
.reverse() .reverse()
.map((guess) => { .map((guess) => {
if (guess.book.id === correctBookId) return "✅"; if (guess.book.id === correctBookId) return "✅";
if (guess.adjacent) return "‼️"; if (guess.adjacent) return "‼️";
if (guess.sectionMatch) return "🟩"; if (guess.sectionMatch) return "🟩";
if (guess.testamentMatch) return "🟧"; if (guess.testamentMatch) return "🟧";
return "🟥"; return "🟥";
}) })
.join(""); .join("");
const dateFormatter = new Intl.DateTimeFormat("en-US", { const dateFormatter = new Intl.DateTimeFormat("en-US", {
month: "short", month: "short",
day: "numeric", day: "numeric",
year: "numeric", year: "numeric",
}); });
const formattedDate = dateFormatter.format( const formattedDate = dateFormatter.format(
new Date(`${dailyVerse.date}T00:00:00`) new Date(`${dailyVerse.date}T00:00:00`),
); );
const siteUrl = window.location.origin; const siteUrl = window.location.origin;
return [ return [
`📖 Bibdle | ${formattedDate} 📖`, `📖 Bibdle | ${formattedDate} 📖`,
`${grade} (${guesses.length} ${guesses.length === 1 ? "guess" : "guesses"})`, `${grade} (${guesses.length} ${guesses.length === 1 ? "guess" : "guesses"})`,
`${emojis}${guesses.length === 1 && chapterCorrect ? " ⭐" : ""}`, `${emojis}${guesses.length === 1 && chapterCorrect ? " ⭐" : ""}`,
siteUrl, siteUrl,
].join("\n"); ].join("\n");
} }
async function share() { async function share() {
if (!browser) return; if (!browser) return;
const shareText = generateShareText(); const shareText = generateShareText();
try { try {
if ("share" in navigator) { if ("share" in navigator) {
await (navigator as any).share({ text: shareText }); await (navigator as any).share({ text: shareText });
} else { } else {
await (navigator as any).clipboard.writeText(shareText); await (navigator as any).clipboard.writeText(shareText);
} }
} catch (err) { } catch (err) {
console.error("Share failed:", err); console.error("Share failed:", err);
throw err; throw err;
} }
} }
async function copyToClipboard() { async function copyToClipboard() {
if (!browser) return; if (!browser) return;
const shareText = generateShareText(); const shareText = generateShareText();
try { try {
await (navigator as any).clipboard.writeText(shareText); await (navigator as any).clipboard.writeText(shareText);
copied = true; copied = true;
setTimeout(() => { setTimeout(() => {
copied = false; copied = false;
}, 5000); }, 5000);
} catch (err) { } catch (err) {
console.error("Copy to clipboard failed:", err); console.error("Copy to clipboard failed:", err);
throw err; throw err;
} }
} }
function handleShare() { function handleShare() {
if (copied || !browser) return; if (copied || !browser) return;
const useClipboard = !("share" in navigator); const useClipboard = !("share" in navigator);
if (useClipboard) { if (useClipboard) {
copied = true; copied = true;
} }
share() share()
.then(() => { .then(() => {
if (useClipboard) { if (useClipboard) {
setTimeout(() => { setTimeout(() => {
copied = false; copied = false;
}, 5000); }, 5000);
} }
}) })
.catch(() => { .catch(() => {
if (useClipboard) { if (useClipboard) {
copied = false; copied = false;
} }
}); });
} }
function clearLocalStorage() { function clearLocalStorage() {
if (!browser) return; if (!browser) return;
// Clear all bibdle-related localStorage items // Clear all bibdle-related localStorage items
const keysToRemove: string[] = []; const keysToRemove: string[] = [];
for (let i = 0; i < localStorage.length; i++) { for (let i = 0; i < localStorage.length; i++) {
const key = localStorage.key(i); const key = localStorage.key(i);
if (key && key.startsWith("bibdle-")) { if (key && key.startsWith("bibdle-")) {
keysToRemove.push(key); keysToRemove.push(key);
} }
} }
keysToRemove.forEach((key) => localStorage.removeItem(key)); keysToRemove.forEach((key) => localStorage.removeItem(key));
// Reload the page to reset state // Reload the page to reset state
window.location.reload(); window.location.reload();
} }
</script> </script>
<svelte:head> <svelte:head>
<!-- <title>Bibdle &mdash; A daily bible game{isDev ? " (dev)" : ""}</title> --> <!-- <title>Bibdle &mdash; A daily bible game{isDev ? " (dev)" : ""}</title> -->
<title>A daily bible game{isDev ? " (dev)" : ""}</title> <title>A daily bible game{isDev ? " (dev)" : ""}</title>
<!-- <meta <!-- <meta
name="description" name="description"
content="Guess which book of the Bible a verse comes from." content="Guess which book of the Bible a verse comes from."
/> --> /> -->
</svelte:head> </svelte:head>
<div class="min-h-dvh md:bg-linear-to-br md:from-blue-50 md:to-indigo-200 py-8"> <div class="min-h-dvh md:bg-linear-to-br md:from-blue-50 md:to-indigo-200 py-8">
<div class="w-full max-w-3xl mx-auto px-4"> <div class="w-full max-w-3xl mx-auto px-4">
<h1 <h1
class="text-3xl md:text-4xl font-bold text-center uppercase text-gray-600 drop-shadow-2xl tracking-widest p-4" class="text-3xl md:text-4xl font-bold text-center uppercase text-gray-600 drop-shadow-2xl tracking-widest p-4"
> >
<TitleAnimation /> <TitleAnimation />
<div class="font-normal"></div> <div class="font-normal"></div>
</h1> </h1>
<div class="text-center mb-8"> <div class="text-center mb-8">
<span class="big-text" <span class="big-text"
>{isDev ? "Dev Edition | " : ""}{currentDate}</span >{isDev ? "Dev Edition | " : ""}{currentDate}</span
> >
</div> </div>
<div class="flex flex-col gap-6"> <div class="flex flex-col gap-6">
<VerseDisplay {data} {isWon} {blurChapter} /> <VerseDisplay {data} {isWon} {blurChapter} />
{#if !isWon} {#if !isWon}
<SearchInput bind:searchQuery {guessedIds} {submitGuess} /> <SearchInput bind:searchQuery {guessedIds} {submitGuess} />
{:else} {:else}
<WinScreen <WinScreen
{grade} {grade}
{statsData} {statsData}
{correctBookId} {correctBookId}
{handleShare} {handleShare}
{copyToClipboard} {copyToClipboard}
bind:copied bind:copied
{statsSubmitted} {statsSubmitted}
guessCount={guesses.length} guessCount={guesses.length}
reference={dailyVerse.reference} reference={dailyVerse.reference}
onChapterGuessCompleted={() => { onChapterGuessCompleted={() => {
chapterGuessCompleted = true; chapterGuessCompleted = true;
const key = `bibdle-chapter-guess-${dailyVerse.reference}`; const key = `bibdle-chapter-guess-${dailyVerse.reference}`;
const saved = localStorage.getItem(key); const saved = localStorage.getItem(key);
if (saved) { if (saved) {
const data = JSON.parse(saved); const data = JSON.parse(saved);
const match = dailyVerse.reference.match(/\s(\d+):/); const match =
const correctChapter = match ? parseInt(match[1], 10) : 1; dailyVerse.reference.match(/\s(\d+):/);
chapterCorrect = data.selectedChapter === correctChapter; const correctChapter = match
} ? parseInt(match[1], 10)
}} : 1;
/> chapterCorrect =
{/if} data.selectedChapter === correctChapter;
}
}}
/>
{/if}
<GuessesTable {guesses} {correctBookId} /> <GuessesTable {guesses} {correctBookId} />
{#if isWon} {#if isWon}
<Feedback /> <Feedback />
{/if} {/if}
</div> </div>
{#if isDev} {#if isDev}
<button <button
onclick={clearLocalStorage} onclick={clearLocalStorage}
class="mt-4 px-4 py-2 bg-red-500 hover:bg-red-600 text-white rounded-lg text-sm font-bold transition-colors" class="mt-4 px-4 py-2 bg-red-500 hover:bg-red-600 text-white rounded-lg text-sm font-bold transition-colors"
> >
Clear LocalStorage Clear LocalStorage
</button> </button>
{/if} {/if}
</div> </div>
</div> </div>

View File

@@ -48,13 +48,16 @@ export const POST: RequestHandler = async ({ request }) => {
const betterGuesses = allCompletions.filter(c => c.guessCount < guessCount).length; const betterGuesses = allCompletions.filter(c => c.guessCount < guessCount).length;
const guessRank = betterGuesses + 1; const guessRank = betterGuesses + 1;
// Count ties: how many have the SAME guessCount (excluding self)
const tiedCount = allCompletions.filter(c => c.guessCount === guessCount && c.anonymousId !== anonymousId).length;
// Average guesses // Average guesses
const totalGuesses = allCompletions.reduce((sum, c) => sum + c.guessCount, 0); const totalGuesses = allCompletions.reduce((sum, c) => sum + c.guessCount, 0);
const averageGuesses = Math.round((totalGuesses / totalSolves) * 10) / 10; const averageGuesses = Math.round((totalGuesses / totalSolves) * 10) / 10;
return json({ return json({
success: true, success: true,
stats: { solveRank, guessRank, totalSolves, averageGuesses } stats: { solveRank, guessRank, totalSolves, averageGuesses, tiedCount }
}); });
} catch (err) { } catch (err) {
console.error('Error submitting completion:', err); console.error('Error submitting completion:', err);
@@ -105,13 +108,16 @@ export const GET: RequestHandler = async ({ url }) => {
const betterGuesses = allCompletions.filter(c => c.guessCount < guessCount).length; const betterGuesses = allCompletions.filter(c => c.guessCount < guessCount).length;
const guessRank = betterGuesses + 1; const guessRank = betterGuesses + 1;
// Count ties: how many have the SAME guessCount (excluding self)
const tiedCount = allCompletions.filter(c => c.guessCount === guessCount && c.anonymousId !== anonymousId).length;
// Average guesses // Average guesses
const totalGuesses = allCompletions.reduce((sum, c) => sum + c.guessCount, 0); const totalGuesses = allCompletions.reduce((sum, c) => sum + c.guessCount, 0);
const averageGuesses = Math.round((totalGuesses / totalSolves) * 10) / 10; const averageGuesses = Math.round((totalGuesses / totalSolves) * 10) / 10;
return json({ return json({
success: true, success: true,
stats: { solveRank, guessRank, totalSolves, averageGuesses } stats: { solveRank, guessRank, totalSolves, averageGuesses, tiedCount }
}); });
} catch (err) { } catch (err) {
console.error('Error fetching stats:', err); console.error('Error fetching stats:', err);