mirror of
https://github.com/ershisan99/www.git
synced 2025-12-18 21:09:23 +00:00
add pvp blinds info
This commit is contained in:
298
src/app/(home)/log-parser/_components/pvp-blinds.tsx
Normal file
298
src/app/(home)/log-parser/_components/pvp-blinds.tsx
Normal file
@@ -0,0 +1,298 @@
|
|||||||
|
'use client'
|
||||||
|
|
||||||
|
import { Card, CardContent, CardHeader, CardTitle } from '@/components/ui/card'
|
||||||
|
import {
|
||||||
|
Table,
|
||||||
|
TableBody,
|
||||||
|
TableCell,
|
||||||
|
TableHead,
|
||||||
|
TableHeader,
|
||||||
|
TableRow,
|
||||||
|
} from '@/components/ui/table'
|
||||||
|
|
||||||
|
// Define the structure for hand scores within a PVP blind
|
||||||
|
export type HandScore = {
|
||||||
|
timestamp: Date
|
||||||
|
score: number
|
||||||
|
handsLeft: number
|
||||||
|
isLogOwner: boolean
|
||||||
|
}
|
||||||
|
|
||||||
|
// Define the structure for PVP blind data
|
||||||
|
export type PvpBlind = {
|
||||||
|
blindNumber: number
|
||||||
|
startTimestamp: Date
|
||||||
|
endTimestamp?: Date
|
||||||
|
logOwnerScore: number
|
||||||
|
opponentScore: number
|
||||||
|
handScores: HandScore[]
|
||||||
|
winner: 'logOwner' | 'opponent' | null
|
||||||
|
}
|
||||||
|
|
||||||
|
// Only include the properties needed for this component
|
||||||
|
type Game = {
|
||||||
|
pvpBlinds: PvpBlind[]
|
||||||
|
}
|
||||||
|
|
||||||
|
// Helper to format numbers with scientific notation for large values
|
||||||
|
function formatNumber(num?: number): string {
|
||||||
|
if (!num) {
|
||||||
|
return '-'
|
||||||
|
}
|
||||||
|
if (num >= 1e11) {
|
||||||
|
// Remove the '+' sign from the exponent part
|
||||||
|
return num.toExponential(2).replace('+', '')
|
||||||
|
}
|
||||||
|
return num.toLocaleString()
|
||||||
|
}
|
||||||
|
|
||||||
|
// Helper function to filter and renumber PVP blinds
|
||||||
|
function getValidPvpBlinds(pvpBlinds: PvpBlind[]): PvpBlind[] {
|
||||||
|
// Filter blinds with non-zero scores
|
||||||
|
const validBlinds = pvpBlinds.filter(
|
||||||
|
(blind) => blind.logOwnerScore > 0 || blind.opponentScore > 0
|
||||||
|
)
|
||||||
|
|
||||||
|
// Renumber the blinds sequentially
|
||||||
|
return validBlinds.map((blind, index) => ({
|
||||||
|
...blind,
|
||||||
|
blindNumber: index + 1, // Start from 1
|
||||||
|
}))
|
||||||
|
}
|
||||||
|
|
||||||
|
function PvpBlindsTable({
|
||||||
|
game,
|
||||||
|
ownerLabel,
|
||||||
|
opponentLabel,
|
||||||
|
}: {
|
||||||
|
game: Game
|
||||||
|
ownerLabel: string
|
||||||
|
opponentLabel: string
|
||||||
|
}) {
|
||||||
|
const validPvpBlinds = getValidPvpBlinds(game.pvpBlinds)
|
||||||
|
|
||||||
|
if (validPvpBlinds.length === 0) {
|
||||||
|
return (
|
||||||
|
<p className='text-gray-500 text-sm italic'>
|
||||||
|
No PVP blind data recorded.
|
||||||
|
</p>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Calculate totals
|
||||||
|
const totalLogOwnerScore = validPvpBlinds.reduce(
|
||||||
|
(sum, blind) => sum + blind.logOwnerScore,
|
||||||
|
0
|
||||||
|
)
|
||||||
|
const totalOpponentScore = validPvpBlinds.reduce(
|
||||||
|
(sum, blind) => sum + blind.opponentScore,
|
||||||
|
0
|
||||||
|
)
|
||||||
|
|
||||||
|
// Determine overall winner
|
||||||
|
const overallWinner =
|
||||||
|
totalLogOwnerScore > totalOpponentScore
|
||||||
|
? 'logOwner'
|
||||||
|
: totalOpponentScore > totalLogOwnerScore
|
||||||
|
? 'opponent'
|
||||||
|
: null
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Table>
|
||||||
|
<TableHeader>
|
||||||
|
<TableRow>
|
||||||
|
<TableHead className='w-[60px] text-right font-mono'>Blind</TableHead>
|
||||||
|
<TableHead className='text-right font-mono'>{ownerLabel}</TableHead>
|
||||||
|
<TableHead className='text-right font-mono'>
|
||||||
|
{opponentLabel}
|
||||||
|
</TableHead>
|
||||||
|
</TableRow>
|
||||||
|
</TableHeader>
|
||||||
|
<TableBody>
|
||||||
|
{validPvpBlinds.map((blind) => (
|
||||||
|
<TableRow key={blind.blindNumber}>
|
||||||
|
<TableCell className='text-right font-mono'>
|
||||||
|
{blind.blindNumber}
|
||||||
|
{blind.winner === 'logOwner' ? ' 🏆' : ''}
|
||||||
|
{blind.winner === 'opponent' ? ' 💀' : ''}
|
||||||
|
</TableCell>
|
||||||
|
{/* Log Owner Score */}
|
||||||
|
<TableCell className='text-right font-mono'>
|
||||||
|
{formatNumber(blind.logOwnerScore)}
|
||||||
|
</TableCell>
|
||||||
|
{/* Opponent Score */}
|
||||||
|
<TableCell className='text-right font-mono'>
|
||||||
|
{formatNumber(blind.opponentScore)}
|
||||||
|
</TableCell>
|
||||||
|
</TableRow>
|
||||||
|
))}
|
||||||
|
{/* Totals row */}
|
||||||
|
<TableRow className='border-t-2 font-bold'>
|
||||||
|
<TableCell className='text-right font-mono'>Total</TableCell>
|
||||||
|
<TableCell className='text-right font-mono'>
|
||||||
|
{formatNumber(totalLogOwnerScore)}
|
||||||
|
{overallWinner === 'logOwner' ? ' 🏆' : ''}
|
||||||
|
</TableCell>
|
||||||
|
<TableCell className='text-right font-mono'>
|
||||||
|
{formatNumber(totalOpponentScore)}
|
||||||
|
{overallWinner === 'opponent' ? ' 🏆' : ''}
|
||||||
|
</TableCell>
|
||||||
|
</TableRow>
|
||||||
|
</TableBody>
|
||||||
|
</Table>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
function PvpHandScoresTable({
|
||||||
|
blind,
|
||||||
|
ownerLabel,
|
||||||
|
opponentLabel,
|
||||||
|
formatter,
|
||||||
|
}: {
|
||||||
|
blind: PvpBlind
|
||||||
|
ownerLabel: string
|
||||||
|
opponentLabel: string
|
||||||
|
formatter: any
|
||||||
|
}) {
|
||||||
|
const { handScores } = blind
|
||||||
|
|
||||||
|
if (handScores.length === 0) {
|
||||||
|
return (
|
||||||
|
<p className='text-gray-500 text-sm italic'>
|
||||||
|
No hand score data recorded.
|
||||||
|
</p>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Sort hand scores by timestamp to maintain chronological order
|
||||||
|
const sortedHandScores = [...handScores].sort(
|
||||||
|
(a, b) => a.timestamp.getTime() - b.timestamp.getTime()
|
||||||
|
)
|
||||||
|
|
||||||
|
// Group hand scores by player and filter out zero scores
|
||||||
|
const logOwnerScores = sortedHandScores.filter((score) => score.isLogOwner)
|
||||||
|
const opponentScores = sortedHandScores.filter(
|
||||||
|
(score) => !score.isLogOwner && score.score > 0
|
||||||
|
)
|
||||||
|
|
||||||
|
// Determine the maximum number of hands
|
||||||
|
const maxHands = Math.max(logOwnerScores.length, opponentScores.length)
|
||||||
|
|
||||||
|
// Create an array of hand numbers
|
||||||
|
const handNumbers = Array.from({ length: maxHands }, (_, i) => i + 1)
|
||||||
|
|
||||||
|
// Calculate total scores
|
||||||
|
const totalLogOwnerScore = logOwnerScores.reduce(
|
||||||
|
(sum, score) => sum + score.score,
|
||||||
|
0
|
||||||
|
)
|
||||||
|
const totalOpponentScore = opponentScores.reduce(
|
||||||
|
(sum, score) => sum + score.score,
|
||||||
|
0
|
||||||
|
)
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Table>
|
||||||
|
<TableHeader>
|
||||||
|
<TableRow>
|
||||||
|
<TableHead className='w-[60px] text-right font-mono'>
|
||||||
|
Hand #
|
||||||
|
</TableHead>
|
||||||
|
<TableHead className='text-right font-mono'>{ownerLabel}</TableHead>
|
||||||
|
<TableHead className='text-right font-mono'>
|
||||||
|
{opponentLabel}
|
||||||
|
</TableHead>
|
||||||
|
</TableRow>
|
||||||
|
</TableHeader>
|
||||||
|
<TableBody>
|
||||||
|
{handNumbers.map((handNumber, index) => (
|
||||||
|
// biome-ignore lint/suspicious/noArrayIndexKey: Simple table rendering
|
||||||
|
<TableRow key={index}>
|
||||||
|
<TableCell className='text-right font-mono'>{handNumber}</TableCell>
|
||||||
|
<TableCell className='text-right font-mono'>
|
||||||
|
{index < logOwnerScores.length
|
||||||
|
? formatNumber(logOwnerScores[index]?.score)
|
||||||
|
: '-'}
|
||||||
|
</TableCell>
|
||||||
|
<TableCell className='text-right font-mono'>
|
||||||
|
{index < opponentScores.length
|
||||||
|
? formatNumber(opponentScores[index]?.score)
|
||||||
|
: '-'}
|
||||||
|
</TableCell>
|
||||||
|
</TableRow>
|
||||||
|
))}
|
||||||
|
{/* Total score row */}
|
||||||
|
<TableRow className='font-bold'>
|
||||||
|
<TableCell className='text-right font-mono'>Total</TableCell>
|
||||||
|
<TableCell className='text-right font-mono'>
|
||||||
|
{formatNumber(totalLogOwnerScore)}
|
||||||
|
</TableCell>
|
||||||
|
<TableCell className='text-right font-mono'>
|
||||||
|
{formatNumber(totalOpponentScore)}
|
||||||
|
</TableCell>
|
||||||
|
</TableRow>
|
||||||
|
</TableBody>
|
||||||
|
</Table>
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
export function PvpBlindsCard({
|
||||||
|
game,
|
||||||
|
ownerLabel,
|
||||||
|
opponentLabel,
|
||||||
|
formatter,
|
||||||
|
}: {
|
||||||
|
game: Game
|
||||||
|
ownerLabel: string
|
||||||
|
opponentLabel: string
|
||||||
|
formatter: any
|
||||||
|
}) {
|
||||||
|
const validPvpBlinds = getValidPvpBlinds(game.pvpBlinds)
|
||||||
|
|
||||||
|
if (validPvpBlinds.length === 0) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Card>
|
||||||
|
<CardHeader>
|
||||||
|
<CardTitle className='text-lg'>PVP Blinds</CardTitle>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent className='space-y-4'>
|
||||||
|
<PvpBlindsTable
|
||||||
|
game={game}
|
||||||
|
ownerLabel={ownerLabel}
|
||||||
|
opponentLabel={opponentLabel}
|
||||||
|
/>
|
||||||
|
|
||||||
|
{/* Hand Scores for each blind */}
|
||||||
|
{validPvpBlinds.map((blind) => (
|
||||||
|
<div key={blind.blindNumber} className='mt-4'>
|
||||||
|
<h4 className='mb-2 font-semibold'>
|
||||||
|
{(() => {
|
||||||
|
const scoreDiff = Math.abs(
|
||||||
|
blind.logOwnerScore - blind.opponentScore
|
||||||
|
)
|
||||||
|
let title = `Blind #${blind.blindNumber} Hand Scores`
|
||||||
|
|
||||||
|
if (blind.winner === 'logOwner') {
|
||||||
|
title += ` (${ownerLabel} won by ${formatNumber(scoreDiff)} chips)`
|
||||||
|
} else if (blind.winner === 'opponent') {
|
||||||
|
title += ` (${opponentLabel} won by ${formatNumber(scoreDiff)} chips)`
|
||||||
|
}
|
||||||
|
|
||||||
|
return title
|
||||||
|
})()}
|
||||||
|
</h4>
|
||||||
|
<PvpHandScoresTable
|
||||||
|
blind={blind}
|
||||||
|
ownerLabel={ownerLabel}
|
||||||
|
opponentLabel={opponentLabel}
|
||||||
|
formatter={formatter}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
)
|
||||||
|
}
|
||||||
@@ -36,6 +36,7 @@ import {
|
|||||||
import { jokers } from '@/shared/jokers'
|
import { jokers } from '@/shared/jokers'
|
||||||
import { useFormatter } from 'next-intl'
|
import { useFormatter } from 'next-intl'
|
||||||
import { Fragment, useState } from 'react'
|
import { Fragment, useState } from 'react'
|
||||||
|
import { type PvpBlind, PvpBlindsCard } from './_components/pvp-blinds'
|
||||||
|
|
||||||
// Define the structure for individual log events within a game
|
// Define the structure for individual log events within a game
|
||||||
type LogEvent = {
|
type LogEvent = {
|
||||||
@@ -45,6 +46,8 @@ type LogEvent = {
|
|||||||
img?: string
|
img?: string
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// PVP blind types (PvpBlind and HandScore) are now imported from the PvpBlindsCard component
|
||||||
|
|
||||||
// Define the structure for game options parsed from lobbyOptions
|
// Define the structure for game options parsed from lobbyOptions
|
||||||
type GameOptions = {
|
type GameOptions = {
|
||||||
back?: string | null // Deck
|
back?: string | null // Deck
|
||||||
@@ -86,6 +89,8 @@ type Game = {
|
|||||||
events: LogEvent[]
|
events: LogEvent[]
|
||||||
rerolls: number
|
rerolls: number
|
||||||
winner: 'logOwner' | 'opponent' | null // Who won the game
|
winner: 'logOwner' | 'opponent' | null // Who won the game
|
||||||
|
pvpBlinds: PvpBlind[] // PVP blind data
|
||||||
|
currentPvpBlind: number | null // Current PVP blind number
|
||||||
}
|
}
|
||||||
|
|
||||||
// Helper to initialize a new game object
|
// Helper to initialize a new game object
|
||||||
@@ -116,6 +121,8 @@ const initGame = (id: number, startDate: Date): Game => ({
|
|||||||
events: [],
|
events: [],
|
||||||
rerolls: 0,
|
rerolls: 0,
|
||||||
winner: null,
|
winner: null,
|
||||||
|
pvpBlinds: [],
|
||||||
|
currentPvpBlind: null,
|
||||||
})
|
})
|
||||||
|
|
||||||
// Helper to format duration
|
// Helper to format duration
|
||||||
@@ -268,27 +275,6 @@ export default function LogParser() {
|
|||||||
text: `Game ${gameCounter} Started`,
|
text: `Game ${gameCounter} Started`,
|
||||||
type: 'system',
|
type: 'system',
|
||||||
})
|
})
|
||||||
currentGame.events.push({
|
|
||||||
timestamp,
|
|
||||||
text: `Host: ${currentGame.host || 'Unknown'}, Guest: ${currentGame.guest || 'Unknown'}`,
|
|
||||||
type: 'info',
|
|
||||||
})
|
|
||||||
// Add event indicating log owner's role
|
|
||||||
currentGame.events.push({
|
|
||||||
timestamp,
|
|
||||||
text: `Log Owner Role: ${currentGame.isHost === null ? 'Unknown' : currentGame.isHost ? 'Host' : 'Guest'} (${currentGame.logOwnerName || 'Unknown'})`,
|
|
||||||
type: 'info',
|
|
||||||
})
|
|
||||||
currentGame.events.push({
|
|
||||||
timestamp,
|
|
||||||
text: `Deck: ${currentGame.deck || 'Unknown'}`,
|
|
||||||
type: 'info',
|
|
||||||
})
|
|
||||||
currentGame.events.push({
|
|
||||||
timestamp,
|
|
||||||
text: `Seed: ${currentGame.seed || 'Unknown'}`,
|
|
||||||
type: 'info',
|
|
||||||
})
|
|
||||||
continue
|
continue
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -364,6 +350,52 @@ export default function LogParser() {
|
|||||||
currentGame.opponentLastSkips = newSkips
|
currentGame.opponentLastSkips = newSkips
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Parse opponent score for PVP blind
|
||||||
|
if (currentGame.currentPvpBlind !== null) {
|
||||||
|
const scoreMatch = line.match(/score: *(\d+)/)
|
||||||
|
const handsLeftMatch = line.match(/handsLeft: *(\d+)/)
|
||||||
|
|
||||||
|
if (scoreMatch?.[1]) {
|
||||||
|
const score = Number.parseInt(scoreMatch[1], 10)
|
||||||
|
const handsLeft = handsLeftMatch?.[1]
|
||||||
|
? Number.parseInt(handsLeftMatch[1], 10)
|
||||||
|
: 0
|
||||||
|
|
||||||
|
if (!Number.isNaN(score)) {
|
||||||
|
const currentBlindIndex = currentGame.currentPvpBlind - 1
|
||||||
|
if (
|
||||||
|
currentBlindIndex >= 0 &&
|
||||||
|
currentBlindIndex < currentGame.pvpBlinds.length
|
||||||
|
) {
|
||||||
|
const currentBlind = currentGame.pvpBlinds[currentBlindIndex]
|
||||||
|
if (!currentBlind) {
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
// Update opponent score in current blind
|
||||||
|
currentBlind.opponentScore += score
|
||||||
|
|
||||||
|
// Add hand score
|
||||||
|
currentBlind.handScores.push({
|
||||||
|
timestamp,
|
||||||
|
score,
|
||||||
|
handsLeft,
|
||||||
|
isLogOwner: false,
|
||||||
|
})
|
||||||
|
|
||||||
|
// Add event for opponent score only if score > 0
|
||||||
|
if (score > 0) {
|
||||||
|
currentGame.events.push({
|
||||||
|
timestamp,
|
||||||
|
text: `Opponent score: ${score} (Hands left: ${handsLeft})`,
|
||||||
|
type: 'event',
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
continue
|
continue
|
||||||
}
|
}
|
||||||
if (line.includes('Client sent message: action:soldCard')) {
|
if (line.includes('Client sent message: action:soldCard')) {
|
||||||
@@ -454,6 +486,43 @@ export default function LogParser() {
|
|||||||
continue
|
continue
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Parse endPvP messages to determine the winner of each blind
|
||||||
|
if (line.includes('Client got endPvP message')) {
|
||||||
|
if (currentGame.currentPvpBlind !== null) {
|
||||||
|
const lostMatch = line.match(/lost: (true|false)/)
|
||||||
|
if (lostMatch?.[1]) {
|
||||||
|
const lost = lostMatch[1].toLowerCase() === 'true'
|
||||||
|
const currentBlindIndex = currentGame.currentPvpBlind - 1
|
||||||
|
|
||||||
|
if (
|
||||||
|
currentBlindIndex >= 0 &&
|
||||||
|
currentBlindIndex < currentGame.pvpBlinds.length
|
||||||
|
) {
|
||||||
|
const currentBlind = currentGame.pvpBlinds[currentBlindIndex]
|
||||||
|
if (!currentBlind) {
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
// Set the winner
|
||||||
|
currentBlind.winner = lost ? 'opponent' : 'logOwner'
|
||||||
|
|
||||||
|
// Set the end timestamp
|
||||||
|
currentBlind.endTimestamp = timestamp
|
||||||
|
|
||||||
|
// Add event for blind end
|
||||||
|
currentGame.events.push({
|
||||||
|
timestamp,
|
||||||
|
text: `Ended Blind #${currentBlind.blindNumber} - ${lost ? 'You lost' : 'You won'} (Your score: ${currentBlind.logOwnerScore}, Opponent score: ${currentBlind.opponentScore})`,
|
||||||
|
type: 'event',
|
||||||
|
})
|
||||||
|
|
||||||
|
// Reset current blind
|
||||||
|
currentGame.currentPvpBlind = null
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
// --- Log Owner Actions/Events (Client sent ...) ---
|
// --- Log Owner Actions/Events (Client sent ...) ---
|
||||||
if (lineLower.includes('client sent')) {
|
if (lineLower.includes('client sent')) {
|
||||||
// Log owner gained/spent money directly
|
// Log owner gained/spent money directly
|
||||||
@@ -487,7 +556,6 @@ export default function LogParser() {
|
|||||||
const cardRaw = cardMatch?.[1]?.trim() ?? 'Unknown Card'
|
const cardRaw = cardMatch?.[1]?.trim() ?? 'Unknown Card'
|
||||||
const cardClean = cardRaw.replace(/^(c_mp_|j_mp_)/, '')
|
const cardClean = cardRaw.replace(/^(c_mp_|j_mp_)/, '')
|
||||||
const cost = costMatch?.[1] ? Number.parseInt(costMatch[1], 10) : 0
|
const cost = costMatch?.[1] ? Number.parseInt(costMatch[1], 10) : 0
|
||||||
console.log(cardRaw)
|
|
||||||
currentGame.events.push({
|
currentGame.events.push({
|
||||||
timestamp,
|
timestamp,
|
||||||
img: jokers[cardRaw]?.file,
|
img: jokers[cardRaw]?.file,
|
||||||
@@ -527,6 +595,52 @@ export default function LogParser() {
|
|||||||
type: 'action',
|
type: 'action',
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
} else if (lineLower.includes('playhand')) {
|
||||||
|
// Log owner played a hand
|
||||||
|
if (currentGame.currentPvpBlind !== null) {
|
||||||
|
const scoreMatch = line.match(/score:(\d+)/)
|
||||||
|
const handsLeftMatch = line.match(/handsLeft:(\d+)/)
|
||||||
|
|
||||||
|
if (scoreMatch?.[1]) {
|
||||||
|
const score = Number.parseInt(scoreMatch[1], 10)
|
||||||
|
const handsLeft = handsLeftMatch?.[1]
|
||||||
|
? Number.parseInt(handsLeftMatch[1], 10)
|
||||||
|
: 0
|
||||||
|
|
||||||
|
if (!Number.isNaN(score)) {
|
||||||
|
const currentBlindIndex = currentGame.currentPvpBlind - 1
|
||||||
|
if (
|
||||||
|
currentBlindIndex >= 0 &&
|
||||||
|
currentBlindIndex < currentGame.pvpBlinds.length
|
||||||
|
) {
|
||||||
|
const currentBlind =
|
||||||
|
currentGame.pvpBlinds[currentBlindIndex]
|
||||||
|
if (!currentBlind) {
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
// Update log owner score in current blind
|
||||||
|
currentBlind.logOwnerScore += score
|
||||||
|
|
||||||
|
// Add hand score
|
||||||
|
currentBlind.handScores.push({
|
||||||
|
timestamp,
|
||||||
|
score,
|
||||||
|
handsLeft,
|
||||||
|
isLogOwner: true,
|
||||||
|
})
|
||||||
|
|
||||||
|
// Add event for log owner score only if score > 0
|
||||||
|
if (score > 0) {
|
||||||
|
currentGame.events.push({
|
||||||
|
timestamp,
|
||||||
|
text: `Your score: ${score} (Hands left: ${handsLeft})`,
|
||||||
|
type: 'event',
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
} else if (lineLower.includes('setlocation')) {
|
} else if (lineLower.includes('setlocation')) {
|
||||||
// Log owner changed location
|
// Log owner changed location
|
||||||
const locMatch = line.match(/location:([a-zA-Z0-9_-]+)/)
|
const locMatch = line.match(/location:([a-zA-Z0-9_-]+)/)
|
||||||
@@ -538,6 +652,35 @@ export default function LogParser() {
|
|||||||
text: `Moved to ${formatLocation(locCode)}`,
|
text: `Moved to ${formatLocation(locCode)}`,
|
||||||
type: 'status',
|
type: 'status',
|
||||||
})
|
})
|
||||||
|
|
||||||
|
// Check if this is a blind location
|
||||||
|
if (locCode.startsWith('loc_playing-bl_')) {
|
||||||
|
// Extract blind name
|
||||||
|
const blindName = locCode.slice('loc_playing-bl_'.length)
|
||||||
|
|
||||||
|
// Increment blind counter
|
||||||
|
const blindNumber = currentGame.pvpBlinds.length + 1
|
||||||
|
|
||||||
|
// Create a new PVP blind
|
||||||
|
currentGame.pvpBlinds.push({
|
||||||
|
blindNumber,
|
||||||
|
startTimestamp: timestamp,
|
||||||
|
logOwnerScore: 0,
|
||||||
|
opponentScore: 0,
|
||||||
|
handScores: [],
|
||||||
|
winner: null,
|
||||||
|
})
|
||||||
|
|
||||||
|
// Set as current blind
|
||||||
|
currentGame.currentPvpBlind = blindNumber
|
||||||
|
|
||||||
|
// Add event for blind start
|
||||||
|
currentGame.events.push({
|
||||||
|
timestamp,
|
||||||
|
text: `Started ${formatLocation(locCode)} (Blind #${blindNumber})`,
|
||||||
|
type: 'event',
|
||||||
|
})
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -633,7 +776,11 @@ export default function LogParser() {
|
|||||||
key={`${game.id}-trigger`}
|
key={`${game.id}-trigger`}
|
||||||
value={`game-${game.id}-${game.logOwnerName || 'LogOwner'}-vs-${game.opponentName || 'Opponent'}`}
|
value={`game-${game.id}-${game.logOwnerName || 'LogOwner'}-vs-${game.opponentName || 'Opponent'}`}
|
||||||
>
|
>
|
||||||
Game {game.id} vs {game.winner === 'opponent' ? `${opponentLabel} 🏆` : opponentLabel}{game.winner === 'logOwner' ? ' 🏆' : ''}
|
Game {game.id} vs{' '}
|
||||||
|
{game.winner === 'opponent'
|
||||||
|
? `${opponentLabel} 🏆`
|
||||||
|
: opponentLabel}
|
||||||
|
{game.winner === 'logOwner' ? ' 🏆' : ''}
|
||||||
</TabsTrigger>
|
</TabsTrigger>
|
||||||
)
|
)
|
||||||
})}
|
})}
|
||||||
@@ -758,7 +905,6 @@ export default function LogParser() {
|
|||||||
<ScrollArea className='h-[90vh]'>
|
<ScrollArea className='h-[90vh]'>
|
||||||
<div className='space-y-2 pr-4'>
|
<div className='space-y-2 pr-4'>
|
||||||
{game.events.map((event, index) => {
|
{game.events.map((event, index) => {
|
||||||
console.log(event.img)
|
|
||||||
return (
|
return (
|
||||||
// biome-ignore lint/suspicious/noArrayIndexKey: simple list
|
// biome-ignore lint/suspicious/noArrayIndexKey: simple list
|
||||||
<Fragment key={index}>
|
<Fragment key={index}>
|
||||||
@@ -766,12 +912,14 @@ export default function LogParser() {
|
|||||||
// biome-ignore lint/suspicious/noArrayIndexKey: Simple list rendering
|
// biome-ignore lint/suspicious/noArrayIndexKey: Simple list rendering
|
||||||
key={index}
|
key={index}
|
||||||
className={`text-base ${getEventColor(event.type)} ${
|
className={`text-base ${getEventColor(event.type)} ${
|
||||||
event.text.includes('Opponent')
|
event.text.includes('Opponent')
|
||||||
? 'flex flex-row-reverse text-right'
|
? 'flex flex-row-reverse text-right'
|
||||||
: 'flex'
|
: 'flex'
|
||||||
}`}
|
}`}
|
||||||
>
|
>
|
||||||
<span className={`${event.text.includes('Opponent') ? 'ml-2' : 'mr-2'} font-mono`}>
|
<span
|
||||||
|
className={`${event.text.includes('Opponent') ? 'ml-2' : 'mr-2'} font-mono`}
|
||||||
|
>
|
||||||
{formatter.dateTime(event.timestamp, {
|
{formatter.dateTime(event.timestamp, {
|
||||||
timeStyle: 'medium',
|
timeStyle: 'medium',
|
||||||
})}
|
})}
|
||||||
@@ -779,7 +927,9 @@ export default function LogParser() {
|
|||||||
<span>{event.text}</span>
|
<span>{event.text}</span>
|
||||||
</div>
|
</div>
|
||||||
{event.img && (
|
{event.img && (
|
||||||
<div className={`${event.text.includes('Opponent') ? 'flex justify-end' : ''}`}>
|
<div
|
||||||
|
className={`${event.text.includes('Opponent') ? 'flex justify-end' : ''}`}
|
||||||
|
>
|
||||||
<OptimizedImage src={event.img} />
|
<OptimizedImage src={event.img} />
|
||||||
</div>
|
</div>
|
||||||
)}
|
)}
|
||||||
@@ -809,6 +959,14 @@ export default function LogParser() {
|
|||||||
/>
|
/>
|
||||||
</CardContent>
|
</CardContent>
|
||||||
</Card>
|
</Card>
|
||||||
|
{/* PVP Blinds Card */}
|
||||||
|
<PvpBlindsCard
|
||||||
|
game={game}
|
||||||
|
ownerLabel={ownerLabel}
|
||||||
|
opponentLabel={opponentLabel}
|
||||||
|
formatter={formatter}
|
||||||
|
/>
|
||||||
|
|
||||||
<Card>
|
<Card>
|
||||||
<CardHeader>
|
<CardHeader>
|
||||||
<CardTitle className='text-lg'>
|
<CardTitle className='text-lg'>
|
||||||
@@ -817,7 +975,10 @@ export default function LogParser() {
|
|||||||
</CardHeader>
|
</CardHeader>
|
||||||
<CardContent className='space-y-3 text-sm'>
|
<CardContent className='space-y-3 text-sm'>
|
||||||
<div>
|
<div>
|
||||||
<strong>{ownerLabel}{game.winner === 'logOwner' ? ' 🏆' : ''}:</strong>
|
<strong>
|
||||||
|
{ownerLabel}
|
||||||
|
{game.winner === 'logOwner' ? ' 🏆' : ''}:
|
||||||
|
</strong>
|
||||||
{game.logOwnerFinalJokers.length > 0 ? (
|
{game.logOwnerFinalJokers.length > 0 ? (
|
||||||
<ul className='mt-3 ml-4 flex list-inside gap-3'>
|
<ul className='mt-3 ml-4 flex list-inside gap-3'>
|
||||||
{game.logOwnerFinalJokers.map((joker, i) => {
|
{game.logOwnerFinalJokers.map((joker, i) => {
|
||||||
@@ -853,7 +1014,10 @@ export default function LogParser() {
|
|||||||
)}
|
)}
|
||||||
</div>
|
</div>
|
||||||
<div>
|
<div>
|
||||||
<strong>{opponentLabel}{game.winner === 'opponent' ? ' 🏆' : ''}:</strong>
|
<strong>
|
||||||
|
{opponentLabel}
|
||||||
|
{game.winner === 'opponent' ? ' 🏆' : ''}:
|
||||||
|
</strong>
|
||||||
{game.opponentFinalJokers.length > 0 ? (
|
{game.opponentFinalJokers.length > 0 ? (
|
||||||
<ul className='mt-3 ml-4 flex list-inside gap-3'>
|
<ul className='mt-3 ml-4 flex list-inside gap-3'>
|
||||||
{game.opponentFinalJokers.map((joker, i) => {
|
{game.opponentFinalJokers.map((joker, i) => {
|
||||||
@@ -978,10 +1142,12 @@ function ShopSpendingTable({
|
|||||||
<TableRow>
|
<TableRow>
|
||||||
<TableHead className='w-[60px] text-right font-mono'>Shop</TableHead>
|
<TableHead className='w-[60px] text-right font-mono'>Shop</TableHead>
|
||||||
<TableHead className='text-right font-mono'>
|
<TableHead className='text-right font-mono'>
|
||||||
{ownerLabel}{game.winner === 'logOwner' ? ' 🏆' : ''}
|
{ownerLabel}
|
||||||
|
{game.winner === 'logOwner' ? ' 🏆' : ''}
|
||||||
</TableHead>
|
</TableHead>
|
||||||
<TableHead className='text-right font-mono'>
|
<TableHead className='text-right font-mono'>
|
||||||
{opponentLabel}{game.winner === 'opponent' ? ' 🏆' : ''}
|
{opponentLabel}
|
||||||
|
{game.winner === 'opponent' ? ' 🏆' : ''}
|
||||||
</TableHead>
|
</TableHead>
|
||||||
</TableRow>
|
</TableRow>
|
||||||
</TableHeader>
|
</TableHeader>
|
||||||
@@ -1053,6 +1219,8 @@ function ShopSpendingTable({
|
|||||||
)
|
)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// PVP blinds components are now imported from the PvpBlindsCard component
|
||||||
|
|
||||||
// Helper to parse lobby options string (no changes needed)
|
// Helper to parse lobby options string (no changes needed)
|
||||||
function parseLobbyOptions(optionsStr: string): GameOptions {
|
function parseLobbyOptions(optionsStr: string): GameOptions {
|
||||||
const options: GameOptions = {}
|
const options: GameOptions = {}
|
||||||
@@ -1092,11 +1260,16 @@ function parseLobbyOptions(optionsStr: string): GameOptions {
|
|||||||
return options
|
return options
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// formatNumber function moved to PvpBlindsCard component
|
||||||
|
|
||||||
// Helper to format location codes (no changes needed)
|
// Helper to format location codes (no changes needed)
|
||||||
function formatLocation(locCode: string): string {
|
function formatLocation(locCode: string): string {
|
||||||
if (locCode === 'loc_shop') {
|
if (locCode === 'loc_shop') {
|
||||||
return 'Shop'
|
return 'Shop'
|
||||||
}
|
}
|
||||||
|
if (locCode === 'loc_playing-bl_mp_nemesis') {
|
||||||
|
return 'PvP Blind'
|
||||||
|
}
|
||||||
if (locCode.startsWith('loc_playing-')) {
|
if (locCode.startsWith('loc_playing-')) {
|
||||||
const subcode = locCode.slice('loc_playing-'.length)
|
const subcode = locCode.slice('loc_playing-'.length)
|
||||||
if (subcode.startsWith('bl_')) {
|
if (subcode.startsWith('bl_')) {
|
||||||
|
|||||||
Reference in New Issue
Block a user