Compare commits
8 Commits
dev-claude
...
dev
| Author | SHA1 | Date | |
|---|---|---|---|
| e495dc6070 | |||
| 3c876c4c3d | |||
| cfc65070ea | |||
| 0bf68d4e49 | |||
| e96c45739e | |||
| 39d85f2998 | |||
| e6cba75f9b | |||
| 6c3fca3530 |
@@ -1,6 +1,6 @@
|
|||||||
import { authedRequest, type AuthSession } from './authed-request'
|
import {authedRequest, type AuthSession} from './authed-request'
|
||||||
|
|
||||||
export interface RoomItem {
|
export interface Room {
|
||||||
room_id: string
|
room_id: string
|
||||||
name: string
|
name: string
|
||||||
game_type: string
|
game_type: string
|
||||||
@@ -20,7 +20,7 @@ export interface RoomItem {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export interface RoomListResult {
|
export interface RoomListResult {
|
||||||
items: RoomItem[]
|
items: Room[]
|
||||||
page: number
|
page: number
|
||||||
size: number
|
size: number
|
||||||
total: number
|
total: number
|
||||||
@@ -35,8 +35,8 @@ export async function createRoom(
|
|||||||
auth: AuthSession,
|
auth: AuthSession,
|
||||||
input: { name: string; gameType: string; totalRounds: number; maxPlayers: number },
|
input: { name: string; gameType: string; totalRounds: number; maxPlayers: number },
|
||||||
onAuthUpdated?: (next: AuthSession) => void,
|
onAuthUpdated?: (next: AuthSession) => void,
|
||||||
): Promise<RoomItem> {
|
): Promise<Room> {
|
||||||
return authedRequest<RoomItem>({
|
return authedRequest<Room>({
|
||||||
method: 'POST',
|
method: 'POST',
|
||||||
path: ROOM_CREATE_PATH,
|
path: ROOM_CREATE_PATH,
|
||||||
auth,
|
auth,
|
||||||
@@ -66,8 +66,8 @@ export async function joinRoom(
|
|||||||
auth: AuthSession,
|
auth: AuthSession,
|
||||||
input: { roomId: string },
|
input: { roomId: string },
|
||||||
onAuthUpdated?: (next: AuthSession) => void,
|
onAuthUpdated?: (next: AuthSession) => void,
|
||||||
): Promise<RoomItem> {
|
): Promise<Room> {
|
||||||
return authedRequest<RoomItem>({
|
return authedRequest<Room>({
|
||||||
method: 'POST',
|
method: 'POST',
|
||||||
path: ROOM_JOIN_PATH,
|
path: ROOM_JOIN_PATH,
|
||||||
auth,
|
auth,
|
||||||
|
|||||||
123
src/components/chengdu/ChengduBottomActions.vue
Normal file
123
src/components/chengdu/ChengduBottomActions.vue
Normal file
@@ -0,0 +1,123 @@
|
|||||||
|
<script setup lang="ts">
|
||||||
|
import type { ClaimOptionState } from '../../types/state'
|
||||||
|
import type { Tile } from '../../types/tile'
|
||||||
|
|
||||||
|
defineProps<{
|
||||||
|
showDingQueChooser: boolean
|
||||||
|
showReadyToggle: boolean
|
||||||
|
showStartGameButton: boolean
|
||||||
|
selectedDiscardTile: Tile | null
|
||||||
|
dingQuePending: boolean
|
||||||
|
canConfirmDiscard: boolean
|
||||||
|
discardPending: boolean
|
||||||
|
confirmDiscardLabel: string
|
||||||
|
readyTogglePending: boolean
|
||||||
|
myReadyState: boolean
|
||||||
|
canDrawTile: boolean
|
||||||
|
canStartGame: boolean
|
||||||
|
isRoomOwner: boolean
|
||||||
|
canSelfGang: boolean
|
||||||
|
canSelfHu: boolean
|
||||||
|
showClaimActions: boolean
|
||||||
|
turnActionPending: boolean
|
||||||
|
visibleClaimOptions: ClaimOptionState[]
|
||||||
|
claimActionPending: boolean
|
||||||
|
showWaitingOwnerTip: boolean
|
||||||
|
}>()
|
||||||
|
|
||||||
|
const emit = defineEmits<{
|
||||||
|
chooseDingQue: [suit: Tile['suit']]
|
||||||
|
confirmDiscard: []
|
||||||
|
toggleReadyState: []
|
||||||
|
drawTile: []
|
||||||
|
startGame: []
|
||||||
|
submitSelfGang: []
|
||||||
|
submitSelfHu: []
|
||||||
|
submitClaim: [action: ClaimOptionState]
|
||||||
|
}>()
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<div v-if="showWaitingOwnerTip" class="waiting-owner-tip">
|
||||||
|
<span>等待房主开始游戏</span>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="bottom-control-panel">
|
||||||
|
<div v-if="showDingQueChooser || showReadyToggle || showStartGameButton || selectedDiscardTile" class="bottom-action-bar">
|
||||||
|
<div v-if="showDingQueChooser" class="ding-que-bar">
|
||||||
|
<button class="ding-que-button" data-testid="ding-que-w" type="button" :disabled="dingQuePending" @click="emit('chooseDingQue', 'W')">万</button>
|
||||||
|
<button class="ding-que-button" data-testid="ding-que-t" type="button" :disabled="dingQuePending" @click="emit('chooseDingQue', 'T')">筒</button>
|
||||||
|
<button class="ding-que-button" data-testid="ding-que-b" type="button" :disabled="dingQuePending" @click="emit('chooseDingQue', 'B')">条</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<button
|
||||||
|
v-if="selectedDiscardTile"
|
||||||
|
class="ready-toggle ready-toggle-inline discard-confirm-button"
|
||||||
|
data-testid="confirm-discard"
|
||||||
|
type="button"
|
||||||
|
:disabled="!canConfirmDiscard || discardPending"
|
||||||
|
@click="emit('confirmDiscard')"
|
||||||
|
>
|
||||||
|
<span class="ready-toggle-label">{{ confirmDiscardLabel }}</span>
|
||||||
|
</button>
|
||||||
|
|
||||||
|
<button
|
||||||
|
v-if="showReadyToggle"
|
||||||
|
class="ready-toggle ready-toggle-inline"
|
||||||
|
data-testid="ready-toggle"
|
||||||
|
type="button"
|
||||||
|
:disabled="readyTogglePending"
|
||||||
|
@click="emit('toggleReadyState')"
|
||||||
|
>
|
||||||
|
<span class="ready-toggle-label">{{ myReadyState ? '取 消' : '准 备' }}</span>
|
||||||
|
</button>
|
||||||
|
|
||||||
|
<button v-if="canDrawTile" class="ready-toggle ready-toggle-inline" data-testid="draw-tile" type="button" @click="emit('drawTile')">
|
||||||
|
<span class="ready-toggle-label">摸牌</span>
|
||||||
|
</button>
|
||||||
|
|
||||||
|
<button
|
||||||
|
v-if="showStartGameButton && isRoomOwner"
|
||||||
|
class="ready-toggle ready-toggle-inline"
|
||||||
|
data-testid="start-game"
|
||||||
|
type="button"
|
||||||
|
:disabled="!canStartGame"
|
||||||
|
@click="emit('startGame')"
|
||||||
|
>
|
||||||
|
<span class="ready-toggle-label">开始游戏</span>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div v-if="canSelfGang" class="hand-action-bar">
|
||||||
|
<button class="hand-action-tile" data-testid="hand-gang" type="button" :disabled="turnActionPending" @click="emit('submitSelfGang')">
|
||||||
|
杠
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div v-if="canSelfHu || showClaimActions" class="claim-action-bar" data-testid="claim-action-bar">
|
||||||
|
<button
|
||||||
|
v-if="canSelfHu"
|
||||||
|
class="ready-toggle ready-toggle-inline"
|
||||||
|
data-testid="claim-self-hu"
|
||||||
|
type="button"
|
||||||
|
:disabled="turnActionPending"
|
||||||
|
@click="emit('submitSelfHu')"
|
||||||
|
>
|
||||||
|
<span class="ready-toggle-label">胡</span>
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
v-for="option in visibleClaimOptions"
|
||||||
|
:key="option"
|
||||||
|
class="ready-toggle ready-toggle-inline"
|
||||||
|
:data-testid="`claim-${option}`"
|
||||||
|
type="button"
|
||||||
|
:disabled="claimActionPending"
|
||||||
|
@click="emit('submitClaim', option)"
|
||||||
|
>
|
||||||
|
<span class="ready-toggle-label">
|
||||||
|
{{ option === 'peng' ? '碰' : option === 'gang' ? '杠' : option === 'hu' ? '胡' : '过' }}
|
||||||
|
</span>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
55
src/components/chengdu/ChengduDeskZones.vue
Normal file
55
src/components/chengdu/ChengduDeskZones.vue
Normal file
@@ -0,0 +1,55 @@
|
|||||||
|
<script setup lang="ts">
|
||||||
|
import type { SeatKey } from '../../game/seat'
|
||||||
|
import type { DeskSeatState } from '../../views/chengdu/types'
|
||||||
|
|
||||||
|
defineProps<{
|
||||||
|
deskSeats: Record<SeatKey, DeskSeatState>
|
||||||
|
}>()
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<div v-if="deskSeats.top.tiles.length > 0 || deskSeats.top.hasHu" class="desk-zone desk-zone-top">
|
||||||
|
<img
|
||||||
|
v-for="tile in deskSeats.top.tiles"
|
||||||
|
:key="tile.key"
|
||||||
|
class="desk-tile"
|
||||||
|
:class="{ 'is-group-start': tile.isGroupStart, 'is-covered': tile.imageType === 'covered' }"
|
||||||
|
:src="tile.src"
|
||||||
|
:alt="tile.alt"
|
||||||
|
/>
|
||||||
|
<span v-if="deskSeats.top.hasHu" class="desk-hu-flag">胡</span>
|
||||||
|
</div>
|
||||||
|
<div v-if="deskSeats.right.tiles.length > 0 || deskSeats.right.hasHu" class="desk-zone desk-zone-right">
|
||||||
|
<img
|
||||||
|
v-for="tile in deskSeats.right.tiles"
|
||||||
|
:key="tile.key"
|
||||||
|
class="desk-tile"
|
||||||
|
:class="{ 'is-group-start': tile.isGroupStart, 'is-covered': tile.imageType === 'covered' }"
|
||||||
|
:src="tile.src"
|
||||||
|
:alt="tile.alt"
|
||||||
|
/>
|
||||||
|
<span v-if="deskSeats.right.hasHu" class="desk-hu-flag">胡</span>
|
||||||
|
</div>
|
||||||
|
<div v-if="deskSeats.bottom.tiles.length > 0 || deskSeats.bottom.hasHu" class="desk-zone desk-zone-bottom">
|
||||||
|
<img
|
||||||
|
v-for="tile in deskSeats.bottom.tiles"
|
||||||
|
:key="tile.key"
|
||||||
|
class="desk-tile"
|
||||||
|
:class="{ 'is-group-start': tile.isGroupStart, 'is-covered': tile.imageType === 'covered' }"
|
||||||
|
:src="tile.src"
|
||||||
|
:alt="tile.alt"
|
||||||
|
/>
|
||||||
|
<span v-if="deskSeats.bottom.hasHu" class="desk-hu-flag">胡</span>
|
||||||
|
</div>
|
||||||
|
<div v-if="deskSeats.left.tiles.length > 0 || deskSeats.left.hasHu" class="desk-zone desk-zone-left">
|
||||||
|
<img
|
||||||
|
v-for="tile in deskSeats.left.tiles"
|
||||||
|
:key="tile.key"
|
||||||
|
class="desk-tile"
|
||||||
|
:class="{ 'is-group-start': tile.isGroupStart, 'is-covered': tile.imageType === 'covered' }"
|
||||||
|
:src="tile.src"
|
||||||
|
:alt="tile.alt"
|
||||||
|
/>
|
||||||
|
<span v-if="deskSeats.left.hasHu" class="desk-hu-flag">胡</span>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
120
src/components/chengdu/ChengduSettlementOverlay.vue
Normal file
120
src/components/chengdu/ChengduSettlementOverlay.vue
Normal file
@@ -0,0 +1,120 @@
|
|||||||
|
<script setup lang="ts">
|
||||||
|
import { computed } from 'vue'
|
||||||
|
|
||||||
|
const props = defineProps<{
|
||||||
|
show: boolean
|
||||||
|
isLastRound: boolean
|
||||||
|
currentRound: number
|
||||||
|
totalRounds: number
|
||||||
|
settlementPlayers: Array<{
|
||||||
|
playerId: string
|
||||||
|
displayName: string
|
||||||
|
score: number
|
||||||
|
isWinner: boolean
|
||||||
|
seatIndex: number
|
||||||
|
isReady: boolean
|
||||||
|
}>
|
||||||
|
loggedInUserId: string
|
||||||
|
isRoomOwner: boolean
|
||||||
|
selfIsReady: boolean
|
||||||
|
readyTogglePending: boolean
|
||||||
|
startNextRoundPending: boolean
|
||||||
|
leaveRoomPending: boolean
|
||||||
|
settlementCountdown: number | null
|
||||||
|
}>()
|
||||||
|
|
||||||
|
const emit = defineEmits<{
|
||||||
|
ready: []
|
||||||
|
startNextRound: []
|
||||||
|
exit: []
|
||||||
|
backHall: []
|
||||||
|
}>()
|
||||||
|
|
||||||
|
const allPlayersReady = computed(() =>
|
||||||
|
props.settlementPlayers.length > 0 && props.settlementPlayers.every((p) => p.isReady),
|
||||||
|
)
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<div v-if="show" class="settlement-overlay">
|
||||||
|
<div class="settlement-panel">
|
||||||
|
<h2 class="settlement-title">
|
||||||
|
{{ isLastRound ? '最终结算' : `第 ${currentRound} 局结算` }}
|
||||||
|
</h2>
|
||||||
|
<p v-if="totalRounds > 0" class="settlement-round-info">{{ currentRound }} / {{ totalRounds }} 局</p>
|
||||||
|
<div class="settlement-list">
|
||||||
|
<div
|
||||||
|
v-for="(item, index) in settlementPlayers"
|
||||||
|
:key="item.playerId"
|
||||||
|
class="settlement-row"
|
||||||
|
:class="{ 'is-winner': item.isWinner, 'is-self': item.playerId === loggedInUserId }"
|
||||||
|
>
|
||||||
|
<span class="settlement-rank">{{ index + 1 }}</span>
|
||||||
|
<span class="settlement-name">
|
||||||
|
{{ item.displayName }}
|
||||||
|
<span v-if="item.isWinner" class="settlement-winner-badge">胡</span>
|
||||||
|
</span>
|
||||||
|
<span class="settlement-score" :class="{ 'is-positive': item.score > 0, 'is-negative': item.score < 0 }">
|
||||||
|
{{ item.score > 0 ? '+' : '' }}{{ item.score }}
|
||||||
|
</span>
|
||||||
|
<span class="settlement-ready-badge" :class="{ 'is-ready': item.isReady }">
|
||||||
|
{{ item.isReady ? '已准备' : '等待...' }}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="settlement-actions">
|
||||||
|
<!-- 非末局:准备按钮 + 房主开始游戏按钮 -->
|
||||||
|
<template v-if="!isLastRound">
|
||||||
|
<button
|
||||||
|
class="ready-toggle ready-toggle-inline settlement-btn"
|
||||||
|
:class="{ 'is-ready': selfIsReady }"
|
||||||
|
type="button"
|
||||||
|
:disabled="selfIsReady || readyTogglePending"
|
||||||
|
@click="emit('ready')"
|
||||||
|
>
|
||||||
|
<span class="ready-toggle-label">
|
||||||
|
{{
|
||||||
|
readyTogglePending
|
||||||
|
? '请求中...'
|
||||||
|
: selfIsReady
|
||||||
|
? '已准备'
|
||||||
|
: '准备'
|
||||||
|
}}
|
||||||
|
</span>
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
v-if="isRoomOwner"
|
||||||
|
class="ready-toggle ready-toggle-inline settlement-btn"
|
||||||
|
type="button"
|
||||||
|
:disabled="!allPlayersReady || startNextRoundPending"
|
||||||
|
@click="emit('startNextRound')"
|
||||||
|
>
|
||||||
|
<span class="ready-toggle-label">
|
||||||
|
{{
|
||||||
|
startNextRoundPending
|
||||||
|
? '开始中...'
|
||||||
|
: allPlayersReady
|
||||||
|
? '开始游戏'
|
||||||
|
: `开始游戏 (${settlementPlayers.filter((p) => p.isReady).length}/${settlementPlayers.length})`
|
||||||
|
}}
|
||||||
|
</span>
|
||||||
|
</button>
|
||||||
|
<p v-else-if="allPlayersReady" class="settlement-waiting-owner">等待房主开始...</p>
|
||||||
|
</template>
|
||||||
|
<!-- 末局:返回大厅 -->
|
||||||
|
<button v-else class="ready-toggle ready-toggle-inline settlement-btn" type="button" @click="emit('backHall')">
|
||||||
|
<span class="ready-toggle-label">返回大厅</span>
|
||||||
|
</button>
|
||||||
|
<!-- 退出按钮(始终显示) -->
|
||||||
|
<button
|
||||||
|
class="ready-toggle ready-toggle-inline settlement-btn settlement-btn-exit"
|
||||||
|
type="button"
|
||||||
|
:disabled="leaveRoomPending"
|
||||||
|
@click="emit('exit')"
|
||||||
|
>
|
||||||
|
<span class="ready-toggle-label">{{ leaveRoomPending ? '退出中...' : '退出' }}</span>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
112
src/components/chengdu/ChengduTableHeader.vue
Normal file
112
src/components/chengdu/ChengduTableHeader.vue
Normal file
@@ -0,0 +1,112 @@
|
|||||||
|
<script setup lang="ts">
|
||||||
|
import type { ActionCountdownView } from '../../views/chengdu/types'
|
||||||
|
|
||||||
|
defineProps<{
|
||||||
|
leaveRoomPending: boolean
|
||||||
|
menuOpen: boolean
|
||||||
|
menuTriggerActive: boolean
|
||||||
|
isTrustMode: boolean
|
||||||
|
wallCount: number
|
||||||
|
networkLabel: string
|
||||||
|
wsStatus: string
|
||||||
|
formattedClock: string
|
||||||
|
roomName: string
|
||||||
|
currentPhaseText: string
|
||||||
|
playerCount: number
|
||||||
|
maxPlayers: number
|
||||||
|
roundText: string
|
||||||
|
roomStatusText: string
|
||||||
|
wsError: string
|
||||||
|
actionCountdown: ActionCountdownView | null
|
||||||
|
}>()
|
||||||
|
|
||||||
|
const emit = defineEmits<{
|
||||||
|
toggleMenu: []
|
||||||
|
toggleTrustMode: []
|
||||||
|
leaveRoom: []
|
||||||
|
}>()
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<div class="top-left-tools">
|
||||||
|
<div class="menu-trigger-wrap">
|
||||||
|
<button
|
||||||
|
class="metal-circle menu-trigger"
|
||||||
|
:class="{ 'is-feedback': menuTriggerActive }"
|
||||||
|
type="button"
|
||||||
|
:disabled="leaveRoomPending"
|
||||||
|
@click.stop="emit('toggleMenu')"
|
||||||
|
>
|
||||||
|
<span class="menu-trigger-icon">☰</span>
|
||||||
|
</button>
|
||||||
|
<transition name="menu-pop">
|
||||||
|
<div v-if="menuOpen" class="menu-popover" @click.stop>
|
||||||
|
<div class="menu-list">
|
||||||
|
<button class="menu-item menu-item-delay-1" type="button" @click="emit('toggleTrustMode')">
|
||||||
|
<slot name="robot-icon" />
|
||||||
|
<span>{{ isTrustMode ? '取消托管' : '托管' }}</span>
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
class="menu-item menu-item-danger menu-item-delay-2"
|
||||||
|
type="button"
|
||||||
|
:disabled="leaveRoomPending"
|
||||||
|
@click="emit('leaveRoom')"
|
||||||
|
>
|
||||||
|
<slot name="exit-icon" />
|
||||||
|
<span>{{ leaveRoomPending ? '退出中...' : '退出' }}</span>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</transition>
|
||||||
|
</div>
|
||||||
|
<div class="left-counter">
|
||||||
|
<span class="counter-light"></span>
|
||||||
|
<strong>{{ wallCount }}</strong>
|
||||||
|
</div>
|
||||||
|
<span v-if="isTrustMode" class="trust-chip">托管中</span>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="top-right-clock">
|
||||||
|
<div class="signal-chip">
|
||||||
|
<span class="wifi-dot" :class="`is-${wsStatus}`"></span>
|
||||||
|
<strong>{{ networkLabel }}</strong>
|
||||||
|
</div>
|
||||||
|
<span>{{ formattedClock }}</span>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="room-status-panel">
|
||||||
|
<div class="room-status-grid">
|
||||||
|
<div class="room-status-item">
|
||||||
|
<span>房间</span>
|
||||||
|
<strong>{{ roomName || '未命名' }}</strong>
|
||||||
|
</div>
|
||||||
|
<div class="room-status-item">
|
||||||
|
<span>阶段</span>
|
||||||
|
<strong>{{ currentPhaseText }}</strong>
|
||||||
|
</div>
|
||||||
|
<div class="room-status-item">
|
||||||
|
<span>人数</span>
|
||||||
|
<strong>{{ playerCount }}/{{ maxPlayers }}</strong>
|
||||||
|
</div>
|
||||||
|
<div v-if="roundText" class="room-status-item">
|
||||||
|
<span>局数</span>
|
||||||
|
<strong>{{ roundText }}</strong>
|
||||||
|
</div>
|
||||||
|
<div class="room-status-item">
|
||||||
|
<span>状态</span>
|
||||||
|
<strong>{{ roomStatusText }}</strong>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<p v-if="wsError" class="room-status-error">{{ wsError }}</p>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div v-if="actionCountdown" class="action-countdown" :class="{ 'is-self': actionCountdown.isSelf }">
|
||||||
|
<div class="action-countdown-head">
|
||||||
|
<span>{{ actionCountdown.playerLabel }}操作倒计时</span>
|
||||||
|
<strong>{{ actionCountdown.remaining }}s</strong>
|
||||||
|
</div>
|
||||||
|
<div class="action-countdown-track">
|
||||||
|
<span class="action-countdown-fill" :style="{ width: `${actionCountdown.progress}%` }"></span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
90
src/components/chengdu/ChengduWallSeats.vue
Normal file
90
src/components/chengdu/ChengduWallSeats.vue
Normal file
@@ -0,0 +1,90 @@
|
|||||||
|
<script setup lang="ts">
|
||||||
|
import type { SeatKey } from '../../game/seat'
|
||||||
|
import type { Tile } from '../../types/tile'
|
||||||
|
import type { WallSeatState } from '../../views/chengdu/types'
|
||||||
|
|
||||||
|
defineProps<{
|
||||||
|
wallSeats: Record<SeatKey, WallSeatState>
|
||||||
|
selectedDiscardTileId: number | null
|
||||||
|
discardBlockedReason: string
|
||||||
|
discardTileBlockedReason: (tile: Tile) => string
|
||||||
|
formatTile: (tile: Tile) => string
|
||||||
|
}>()
|
||||||
|
|
||||||
|
const emit = defineEmits<{
|
||||||
|
selectDiscardTile: [tile: Tile]
|
||||||
|
}>()
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<template>
|
||||||
|
<div v-if="wallSeats.top.tiles.length > 0" class="wall wall-top wall-live">
|
||||||
|
<img
|
||||||
|
v-for="(tile, index) in wallSeats.top.tiles"
|
||||||
|
:key="tile.key"
|
||||||
|
class="wall-live-tile"
|
||||||
|
:class="{
|
||||||
|
'is-group-start': index > 0 && tile.suit && wallSeats.top.tiles[index - 1]?.suit !== tile.suit,
|
||||||
|
'is-exposed': tile.imageType !== 'hand',
|
||||||
|
}"
|
||||||
|
:src="tile.src"
|
||||||
|
:alt="tile.alt"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div v-if="wallSeats.right.tiles.length > 0" class="wall wall-right wall-live">
|
||||||
|
<img
|
||||||
|
v-for="(tile, index) in wallSeats.right.tiles"
|
||||||
|
:key="tile.key"
|
||||||
|
class="wall-live-tile"
|
||||||
|
:class="{
|
||||||
|
'is-group-start': index > 0 && tile.suit && wallSeats.right.tiles[index - 1]?.suit !== tile.suit,
|
||||||
|
'is-exposed': tile.imageType !== 'hand',
|
||||||
|
}"
|
||||||
|
:src="tile.src"
|
||||||
|
:alt="tile.alt"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div v-if="wallSeats.bottom.tiles.length > 0" class="wall wall-bottom wall-live">
|
||||||
|
<template v-for="(tile, index) in wallSeats.bottom.tiles" :key="tile.key">
|
||||||
|
<button
|
||||||
|
v-if="tile.tile && tile.imageType === 'hand'"
|
||||||
|
class="wall-live-tile-button"
|
||||||
|
:class="{
|
||||||
|
'is-group-start': index > 0 && tile.suit && wallSeats.bottom.tiles[index - 1]?.suit !== tile.suit,
|
||||||
|
'is-lack-tagged': tile.showLackTag,
|
||||||
|
'is-selected': selectedDiscardTileId === tile.tile.id,
|
||||||
|
}"
|
||||||
|
:data-testid="`hand-tile-${tile.tile.id}`"
|
||||||
|
type="button"
|
||||||
|
:disabled="Boolean(discardBlockedReason)"
|
||||||
|
:title="discardTileBlockedReason(tile.tile) || formatTile(tile.tile)"
|
||||||
|
@click="emit('selectDiscardTile', tile.tile)"
|
||||||
|
>
|
||||||
|
<span v-if="tile.showLackTag" class="wall-live-tile-lack-tag">缺</span>
|
||||||
|
<img class="wall-live-tile" :src="tile.src" :alt="tile.alt" />
|
||||||
|
</button>
|
||||||
|
<img
|
||||||
|
v-else
|
||||||
|
class="wall-live-tile"
|
||||||
|
:class="{
|
||||||
|
'is-group-start': index > 0 && tile.suit && wallSeats.bottom.tiles[index - 1]?.suit !== tile.suit,
|
||||||
|
'is-exposed': tile.imageType !== 'hand',
|
||||||
|
}"
|
||||||
|
:src="tile.src"
|
||||||
|
:alt="tile.alt"
|
||||||
|
/>
|
||||||
|
</template>
|
||||||
|
</div>
|
||||||
|
<div v-if="wallSeats.left.tiles.length > 0" class="wall wall-left wall-live">
|
||||||
|
<img
|
||||||
|
v-for="(tile, index) in wallSeats.left.tiles"
|
||||||
|
:key="tile.key"
|
||||||
|
class="wall-live-tile"
|
||||||
|
:class="{
|
||||||
|
'is-group-start': index > 0 && tile.suit && wallSeats.left.tiles[index - 1]?.suit !== tile.suit,
|
||||||
|
'is-exposed': tile.imageType !== 'hand',
|
||||||
|
}"
|
||||||
|
:src="tile.src"
|
||||||
|
:alt="tile.alt"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
@@ -17,6 +17,7 @@ export interface RoomPlayerUpdatePayload {
|
|||||||
avatar_url?: string
|
avatar_url?: string
|
||||||
Ready?: boolean
|
Ready?: boolean
|
||||||
ready?: boolean
|
ready?: boolean
|
||||||
|
is_ready?: boolean
|
||||||
MissingSuit?: string | null
|
MissingSuit?: string | null
|
||||||
missing_suit?: string | null
|
missing_suit?: string | null
|
||||||
}>
|
}>
|
||||||
@@ -29,6 +30,22 @@ export interface RoomTrusteePayload {
|
|||||||
reason?: string
|
reason?: string
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export interface DiscardActionPayload {
|
||||||
|
player_id?: string
|
||||||
|
playerId?: string
|
||||||
|
PlayerID?: string
|
||||||
|
tile?: Tile
|
||||||
|
next_seat?: number
|
||||||
|
nextSeat?: number
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface DrawActionPayload {
|
||||||
|
player_id?: string
|
||||||
|
playerId?: string
|
||||||
|
PlayerID?: string
|
||||||
|
tile?: Tile
|
||||||
|
}
|
||||||
|
|
||||||
export interface PlayerTurnPayload {
|
export interface PlayerTurnPayload {
|
||||||
player_id?: string
|
player_id?: string
|
||||||
playerId?: string
|
playerId?: string
|
||||||
@@ -41,6 +58,9 @@ export interface PlayerTurnPayload {
|
|||||||
allow_actions?: string[]
|
allow_actions?: string[]
|
||||||
allowActions?: string[]
|
allowActions?: string[]
|
||||||
AllowActions?: string[]
|
AllowActions?: string[]
|
||||||
|
available_actions?: string[]
|
||||||
|
availableActions?: string[]
|
||||||
|
AvailableActions?: string[]
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
@@ -65,20 +85,13 @@ export type GameAction =
|
|||||||
// 摸牌
|
// 摸牌
|
||||||
| {
|
| {
|
||||||
type: 'DRAW_TILE'
|
type: 'DRAW_TILE'
|
||||||
payload: {
|
payload: DrawActionPayload
|
||||||
playerId: string
|
|
||||||
tile: Tile
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
// 出牌
|
// 出牌
|
||||||
| {
|
| {
|
||||||
type: 'PLAY_TILE'
|
type: 'PLAY_TILE'
|
||||||
payload: {
|
payload: DiscardActionPayload
|
||||||
playerId: string
|
|
||||||
tile: Tile
|
|
||||||
nextSeat: number
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
// 进入操作窗口(碰/杠/胡)
|
// 进入操作窗口(碰/杠/胡)
|
||||||
|
|||||||
283
src/game/chengdu/messageNormalizers.ts
Normal file
283
src/game/chengdu/messageNormalizers.ts
Normal file
@@ -0,0 +1,283 @@
|
|||||||
|
import type {
|
||||||
|
ClaimOptionState,
|
||||||
|
MeldState,
|
||||||
|
PendingClaimState,
|
||||||
|
PlayerState,
|
||||||
|
Tile,
|
||||||
|
} from '../../types/state'
|
||||||
|
|
||||||
|
export function normalizeWsType(type: string): string {
|
||||||
|
return type.replace(/[-\s]/g, '_').toUpperCase()
|
||||||
|
}
|
||||||
|
|
||||||
|
export function asRecord(value: unknown): Record<string, unknown> | null {
|
||||||
|
return value && typeof value === 'object' ? (value as Record<string, unknown>) : null
|
||||||
|
}
|
||||||
|
|
||||||
|
export function readString(source: Record<string, unknown>, ...keys: string[]): string {
|
||||||
|
for (const key of keys) {
|
||||||
|
const value = source[key]
|
||||||
|
if (typeof value === 'string' && value.trim()) {
|
||||||
|
return value
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return ''
|
||||||
|
}
|
||||||
|
|
||||||
|
export function readNumber(source: Record<string, unknown>, ...keys: string[]): number | null {
|
||||||
|
for (const key of keys) {
|
||||||
|
const value = source[key]
|
||||||
|
if (typeof value === 'number' && Number.isFinite(value)) {
|
||||||
|
return value
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
export function normalizeTimestampMs(value: number | null): number | null {
|
||||||
|
if (typeof value !== 'number' || !Number.isFinite(value) || value <= 0) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
return value >= 1_000_000_000_000 ? value : value * 1000
|
||||||
|
}
|
||||||
|
|
||||||
|
export function readStringArray(source: Record<string, unknown>, ...keys: string[]): string[] {
|
||||||
|
for (const key of keys) {
|
||||||
|
const value = source[key]
|
||||||
|
if (Array.isArray(value)) {
|
||||||
|
return value.filter((item): item is string => typeof item === 'string')
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return []
|
||||||
|
}
|
||||||
|
|
||||||
|
export function readBoolean(source: Record<string, unknown>, ...keys: string[]): boolean | null {
|
||||||
|
for (const key of keys) {
|
||||||
|
const value = source[key]
|
||||||
|
if (typeof value === 'boolean') {
|
||||||
|
return value
|
||||||
|
}
|
||||||
|
if (typeof value === 'number') {
|
||||||
|
if (value === 1) {
|
||||||
|
return true
|
||||||
|
}
|
||||||
|
if (value === 0) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if (typeof value === 'string') {
|
||||||
|
const normalized = value.trim().toLowerCase()
|
||||||
|
if (normalized === 'true' || normalized === '1') {
|
||||||
|
return true
|
||||||
|
}
|
||||||
|
if (normalized === 'false' || normalized === '0') {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
export function readMissingSuit(source: Record<string, unknown> | null | undefined): string | null {
|
||||||
|
if (!source) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
return readString(source, 'missing_suit', 'MissingSuit', 'ding_que', 'dingQue', 'suit', 'Suit') || null
|
||||||
|
}
|
||||||
|
|
||||||
|
export function readMissingSuitWithPresence(
|
||||||
|
source: Record<string, unknown> | null | undefined,
|
||||||
|
): { present: boolean; value: string | null } {
|
||||||
|
if (!source) {
|
||||||
|
return { present: false, value: null }
|
||||||
|
}
|
||||||
|
|
||||||
|
const keys = ['missing_suit', 'MissingSuit', 'ding_que', 'dingQue', 'suit', 'Suit']
|
||||||
|
const hasMissingSuitField = keys.some((key) => Object.prototype.hasOwnProperty.call(source, key))
|
||||||
|
if (!hasMissingSuitField) {
|
||||||
|
return { present: false, value: null }
|
||||||
|
}
|
||||||
|
|
||||||
|
return { present: true, value: readMissingSuit(source) }
|
||||||
|
}
|
||||||
|
|
||||||
|
export function tileToText(tile: Tile): string {
|
||||||
|
return `${tile.suit}${tile.value}`
|
||||||
|
}
|
||||||
|
|
||||||
|
export function readPlayerTurnPlayerId(payload: Record<string, unknown>): string {
|
||||||
|
return (
|
||||||
|
(typeof payload.player_id === 'string' && payload.player_id) ||
|
||||||
|
(typeof payload.playerId === 'string' && payload.playerId) ||
|
||||||
|
(typeof payload.PlayerID === 'string' && payload.PlayerID) ||
|
||||||
|
''
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
export function readPlayerTurnAllowActions(payload: Record<string, unknown>): string[] {
|
||||||
|
const source =
|
||||||
|
payload.allow_actions ??
|
||||||
|
payload.allowActions ??
|
||||||
|
payload.AllowActions ??
|
||||||
|
payload.available_actions ??
|
||||||
|
payload.availableActions ??
|
||||||
|
payload.AvailableActions
|
||||||
|
if (!Array.isArray(source)) {
|
||||||
|
return []
|
||||||
|
}
|
||||||
|
|
||||||
|
const actions = source
|
||||||
|
.filter((item): item is string => typeof item === 'string')
|
||||||
|
.map((item) => item.trim().toLowerCase())
|
||||||
|
.filter((item) => item.length > 0)
|
||||||
|
return Array.from(new Set(actions))
|
||||||
|
}
|
||||||
|
|
||||||
|
export function normalizeTile(tile: unknown): Tile | null {
|
||||||
|
const source = asRecord(tile)
|
||||||
|
if (!source) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
const id = readNumber(source, 'id')
|
||||||
|
const suit = readString(source, 'suit') as Tile['suit'] | ''
|
||||||
|
const value = readNumber(source, 'value')
|
||||||
|
if (typeof id !== 'number' || !suit || typeof value !== 'number') {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
if (suit !== 'W' && suit !== 'T' && suit !== 'B') {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
return { id, suit, value }
|
||||||
|
}
|
||||||
|
|
||||||
|
export function normalizeTiles(value: unknown): Tile[] {
|
||||||
|
if (!Array.isArray(value)) {
|
||||||
|
return []
|
||||||
|
}
|
||||||
|
|
||||||
|
return value.map((item) => normalizeTile(item)).filter((item): item is Tile => Boolean(item))
|
||||||
|
}
|
||||||
|
|
||||||
|
export function normalizePendingClaim(
|
||||||
|
gameState: Record<string, unknown> | null | undefined,
|
||||||
|
loggedInUserId: string,
|
||||||
|
): PendingClaimState | undefined {
|
||||||
|
if (!gameState || !loggedInUserId) {
|
||||||
|
return undefined
|
||||||
|
}
|
||||||
|
|
||||||
|
const pendingClaim = asRecord(gameState.pending_claim ?? gameState.pendingClaim)
|
||||||
|
if (!pendingClaim) {
|
||||||
|
return undefined
|
||||||
|
}
|
||||||
|
|
||||||
|
const selfOptions = asRecord(pendingClaim[loggedInUserId])
|
||||||
|
if (!selfOptions) {
|
||||||
|
return undefined
|
||||||
|
}
|
||||||
|
|
||||||
|
const options: ClaimOptionState[] = []
|
||||||
|
if (readBoolean(selfOptions, 'hu')) {
|
||||||
|
options.push('hu')
|
||||||
|
}
|
||||||
|
if (readBoolean(selfOptions, 'gang')) {
|
||||||
|
options.push('gang')
|
||||||
|
}
|
||||||
|
if (readBoolean(selfOptions, 'peng')) {
|
||||||
|
options.push('peng')
|
||||||
|
}
|
||||||
|
if (options.length === 0) {
|
||||||
|
return undefined
|
||||||
|
}
|
||||||
|
|
||||||
|
options.push('pass')
|
||||||
|
|
||||||
|
return {
|
||||||
|
tile: normalizeTile(gameState.last_discard_tile ?? gameState.lastDiscardTile) ?? undefined,
|
||||||
|
fromPlayerId: readString(gameState, 'last_discard_by', 'lastDiscardBy') || undefined,
|
||||||
|
options,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function normalizeMeldType(value: unknown, concealed = false): MeldState['type'] | null {
|
||||||
|
if (typeof value !== 'string') {
|
||||||
|
return concealed ? 'an_gang' : null
|
||||||
|
}
|
||||||
|
|
||||||
|
const normalized = value.replace(/[-\s]/g, '_').toLowerCase()
|
||||||
|
if (normalized === 'peng') {
|
||||||
|
return 'peng'
|
||||||
|
}
|
||||||
|
if (normalized === 'ming_gang' || normalized === 'gang' || normalized === 'gang_open') {
|
||||||
|
return concealed ? 'an_gang' : 'ming_gang'
|
||||||
|
}
|
||||||
|
if (normalized === 'an_gang' || normalized === 'angang' || normalized === 'concealed_gang') {
|
||||||
|
return 'an_gang'
|
||||||
|
}
|
||||||
|
|
||||||
|
return concealed ? 'an_gang' : null
|
||||||
|
}
|
||||||
|
|
||||||
|
export function normalizeMelds(value: unknown): PlayerState['melds'] {
|
||||||
|
if (!Array.isArray(value)) {
|
||||||
|
return []
|
||||||
|
}
|
||||||
|
|
||||||
|
return value
|
||||||
|
.map((item) => {
|
||||||
|
if (Array.isArray(item)) {
|
||||||
|
const tiles = normalizeTiles(item)
|
||||||
|
if (tiles.length === 3) {
|
||||||
|
return { type: 'peng', tiles, fromPlayerId: '' } satisfies MeldState
|
||||||
|
}
|
||||||
|
if (tiles.length === 4) {
|
||||||
|
return { type: 'ming_gang', tiles, fromPlayerId: '' } satisfies MeldState
|
||||||
|
}
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
const source = asRecord(item)
|
||||||
|
if (!source) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
const tiles = normalizeTiles(
|
||||||
|
source.tiles ??
|
||||||
|
source.meld_tiles ??
|
||||||
|
source.meldTiles ??
|
||||||
|
source.cards ??
|
||||||
|
source.card_list,
|
||||||
|
)
|
||||||
|
if (tiles.length === 0) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
const concealed =
|
||||||
|
readBoolean(source, 'concealed', 'is_concealed', 'isConcealed', 'hidden', 'is_hidden') ?? false
|
||||||
|
const explicitType = normalizeMeldType(
|
||||||
|
source.type ?? source.meld_type ?? source.meldType ?? source.kind,
|
||||||
|
concealed,
|
||||||
|
)
|
||||||
|
const type =
|
||||||
|
explicitType ??
|
||||||
|
(tiles.length === 4 ? (concealed ? 'an_gang' : 'ming_gang') : tiles.length === 3 ? 'peng' : null)
|
||||||
|
|
||||||
|
if (type === 'peng' || type === 'ming_gang') {
|
||||||
|
return {
|
||||||
|
type,
|
||||||
|
tiles,
|
||||||
|
fromPlayerId: readString(source, 'from_player_id', 'fromPlayerId'),
|
||||||
|
} satisfies MeldState
|
||||||
|
}
|
||||||
|
|
||||||
|
if (type === 'an_gang') {
|
||||||
|
return { type, tiles } satisfies MeldState
|
||||||
|
}
|
||||||
|
|
||||||
|
return null
|
||||||
|
})
|
||||||
|
.filter((item): item is MeldState => Boolean(item))
|
||||||
|
}
|
||||||
@@ -70,13 +70,21 @@ export const useGameStore = defineStore('game', {
|
|||||||
},
|
},
|
||||||
|
|
||||||
// 摸牌
|
// 摸牌
|
||||||
onDrawTile(data: { playerId: string; tile: Tile }) {
|
onDrawTile(data: { playerId?: string; player_id?: string; PlayerID?: string; tile?: Tile }) {
|
||||||
const player = this.players[data.playerId]
|
const playerId =
|
||||||
|
(typeof data.playerId === 'string' && data.playerId) ||
|
||||||
|
(typeof data.player_id === 'string' && data.player_id) ||
|
||||||
|
(typeof data.PlayerID === 'string' && data.PlayerID) ||
|
||||||
|
''
|
||||||
|
const tile = data.tile
|
||||||
|
if (!playerId || !tile) return
|
||||||
|
|
||||||
|
const player = this.players[playerId]
|
||||||
if (!player) return
|
if (!player) return
|
||||||
|
|
||||||
// 只更新自己的手牌
|
// 只更新自己的手牌
|
||||||
if (player.playerId === this.getMyPlayerId()) {
|
if (player.playerId === this.getMyPlayerId()) {
|
||||||
player.handTiles.push(data.tile)
|
player.handTiles.push(tile)
|
||||||
}
|
}
|
||||||
player.handCount += 1
|
player.handCount += 1
|
||||||
|
|
||||||
@@ -97,17 +105,28 @@ export const useGameStore = defineStore('game', {
|
|||||||
|
|
||||||
// 出牌
|
// 出牌
|
||||||
onPlayTile(data: {
|
onPlayTile(data: {
|
||||||
playerId: string
|
playerId?: string
|
||||||
tile: Tile
|
player_id?: string
|
||||||
nextSeat: number
|
PlayerID?: string
|
||||||
|
tile?: Tile
|
||||||
|
nextSeat?: number
|
||||||
|
next_seat?: number
|
||||||
}) {
|
}) {
|
||||||
const player = this.players[data.playerId]
|
const playerId =
|
||||||
|
(typeof data.playerId === 'string' && data.playerId) ||
|
||||||
|
(typeof data.player_id === 'string' && data.player_id) ||
|
||||||
|
(typeof data.PlayerID === 'string' && data.PlayerID) ||
|
||||||
|
''
|
||||||
|
const tile = data.tile
|
||||||
|
if (!playerId || !tile) return
|
||||||
|
|
||||||
|
const player = this.players[playerId]
|
||||||
if (!player) return
|
if (!player) return
|
||||||
|
|
||||||
// 如果是自己,移除手牌
|
// 如果是自己,移除手牌
|
||||||
if (player.playerId === this.getMyPlayerId()) {
|
if (player.playerId === this.getMyPlayerId()) {
|
||||||
const index = player.handTiles.findIndex(
|
const index = player.handTiles.findIndex(
|
||||||
(t) => t.id === data.tile.id
|
(t) => t.id === tile.id
|
||||||
)
|
)
|
||||||
if (index !== -1) {
|
if (index !== -1) {
|
||||||
player.handTiles.splice(index, 1)
|
player.handTiles.splice(index, 1)
|
||||||
@@ -116,10 +135,16 @@ export const useGameStore = defineStore('game', {
|
|||||||
player.handCount = Math.max(0, player.handCount - 1)
|
player.handCount = Math.max(0, player.handCount - 1)
|
||||||
|
|
||||||
// 加入出牌<E587BA>?
|
// 加入出牌<E587BA>?
|
||||||
player.discardTiles.push(data.tile)
|
player.discardTiles.push(tile)
|
||||||
|
|
||||||
// 更新回合
|
// 更新回合
|
||||||
this.currentTurn = data.nextSeat
|
const nextSeat =
|
||||||
|
typeof data.nextSeat === 'number'
|
||||||
|
? data.nextSeat
|
||||||
|
: typeof data.next_seat === 'number'
|
||||||
|
? data.next_seat
|
||||||
|
: this.currentTurn
|
||||||
|
this.currentTurn = nextSeat
|
||||||
this.needDraw = true
|
this.needDraw = true
|
||||||
|
|
||||||
// 等待其他玩家响应
|
// 等待其他玩家响应
|
||||||
@@ -172,7 +197,7 @@ export const useGameStore = defineStore('game', {
|
|||||||
const seatRaw = raw.Index ?? raw.index ?? index
|
const seatRaw = raw.Index ?? raw.index ?? index
|
||||||
const seatIndex =
|
const seatIndex =
|
||||||
typeof seatRaw === 'number' && Number.isFinite(seatRaw) ? seatRaw : index
|
typeof seatRaw === 'number' && Number.isFinite(seatRaw) ? seatRaw : index
|
||||||
const readyRaw = raw.Ready ?? raw.ready
|
const readyRaw = raw.Ready ?? raw.ready ?? raw.is_ready
|
||||||
const ready = parseBooleanish(readyRaw)
|
const ready = parseBooleanish(readyRaw)
|
||||||
const displayNameRaw = raw.PlayerName ?? raw.player_name
|
const displayNameRaw = raw.PlayerName ?? raw.player_name
|
||||||
const avatarUrlRaw = raw.AvatarUrl ?? raw.avatar_url
|
const avatarUrlRaw = raw.AvatarUrl ?? raw.avatar_url
|
||||||
@@ -297,4 +322,3 @@ export const useGameStore = defineStore('game', {
|
|||||||
},
|
},
|
||||||
})
|
})
|
||||||
|
|
||||||
|
|
||||||
|
|||||||
@@ -1,13 +1,13 @@
|
|||||||
import { ref } from 'vue'
|
import { ref } from 'vue'
|
||||||
import type {
|
import type {
|
||||||
ActiveRoomState,
|
RoomMetaSnapshotInput,
|
||||||
ActiveRoomSelectionInput,
|
RoomMetaSnapshotState,
|
||||||
} from './state'
|
} from './state'
|
||||||
import { clearActiveRoomSnapshot, readActiveRoomSnapshot, saveActiveRoom } from './storage'
|
import { clearRoomMetaSnapshot, readRoomMetaSnapshot, saveRoomMetaSnapshot } from './storage'
|
||||||
|
|
||||||
const activeRoom = ref<ActiveRoomState | null>(readActiveRoomSnapshot())
|
const roomMetaSnapshot = ref<RoomMetaSnapshotState | null>(readRoomMetaSnapshot())
|
||||||
|
|
||||||
function normalizeRoom(input: ActiveRoomSelectionInput): ActiveRoomState {
|
function normalizeRoom(input: RoomMetaSnapshotInput): RoomMetaSnapshotState {
|
||||||
return {
|
return {
|
||||||
roomId: input.roomId,
|
roomId: input.roomId,
|
||||||
roomName: input.roomName ?? '',
|
roomName: input.roomName ?? '',
|
||||||
@@ -32,19 +32,17 @@ function normalizeRoom(input: ActiveRoomSelectionInput): ActiveRoomState {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// 设置当前房间
|
export function setRoomMetaSnapshot(input: RoomMetaSnapshotInput) {
|
||||||
export function setActiveRoom(input: ActiveRoomSelectionInput) {
|
|
||||||
const next = normalizeRoom(input)
|
const next = normalizeRoom(input)
|
||||||
activeRoom.value = next
|
roomMetaSnapshot.value = next
|
||||||
saveActiveRoom(next)
|
saveRoomMetaSnapshot(next)
|
||||||
}
|
}
|
||||||
|
|
||||||
export function clearActiveRoom() {
|
export function clearRoomMetaSnapshotState() {
|
||||||
activeRoom.value = null
|
roomMetaSnapshot.value = null
|
||||||
clearActiveRoomSnapshot()
|
clearRoomMetaSnapshot()
|
||||||
}
|
}
|
||||||
|
|
||||||
// 使用房间状态
|
export function useRoomMetaSnapshotState() {
|
||||||
export function useActiveRoomState() {
|
return roomMetaSnapshot
|
||||||
return activeRoom
|
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,5 +1,5 @@
|
|||||||
// 房间玩家状态
|
// 房间玩家状态
|
||||||
export interface RoomPlayerState {
|
export interface RoomMetaPlayerState {
|
||||||
index: number
|
index: number
|
||||||
playerId: string
|
playerId: string
|
||||||
displayName?: string
|
displayName?: string
|
||||||
@@ -13,7 +13,7 @@ export interface RoomPlayerState {
|
|||||||
}
|
}
|
||||||
|
|
||||||
// 房间整体状态
|
// 房间整体状态
|
||||||
export interface ActiveRoomState {
|
export interface RoomMetaSnapshotState {
|
||||||
roomId: string
|
roomId: string
|
||||||
roomName: string
|
roomName: string
|
||||||
gameType: string
|
gameType: string
|
||||||
@@ -23,7 +23,7 @@ export interface ActiveRoomState {
|
|||||||
status: string
|
status: string
|
||||||
createdAt: string
|
createdAt: string
|
||||||
updatedAt: string
|
updatedAt: string
|
||||||
players: RoomPlayerState[]
|
players: RoomMetaPlayerState[]
|
||||||
myHand: string[]
|
myHand: string[]
|
||||||
game?: {
|
game?: {
|
||||||
state?: {
|
state?: {
|
||||||
@@ -36,7 +36,7 @@ export interface ActiveRoomState {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface ActiveRoomSelectionInput {
|
export interface RoomMetaSnapshotInput {
|
||||||
roomId: string
|
roomId: string
|
||||||
roomName?: string
|
roomName?: string
|
||||||
gameType?: string
|
gameType?: string
|
||||||
@@ -46,7 +46,7 @@ export interface ActiveRoomSelectionInput {
|
|||||||
status?: string
|
status?: string
|
||||||
createdAt?: string
|
createdAt?: string
|
||||||
updatedAt?: string
|
updatedAt?: string
|
||||||
players?: RoomPlayerState[]
|
players?: RoomMetaPlayerState[]
|
||||||
myHand?: string[]
|
myHand?: string[]
|
||||||
game?: ActiveRoomState['game']
|
game?: RoomMetaSnapshotState['game']
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,9 +1,9 @@
|
|||||||
import type { ActiveRoomState } from './state'
|
import type { RoomMetaSnapshotState } from './state'
|
||||||
|
|
||||||
const KEY = 'mahjong_active_room'
|
const KEY = 'mahjong_active_room'
|
||||||
|
|
||||||
// 读取缓存
|
// 读取缓存
|
||||||
export function readActiveRoomSnapshot(): ActiveRoomState | null {
|
export function readRoomMetaSnapshot(): RoomMetaSnapshotState | null {
|
||||||
const raw = localStorage.getItem(KEY)
|
const raw = localStorage.getItem(KEY)
|
||||||
if (!raw) return null
|
if (!raw) return null
|
||||||
|
|
||||||
@@ -15,11 +15,11 @@ export function readActiveRoomSnapshot(): ActiveRoomState | null {
|
|||||||
}
|
}
|
||||||
|
|
||||||
// 写入缓存
|
// 写入缓存
|
||||||
export function saveActiveRoom(state: ActiveRoomState) {
|
export function saveRoomMetaSnapshot(state: RoomMetaSnapshotState) {
|
||||||
localStorage.setItem(KEY, JSON.stringify(state))
|
localStorage.setItem(KEY, JSON.stringify(state))
|
||||||
}
|
}
|
||||||
|
|
||||||
// 清除缓存
|
// 清除缓存
|
||||||
export function clearActiveRoomSnapshot() {
|
export function clearRoomMetaSnapshot() {
|
||||||
localStorage.removeItem(KEY)
|
localStorage.removeItem(KEY)
|
||||||
}
|
}
|
||||||
|
|||||||
File diff suppressed because it is too large
Load Diff
@@ -5,7 +5,7 @@ import { AuthExpiredError, type AuthSession } from '../api/authed-request'
|
|||||||
import { createRoom, joinRoom, listRooms, type RoomItem } from '../api/mahjong'
|
import { createRoom, joinRoom, listRooms, type RoomItem } from '../api/mahjong'
|
||||||
import { getUserInfo, type UserInfo } from '../api/user'
|
import { getUserInfo, type UserInfo } from '../api/user'
|
||||||
import refreshIcon from '../assets/images/icons/refresh.svg'
|
import refreshIcon from '../assets/images/icons/refresh.svg'
|
||||||
import { setActiveRoom } from '../store'
|
import { setRoomMetaSnapshot } from '../store'
|
||||||
import type { RoomPlayerState } from '../store/state'
|
import type { RoomPlayerState } from '../store/state'
|
||||||
import type { StoredAuth } from '../types/session'
|
import type { StoredAuth } from '../types/session'
|
||||||
import { clearAuth, readStoredAuth, writeStoredAuth } from '../utils/auth-storage'
|
import { clearAuth, readStoredAuth, writeStoredAuth } from '../utils/auth-storage'
|
||||||
@@ -254,7 +254,7 @@ async function submitCreateRoom(): Promise<void> {
|
|||||||
)
|
)
|
||||||
|
|
||||||
createdRoom.value = room
|
createdRoom.value = room
|
||||||
setActiveRoom({
|
setRoomMetaSnapshot({
|
||||||
roomId: room.room_id,
|
roomId: room.room_id,
|
||||||
roomName: room.name,
|
roomName: room.name,
|
||||||
gameType: room.game_type,
|
gameType: room.game_type,
|
||||||
@@ -301,7 +301,7 @@ async function handleJoinRoom(room?: { roomId?: string; roomName?: string }): Pr
|
|||||||
roomSubmitting.value = true
|
roomSubmitting.value = true
|
||||||
try {
|
try {
|
||||||
const joinedRoom = await joinRoom(session, { roomId: targetRoomId }, syncAuth)
|
const joinedRoom = await joinRoom(session, { roomId: targetRoomId }, syncAuth)
|
||||||
setActiveRoom({
|
setRoomMetaSnapshot({
|
||||||
roomId: joinedRoom.room_id,
|
roomId: joinedRoom.room_id,
|
||||||
roomName: joinedRoom.name,
|
roomName: joinedRoom.name,
|
||||||
gameType: joinedRoom.game_type,
|
gameType: joinedRoom.game_type,
|
||||||
@@ -355,7 +355,7 @@ async function enterCreatedRoom(): Promise<void> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
showCreatedModal.value = false
|
showCreatedModal.value = false
|
||||||
setActiveRoom({
|
setRoomMetaSnapshot({
|
||||||
roomId: createdRoom.value.room_id,
|
roomId: createdRoom.value.room_id,
|
||||||
roomName: createdRoom.value.name,
|
roomName: createdRoom.value.name,
|
||||||
gameType: createdRoom.value.game_type,
|
gameType: createdRoom.value.game_type,
|
||||||
|
|||||||
433
src/views/chengdu/composables/useChengduGameActions.ts
Normal file
433
src/views/chengdu/composables/useChengduGameActions.ts
Normal file
@@ -0,0 +1,433 @@
|
|||||||
|
import {computed} from 'vue'
|
||||||
|
import {sendWsMessage} from '../../../ws/sender'
|
||||||
|
import {formatTile} from './useChengduTableView'
|
||||||
|
import type {ClaimOptionState} from '../../../types/state'
|
||||||
|
import type {Tile} from '../../../types/tile'
|
||||||
|
import type {DisplayPlayer} from '../types'
|
||||||
|
|
||||||
|
interface UseChengduGameActionsOptions {
|
||||||
|
gameStore: {
|
||||||
|
roomId: string
|
||||||
|
phase: string
|
||||||
|
currentTurn: number
|
||||||
|
needDraw: boolean
|
||||||
|
currentRound: number
|
||||||
|
totalRounds: number
|
||||||
|
pendingClaim?: {
|
||||||
|
tile?: Tile
|
||||||
|
options: ClaimOptionState[]
|
||||||
|
}
|
||||||
|
}
|
||||||
|
roomMeta: { value: { roomId: string; ownerId: string } | null }
|
||||||
|
gamePlayers: { value: DisplayPlayer[] }
|
||||||
|
myPlayer: { value: DisplayPlayer | undefined }
|
||||||
|
session: any
|
||||||
|
}
|
||||||
|
|
||||||
|
export function useChengduGameActions(options: UseChengduGameActionsOptions) {
|
||||||
|
const isLastRound = computed(
|
||||||
|
() => options.gameStore.currentRound >= options.gameStore.totalRounds && options.gameStore.totalRounds > 0,
|
||||||
|
)
|
||||||
|
|
||||||
|
const myReadyState = computed(() => Boolean(options.myPlayer.value?.isReady))
|
||||||
|
|
||||||
|
const isRoomOwner = computed(() => {
|
||||||
|
const room = options.roomMeta.value
|
||||||
|
return Boolean(
|
||||||
|
room &&
|
||||||
|
room.roomId === options.gameStore.roomId &&
|
||||||
|
room.ownerId &&
|
||||||
|
options.session.loggedInUserId.value &&
|
||||||
|
room.ownerId === options.session.loggedInUserId.value,
|
||||||
|
)
|
||||||
|
})
|
||||||
|
|
||||||
|
const allPlayersReady = computed(
|
||||||
|
() => options.gamePlayers.value.length === 4 && options.gamePlayers.value.every((player) => Boolean(player.isReady)),
|
||||||
|
)
|
||||||
|
|
||||||
|
const hasRoundStarted = computed(() =>
|
||||||
|
options.gamePlayers.value.some(
|
||||||
|
(player) =>
|
||||||
|
player.handCount > 0 ||
|
||||||
|
player.handTiles.length > 0 ||
|
||||||
|
player.melds.length > 0 ||
|
||||||
|
player.discardTiles.length > 0,
|
||||||
|
),
|
||||||
|
)
|
||||||
|
|
||||||
|
const showStartGameButton = computed(
|
||||||
|
() => options.gameStore.phase === 'waiting' && allPlayersReady.value && !hasRoundStarted.value,
|
||||||
|
)
|
||||||
|
const showWaitingOwnerTip = computed(() => showStartGameButton.value && !isRoomOwner.value)
|
||||||
|
const canStartGame = computed(
|
||||||
|
() => showStartGameButton.value && isRoomOwner.value && !options.session.startGamePending.value,
|
||||||
|
)
|
||||||
|
|
||||||
|
const showReadyToggle = computed(() => {
|
||||||
|
if (options.gameStore.phase !== 'waiting' || !options.gameStore.roomId || hasRoundStarted.value) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
if (showStartGameButton.value) {
|
||||||
|
return !isRoomOwner.value
|
||||||
|
}
|
||||||
|
return true
|
||||||
|
})
|
||||||
|
|
||||||
|
const showDingQueChooser = computed(() => {
|
||||||
|
const player = options.myPlayer.value
|
||||||
|
if (!player || options.gameStore.phase === 'settlement') {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
return player.handTiles.length > 0 && !player.missingSuit
|
||||||
|
})
|
||||||
|
|
||||||
|
const selectedDiscardTile = computed(() => {
|
||||||
|
const player = options.myPlayer.value
|
||||||
|
if (!player || options.session.selectedDiscardTileId.value === null) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
return player.handTiles.find((tile) => tile.id === options.session.selectedDiscardTileId.value) ?? null
|
||||||
|
})
|
||||||
|
|
||||||
|
const hasMissingSuitTiles = computed(() => {
|
||||||
|
const player = options.myPlayer.value
|
||||||
|
const missingSuit = player?.missingSuit as Tile['suit'] | null | undefined
|
||||||
|
if (!player || !missingSuit) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
return player.handTiles.some((tile) => tile.suit === missingSuit)
|
||||||
|
})
|
||||||
|
|
||||||
|
function missingSuitLabel(value: string | null | undefined): string {
|
||||||
|
const suitMap: Record<string, string> = {
|
||||||
|
w: '万',
|
||||||
|
t: '筒',
|
||||||
|
b: '条',
|
||||||
|
wan: '万',
|
||||||
|
tong: '筒',
|
||||||
|
tiao: '条',
|
||||||
|
}
|
||||||
|
if (!value) {
|
||||||
|
return ''
|
||||||
|
}
|
||||||
|
return suitMap[value.trim().toLowerCase()] ?? value
|
||||||
|
}
|
||||||
|
|
||||||
|
const discardBlockedReason = computed(() => {
|
||||||
|
const player = options.myPlayer.value
|
||||||
|
if (!player || !options.gameStore.roomId) {
|
||||||
|
return '未进入房间'
|
||||||
|
}
|
||||||
|
if (options.session.wsStatus.value !== 'connected') {
|
||||||
|
return 'WebSocket 未连接'
|
||||||
|
}
|
||||||
|
if (showDingQueChooser.value) {
|
||||||
|
return '请先完成定缺'
|
||||||
|
}
|
||||||
|
if (options.gameStore.phase !== 'playing') {
|
||||||
|
return '当前不是出牌阶段'
|
||||||
|
}
|
||||||
|
if (player.seatIndex !== options.gameStore.currentTurn) {
|
||||||
|
return '未轮到你出牌'
|
||||||
|
}
|
||||||
|
if (options.gameStore.needDraw) {
|
||||||
|
return '请先摸牌'
|
||||||
|
}
|
||||||
|
if (options.gameStore.pendingClaim) {
|
||||||
|
return '等待当前操作结算'
|
||||||
|
}
|
||||||
|
if (player.handTiles.length === 0) {
|
||||||
|
return '当前没有可出的手牌'
|
||||||
|
}
|
||||||
|
if (options.session.discardPending.value) {
|
||||||
|
return '正在提交出牌'
|
||||||
|
}
|
||||||
|
return ''
|
||||||
|
})
|
||||||
|
|
||||||
|
function discardTileBlockedReason(tile: Tile): string {
|
||||||
|
if (discardBlockedReason.value) {
|
||||||
|
return discardBlockedReason.value
|
||||||
|
}
|
||||||
|
|
||||||
|
const player = options.myPlayer.value
|
||||||
|
const missingSuit = player?.missingSuit as Tile['suit'] | null | undefined
|
||||||
|
if (player && missingSuit && hasMissingSuitTiles.value && tile.suit !== missingSuit) {
|
||||||
|
return `当前必须先打${missingSuitLabel(missingSuit)}牌`
|
||||||
|
}
|
||||||
|
|
||||||
|
return ''
|
||||||
|
}
|
||||||
|
|
||||||
|
const canConfirmDiscard = computed(() => {
|
||||||
|
const tile = selectedDiscardTile.value
|
||||||
|
return Boolean(tile && !discardTileBlockedReason(tile))
|
||||||
|
})
|
||||||
|
|
||||||
|
const confirmDiscardLabel = computed(() => {
|
||||||
|
const tile = selectedDiscardTile.value
|
||||||
|
return tile ? `出牌 ${formatTile(tile)}` : '出牌'
|
||||||
|
})
|
||||||
|
|
||||||
|
const canDrawTile = computed(() => {
|
||||||
|
const player = options.myPlayer.value
|
||||||
|
if (!player || !options.gameStore.roomId) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
return (
|
||||||
|
options.gameStore.phase === 'playing' &&
|
||||||
|
options.gameStore.needDraw &&
|
||||||
|
player.seatIndex === options.gameStore.currentTurn
|
||||||
|
)
|
||||||
|
})
|
||||||
|
|
||||||
|
const myClaimState = computed(() => options.gameStore.pendingClaim)
|
||||||
|
const visibleClaimOptions = computed<ClaimOptionState[]>(() => {
|
||||||
|
const current = myClaimState.value?.options ?? []
|
||||||
|
const order: ClaimOptionState[] = ['hu', 'gang', 'peng', 'pass']
|
||||||
|
return order.filter((option) => current.includes(option))
|
||||||
|
})
|
||||||
|
const showClaimActions = computed(() => visibleClaimOptions.value.length > 0)
|
||||||
|
|
||||||
|
const canSelfHu = computed(() => {
|
||||||
|
const player = options.myPlayer.value
|
||||||
|
if (!player || !options.gameStore.roomId || options.session.wsStatus.value !== 'connected') {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
if (
|
||||||
|
showDingQueChooser.value ||
|
||||||
|
options.gameStore.phase !== 'playing' ||
|
||||||
|
options.gameStore.needDraw ||
|
||||||
|
options.gameStore.pendingClaim
|
||||||
|
) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
if (player.seatIndex !== options.gameStore.currentTurn || options.session.turnActionPending.value) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
return options.session.selfTurnAllowActions.value.includes('hu')
|
||||||
|
})
|
||||||
|
|
||||||
|
const canSelfGang = computed(() => {
|
||||||
|
const player = options.myPlayer.value
|
||||||
|
if (!player || !options.gameStore.roomId || options.session.wsStatus.value !== 'connected') {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
if (
|
||||||
|
showDingQueChooser.value ||
|
||||||
|
options.gameStore.phase !== 'playing' ||
|
||||||
|
options.gameStore.needDraw ||
|
||||||
|
options.gameStore.pendingClaim
|
||||||
|
) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
if (player.seatIndex !== options.gameStore.currentTurn || options.session.turnActionPending.value) {
|
||||||
|
return false
|
||||||
|
}
|
||||||
|
return options.session.selfTurnAllowActions.value.includes('gang')
|
||||||
|
})
|
||||||
|
|
||||||
|
function toggleReadyState(): void {
|
||||||
|
if (options.session.readyTogglePending.value) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
const nextReady = !myReadyState.value
|
||||||
|
options.session.readyTogglePending.value = true
|
||||||
|
sendWsMessage({
|
||||||
|
type: 'set_ready',
|
||||||
|
roomId: options.gameStore.roomId,
|
||||||
|
payload: {
|
||||||
|
ready: nextReady,
|
||||||
|
isReady: nextReady,
|
||||||
|
},
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function startGame(): void {
|
||||||
|
if (!canStartGame.value) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
options.session.startGamePending.value = true
|
||||||
|
sendWsMessage({
|
||||||
|
type: 'start_game',
|
||||||
|
roomId: options.gameStore.roomId,
|
||||||
|
payload: {
|
||||||
|
room_id: options.gameStore.roomId,
|
||||||
|
},
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function nextRound(): void {
|
||||||
|
if (
|
||||||
|
options.session.nextRoundPending.value ||
|
||||||
|
!options.gameStore.roomId ||
|
||||||
|
options.gameStore.phase !== 'settlement'
|
||||||
|
) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
options.session.settlementOverlayDismissed.value = true
|
||||||
|
options.session.nextRoundPending.value = true
|
||||||
|
sendWsMessage({
|
||||||
|
type: 'next_round',
|
||||||
|
roomId: options.gameStore.roomId,
|
||||||
|
payload: {},
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function chooseDingQue(suit: Tile['suit']): void {
|
||||||
|
if (options.session.dingQuePending.value || !showDingQueChooser.value) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
options.session.dingQuePending.value = true
|
||||||
|
sendWsMessage({
|
||||||
|
type: 'ding_que',
|
||||||
|
roomId: options.gameStore.roomId,
|
||||||
|
payload: {suit},
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function selectDiscardTile(tile: Tile): void {
|
||||||
|
const blockedReason = discardTileBlockedReason(tile)
|
||||||
|
if (blockedReason) {
|
||||||
|
options.session.wsError.value = blockedReason
|
||||||
|
options.session.wsMessages.value.push(`[client-blocked] select ${formatTile(tile)}: ${blockedReason}`)
|
||||||
|
options.session.selectedDiscardTileId.value = null
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
options.session.wsError.value = ''
|
||||||
|
options.session.selectedDiscardTileId.value =
|
||||||
|
options.session.selectedDiscardTileId.value === tile.id ? null : tile.id
|
||||||
|
}
|
||||||
|
|
||||||
|
function confirmDiscard(): void {
|
||||||
|
const tile = selectedDiscardTile.value
|
||||||
|
if (!tile) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const blockedReason = discardTileBlockedReason(tile)
|
||||||
|
if (blockedReason || !options.gameStore.roomId) {
|
||||||
|
if (blockedReason) {
|
||||||
|
options.session.wsError.value = blockedReason
|
||||||
|
options.session.wsMessages.value.push(`[client-blocked] discard ${formatTile(tile)}: ${blockedReason}`)
|
||||||
|
}
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
options.session.wsError.value = ''
|
||||||
|
options.session.markDiscardPendingWithFallback()
|
||||||
|
sendWsMessage({
|
||||||
|
type: 'discard',
|
||||||
|
roomId: options.gameStore.roomId,
|
||||||
|
payload: {
|
||||||
|
tile: {
|
||||||
|
id: tile.id,
|
||||||
|
suit: tile.suit,
|
||||||
|
value: tile.value,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function drawTile(): void {
|
||||||
|
if (!canDrawTile.value) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
sendWsMessage({
|
||||||
|
type: 'draw',
|
||||||
|
roomId: options.gameStore.roomId,
|
||||||
|
payload: {
|
||||||
|
room_id: options.gameStore.roomId,
|
||||||
|
},
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function submitSelfGang(): void {
|
||||||
|
if (!options.gameStore.roomId || !canSelfGang.value || options.session.turnActionPending.value) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
options.session.markTurnActionPending('gang')
|
||||||
|
sendWsMessage({
|
||||||
|
type: 'gang',
|
||||||
|
roomId: options.gameStore.roomId,
|
||||||
|
payload: {
|
||||||
|
room_id: options.gameStore.roomId,
|
||||||
|
},
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function submitSelfHu(): void {
|
||||||
|
if (!options.gameStore.roomId || !canSelfHu.value || options.session.turnActionPending.value) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
options.session.markTurnActionPending('hu')
|
||||||
|
sendWsMessage({
|
||||||
|
type: 'hu',
|
||||||
|
roomId: options.gameStore.roomId,
|
||||||
|
payload: {
|
||||||
|
room_id: options.gameStore.roomId,
|
||||||
|
},
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function submitClaim(action: ClaimOptionState): void {
|
||||||
|
if (
|
||||||
|
options.session.claimActionPending.value ||
|
||||||
|
!options.gameStore.roomId ||
|
||||||
|
!visibleClaimOptions.value.includes(action)
|
||||||
|
) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
const claimTile = options.gameStore.pendingClaim?.tile
|
||||||
|
options.session.claimActionPending.value = true
|
||||||
|
sendWsMessage({
|
||||||
|
type: action,
|
||||||
|
roomId: options.gameStore.roomId,
|
||||||
|
payload: {
|
||||||
|
room_id: options.gameStore.roomId,
|
||||||
|
...(action !== 'pass' && claimTile
|
||||||
|
? {
|
||||||
|
tile: {
|
||||||
|
id: claimTile.id,
|
||||||
|
suit: claimTile.suit,
|
||||||
|
value: claimTile.value,
|
||||||
|
},
|
||||||
|
}
|
||||||
|
: {}),
|
||||||
|
},
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
isLastRound,
|
||||||
|
myReadyState,
|
||||||
|
isRoomOwner,
|
||||||
|
showStartGameButton,
|
||||||
|
showWaitingOwnerTip,
|
||||||
|
canStartGame,
|
||||||
|
showReadyToggle,
|
||||||
|
showDingQueChooser,
|
||||||
|
selectedDiscardTile,
|
||||||
|
discardBlockedReason,
|
||||||
|
discardTileBlockedReason,
|
||||||
|
canConfirmDiscard,
|
||||||
|
confirmDiscardLabel,
|
||||||
|
canDrawTile,
|
||||||
|
visibleClaimOptions,
|
||||||
|
showClaimActions,
|
||||||
|
canSelfHu,
|
||||||
|
canSelfGang,
|
||||||
|
toggleReadyState,
|
||||||
|
startGame,
|
||||||
|
nextRound,
|
||||||
|
chooseDingQue,
|
||||||
|
selectDiscardTile,
|
||||||
|
confirmDiscard,
|
||||||
|
drawTile,
|
||||||
|
submitSelfGang,
|
||||||
|
submitSelfHu,
|
||||||
|
submitClaim,
|
||||||
|
}
|
||||||
|
}
|
||||||
459
src/views/chengdu/composables/useChengduGameSession.ts
Normal file
459
src/views/chengdu/composables/useChengduGameSession.ts
Normal file
@@ -0,0 +1,459 @@
|
|||||||
|
import { computed, onBeforeUnmount, onMounted, ref } from 'vue'
|
||||||
|
import type { RouteLocationNormalizedLoaded, Router } from 'vue-router'
|
||||||
|
import { refreshAccessToken } from '../../../api/auth'
|
||||||
|
import { AuthExpiredError, type AuthSession } from '../../../api/authed-request'
|
||||||
|
import { getUserInfo } from '../../../api/user'
|
||||||
|
import type { RoomMetaSnapshotState } from '../../../store/state'
|
||||||
|
import { clearAuth, readStoredAuth, writeStoredAuth } from '../../../utils/auth-storage'
|
||||||
|
import type { WsStatus } from '../../../ws/client'
|
||||||
|
import { wsClient } from '../../../ws/client'
|
||||||
|
import { sendWsMessage } from '../../../ws/sender'
|
||||||
|
import { buildWsUrl } from '../../../ws/url'
|
||||||
|
import type { PlayerActionTimer } from '../types'
|
||||||
|
|
||||||
|
interface UseChengduGameSessionOptions {
|
||||||
|
route: RouteLocationNormalizedLoaded
|
||||||
|
router: Router
|
||||||
|
gameStore: {
|
||||||
|
roomId: string
|
||||||
|
}
|
||||||
|
roomMeta: { value: RoomMetaSnapshotState | null }
|
||||||
|
}
|
||||||
|
|
||||||
|
export function useChengduGameSession(options: UseChengduGameSessionOptions) {
|
||||||
|
const auth = ref(readStoredAuth())
|
||||||
|
const now = ref(Date.now())
|
||||||
|
const wsStatus = ref<WsStatus>('idle')
|
||||||
|
const wsMessages = ref<string[]>([])
|
||||||
|
const wsError = ref('')
|
||||||
|
const roomCountdown = ref<PlayerActionTimer | null>(null)
|
||||||
|
|
||||||
|
const leaveRoomPending = ref(false)
|
||||||
|
const readyTogglePending = ref(false)
|
||||||
|
const startGamePending = ref(false)
|
||||||
|
const dingQuePending = ref(false)
|
||||||
|
const discardPending = ref(false)
|
||||||
|
const claimActionPending = ref(false)
|
||||||
|
const turnActionPending = ref(false)
|
||||||
|
const nextRoundPending = ref(false)
|
||||||
|
const settlementOverlayDismissed = ref(false)
|
||||||
|
const settlementDeadlineMs = ref<number | null>(null)
|
||||||
|
const selectedDiscardTileId = ref<number | null>(null)
|
||||||
|
const selfTurnAllowActions = ref<string[]>([])
|
||||||
|
|
||||||
|
const menuOpen = ref(false)
|
||||||
|
const isTrustMode = ref(false)
|
||||||
|
const menuTriggerActive = ref(false)
|
||||||
|
|
||||||
|
let clockTimer: number | null = null
|
||||||
|
let discardPendingTimer: number | null = null
|
||||||
|
let turnActionPendingTimer: number | null = null
|
||||||
|
let menuTriggerTimer: number | null = null
|
||||||
|
let menuOpenTimer: number | null = null
|
||||||
|
let refreshingWsToken = false
|
||||||
|
let lastForcedRefreshAt = 0
|
||||||
|
|
||||||
|
const loggedInUserId = computed(() => {
|
||||||
|
const source = auth.value?.user as Record<string, unknown> | undefined
|
||||||
|
const rawId = source?.id ?? source?.userID ?? source?.user_id
|
||||||
|
|
||||||
|
if (typeof rawId === 'string' && rawId.trim()) {
|
||||||
|
return rawId
|
||||||
|
}
|
||||||
|
if (typeof rawId === 'number') {
|
||||||
|
return String(rawId)
|
||||||
|
}
|
||||||
|
return ''
|
||||||
|
})
|
||||||
|
|
||||||
|
const loggedInUserName = computed(() => auth.value?.user?.nickname || auth.value?.user?.username || '')
|
||||||
|
|
||||||
|
const localCachedAvatarUrl = computed(() => {
|
||||||
|
const source = auth.value?.user as Record<string, unknown> | undefined
|
||||||
|
if (!source) {
|
||||||
|
return ''
|
||||||
|
}
|
||||||
|
|
||||||
|
const avatarCandidates = [
|
||||||
|
source.avatar,
|
||||||
|
source.avatar_url,
|
||||||
|
source.avatarUrl,
|
||||||
|
source.head_img,
|
||||||
|
source.headImg,
|
||||||
|
source.profile_image,
|
||||||
|
source.profileImage,
|
||||||
|
]
|
||||||
|
|
||||||
|
for (const candidate of avatarCandidates) {
|
||||||
|
if (typeof candidate === 'string' && candidate.trim()) {
|
||||||
|
return candidate
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return ''
|
||||||
|
})
|
||||||
|
|
||||||
|
const networkLabel = computed(() => {
|
||||||
|
const map: Record<WsStatus, string> = {
|
||||||
|
connected: '已连接',
|
||||||
|
connecting: '连接中',
|
||||||
|
error: '连接异常',
|
||||||
|
idle: '未连接',
|
||||||
|
closed: '未连接',
|
||||||
|
}
|
||||||
|
|
||||||
|
return map[wsStatus.value] ?? '未连接'
|
||||||
|
})
|
||||||
|
|
||||||
|
const formattedClock = computed(() =>
|
||||||
|
new Date(now.value).toLocaleTimeString('zh-CN', {
|
||||||
|
hour: '2-digit',
|
||||||
|
minute: '2-digit',
|
||||||
|
second: '2-digit',
|
||||||
|
hour12: false,
|
||||||
|
}),
|
||||||
|
)
|
||||||
|
|
||||||
|
function toggleMenu(): void {
|
||||||
|
menuTriggerActive.value = true
|
||||||
|
if (menuTriggerTimer !== null) {
|
||||||
|
window.clearTimeout(menuTriggerTimer)
|
||||||
|
}
|
||||||
|
menuTriggerTimer = window.setTimeout(() => {
|
||||||
|
menuTriggerActive.value = false
|
||||||
|
menuTriggerTimer = null
|
||||||
|
}, 180)
|
||||||
|
|
||||||
|
if (menuOpen.value) {
|
||||||
|
menuOpen.value = false
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
if (menuOpenTimer !== null) {
|
||||||
|
window.clearTimeout(menuOpenTimer)
|
||||||
|
}
|
||||||
|
menuOpenTimer = window.setTimeout(() => {
|
||||||
|
menuOpen.value = true
|
||||||
|
menuOpenTimer = null
|
||||||
|
}, 85)
|
||||||
|
}
|
||||||
|
|
||||||
|
function toggleTrustMode(): void {
|
||||||
|
isTrustMode.value = !isTrustMode.value
|
||||||
|
menuOpen.value = false
|
||||||
|
}
|
||||||
|
|
||||||
|
function clearTurnActionPending(): void {
|
||||||
|
turnActionPending.value = false
|
||||||
|
if (turnActionPendingTimer !== null) {
|
||||||
|
window.clearTimeout(turnActionPendingTimer)
|
||||||
|
turnActionPendingTimer = null
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function markTurnActionPending(kind: 'gang' | 'hu'): void {
|
||||||
|
clearTurnActionPending()
|
||||||
|
turnActionPending.value = true
|
||||||
|
turnActionPendingTimer = window.setTimeout(() => {
|
||||||
|
turnActionPending.value = false
|
||||||
|
turnActionPendingTimer = null
|
||||||
|
wsError.value = `${kind === 'gang' ? '杠牌' : '胡牌'}未收到服务器确认`
|
||||||
|
}, 2500)
|
||||||
|
}
|
||||||
|
|
||||||
|
function clearDiscardPendingTimer(): void {
|
||||||
|
if (discardPendingTimer !== null) {
|
||||||
|
window.clearTimeout(discardPendingTimer)
|
||||||
|
discardPendingTimer = null
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function markDiscardCompleted(): void {
|
||||||
|
clearDiscardPendingTimer()
|
||||||
|
discardPending.value = false
|
||||||
|
selectedDiscardTileId.value = null
|
||||||
|
}
|
||||||
|
|
||||||
|
function markDiscardPendingWithFallback(): void {
|
||||||
|
clearDiscardPendingTimer()
|
||||||
|
discardPending.value = true
|
||||||
|
discardPendingTimer = window.setTimeout(() => {
|
||||||
|
discardPending.value = false
|
||||||
|
selectedDiscardTileId.value = null
|
||||||
|
discardPendingTimer = null
|
||||||
|
}, 2000)
|
||||||
|
}
|
||||||
|
|
||||||
|
function logoutToLogin(): void {
|
||||||
|
clearAuth()
|
||||||
|
auth.value = null
|
||||||
|
wsClient.close()
|
||||||
|
void options.router.replace('/login')
|
||||||
|
}
|
||||||
|
|
||||||
|
function currentSession(): AuthSession | null {
|
||||||
|
const current = auth.value
|
||||||
|
if (!current?.token) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
token: current.token,
|
||||||
|
tokenType: current.tokenType,
|
||||||
|
refreshToken: current.refreshToken,
|
||||||
|
expiresIn: current.expiresIn,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function syncAuthSession(next: AuthSession): void {
|
||||||
|
if (!auth.value) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
auth.value = {
|
||||||
|
...auth.value,
|
||||||
|
token: next.token,
|
||||||
|
tokenType: next.tokenType ?? auth.value.tokenType,
|
||||||
|
refreshToken: next.refreshToken ?? auth.value.refreshToken,
|
||||||
|
expiresIn: next.expiresIn,
|
||||||
|
}
|
||||||
|
writeStoredAuth(auth.value)
|
||||||
|
}
|
||||||
|
|
||||||
|
function syncCurrentUserID(userID: string): void {
|
||||||
|
if (!userID || loggedInUserId.value || !auth.value) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
auth.value = {
|
||||||
|
...auth.value,
|
||||||
|
user: {
|
||||||
|
...(auth.value.user ?? {}),
|
||||||
|
id: userID,
|
||||||
|
},
|
||||||
|
}
|
||||||
|
writeStoredAuth(auth.value)
|
||||||
|
}
|
||||||
|
|
||||||
|
async function ensureCurrentUserLoaded(): Promise<void> {
|
||||||
|
if (loggedInUserId.value) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const currentAuth = auth.value
|
||||||
|
const session = currentSession()
|
||||||
|
if (!session) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
const userInfo = await getUserInfo(session, syncAuthSession)
|
||||||
|
const resolvedId = userInfo.userID ?? userInfo.user_id ?? userInfo.id ?? currentAuth?.user?.id
|
||||||
|
const nextUser = {
|
||||||
|
...(currentAuth?.user ?? {}),
|
||||||
|
...userInfo,
|
||||||
|
id: typeof resolvedId === 'string' || typeof resolvedId === 'number' ? resolvedId : undefined,
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!currentAuth) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
auth.value = {
|
||||||
|
...currentAuth,
|
||||||
|
user: nextUser,
|
||||||
|
}
|
||||||
|
writeStoredAuth(auth.value)
|
||||||
|
} catch (error) {
|
||||||
|
if (error instanceof AuthExpiredError) {
|
||||||
|
logoutToLogin()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function decodeJwtExpMs(token: string): number | null {
|
||||||
|
const payloadPart = token.split('.')[1]
|
||||||
|
if (!payloadPart) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
try {
|
||||||
|
const normalized = payloadPart.replace(/-/g, '+').replace(/_/g, '/')
|
||||||
|
const padded = normalized + '='.repeat((4 - (normalized.length % 4)) % 4)
|
||||||
|
const payload = JSON.parse(window.atob(padded)) as { exp?: number }
|
||||||
|
return typeof payload.exp === 'number' ? payload.exp * 1000 : null
|
||||||
|
} catch {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function shouldRefreshWsToken(token: string): boolean {
|
||||||
|
const expMs = decodeJwtExpMs(token)
|
||||||
|
return Boolean(expMs && expMs <= Date.now() + 30_000)
|
||||||
|
}
|
||||||
|
|
||||||
|
async function resolveWsToken(forceRefresh = false, logoutOnRefreshFail = false): Promise<string | null> {
|
||||||
|
const current = auth.value
|
||||||
|
if (!current?.token) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!forceRefresh && !shouldRefreshWsToken(current.token)) {
|
||||||
|
return current.token
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!current.refreshToken || refreshingWsToken) {
|
||||||
|
return current.token
|
||||||
|
}
|
||||||
|
|
||||||
|
refreshingWsToken = true
|
||||||
|
try {
|
||||||
|
const refreshed = await refreshAccessToken({
|
||||||
|
token: current.token,
|
||||||
|
tokenType: current.tokenType,
|
||||||
|
refreshToken: current.refreshToken,
|
||||||
|
})
|
||||||
|
|
||||||
|
const nextAuth = {
|
||||||
|
...current,
|
||||||
|
token: refreshed.token,
|
||||||
|
tokenType: refreshed.tokenType ?? current.tokenType,
|
||||||
|
refreshToken: refreshed.refreshToken ?? current.refreshToken,
|
||||||
|
expiresIn: refreshed.expiresIn,
|
||||||
|
}
|
||||||
|
auth.value = nextAuth
|
||||||
|
writeStoredAuth(nextAuth)
|
||||||
|
return nextAuth.token
|
||||||
|
} catch {
|
||||||
|
if (logoutOnRefreshFail) {
|
||||||
|
logoutToLogin()
|
||||||
|
}
|
||||||
|
return null
|
||||||
|
} finally {
|
||||||
|
refreshingWsToken = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async function ensureWsConnected(forceRefresh = false): Promise<void> {
|
||||||
|
const token = await resolveWsToken(forceRefresh, false)
|
||||||
|
if (!token) {
|
||||||
|
wsError.value = '未找到登录凭证,无法建立连接'
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
wsError.value = ''
|
||||||
|
wsClient.connect(buildWsUrl(), token)
|
||||||
|
}
|
||||||
|
|
||||||
|
function backHall(): void {
|
||||||
|
leaveRoomPending.value = true
|
||||||
|
const roomId = options.gameStore.roomId
|
||||||
|
sendWsMessage({
|
||||||
|
type: 'leave_room',
|
||||||
|
roomId,
|
||||||
|
payload: {
|
||||||
|
room_id: roomId,
|
||||||
|
},
|
||||||
|
})
|
||||||
|
wsClient.close()
|
||||||
|
void options.router.push('/hall').finally(() => {
|
||||||
|
leaveRoomPending.value = false
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function handleGlobalClick(event: MouseEvent): void {
|
||||||
|
const target = event.target as HTMLElement | null
|
||||||
|
if (!target || target.closest('.menu-trigger-wrap')) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
menuOpen.value = false
|
||||||
|
}
|
||||||
|
|
||||||
|
function handleGlobalEsc(event: KeyboardEvent): void {
|
||||||
|
if (event.key === 'Escape') {
|
||||||
|
menuOpen.value = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
onMounted(() => {
|
||||||
|
clockTimer = window.setInterval(() => {
|
||||||
|
now.value = Date.now()
|
||||||
|
}, 1000)
|
||||||
|
|
||||||
|
window.addEventListener('click', handleGlobalClick)
|
||||||
|
window.addEventListener('keydown', handleGlobalEsc)
|
||||||
|
})
|
||||||
|
|
||||||
|
onBeforeUnmount(() => {
|
||||||
|
if (clockTimer !== null) {
|
||||||
|
window.clearInterval(clockTimer)
|
||||||
|
clockTimer = null
|
||||||
|
}
|
||||||
|
clearDiscardPendingTimer()
|
||||||
|
clearTurnActionPending()
|
||||||
|
|
||||||
|
window.removeEventListener('click', handleGlobalClick)
|
||||||
|
window.removeEventListener('keydown', handleGlobalEsc)
|
||||||
|
|
||||||
|
if (menuTriggerTimer !== null) {
|
||||||
|
window.clearTimeout(menuTriggerTimer)
|
||||||
|
menuTriggerTimer = null
|
||||||
|
}
|
||||||
|
if (menuOpenTimer !== null) {
|
||||||
|
window.clearTimeout(menuOpenTimer)
|
||||||
|
menuOpenTimer = null
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
return {
|
||||||
|
auth,
|
||||||
|
now,
|
||||||
|
wsStatus,
|
||||||
|
wsMessages,
|
||||||
|
wsError,
|
||||||
|
roomCountdown,
|
||||||
|
leaveRoomPending,
|
||||||
|
readyTogglePending,
|
||||||
|
startGamePending,
|
||||||
|
dingQuePending,
|
||||||
|
discardPending,
|
||||||
|
claimActionPending,
|
||||||
|
turnActionPending,
|
||||||
|
nextRoundPending,
|
||||||
|
settlementOverlayDismissed,
|
||||||
|
settlementDeadlineMs,
|
||||||
|
selectedDiscardTileId,
|
||||||
|
selfTurnAllowActions,
|
||||||
|
menuOpen,
|
||||||
|
isTrustMode,
|
||||||
|
menuTriggerActive,
|
||||||
|
loggedInUserId,
|
||||||
|
loggedInUserName,
|
||||||
|
localCachedAvatarUrl,
|
||||||
|
networkLabel,
|
||||||
|
formattedClock,
|
||||||
|
toggleMenu,
|
||||||
|
toggleTrustMode,
|
||||||
|
clearTurnActionPending,
|
||||||
|
markTurnActionPending,
|
||||||
|
clearDiscardPendingTimer,
|
||||||
|
markDiscardCompleted,
|
||||||
|
markDiscardPendingWithFallback,
|
||||||
|
logoutToLogin,
|
||||||
|
currentSession,
|
||||||
|
syncAuthSession,
|
||||||
|
syncCurrentUserID,
|
||||||
|
ensureCurrentUserLoaded,
|
||||||
|
resolveWsToken,
|
||||||
|
ensureWsConnected,
|
||||||
|
backHall,
|
||||||
|
lastForcedRefreshAtRef: {
|
||||||
|
get value() {
|
||||||
|
return lastForcedRefreshAt
|
||||||
|
},
|
||||||
|
set value(next: number) {
|
||||||
|
lastForcedRefreshAt = next
|
||||||
|
},
|
||||||
|
},
|
||||||
|
}
|
||||||
|
}
|
||||||
143
src/views/chengdu/composables/useChengduGameSocket.ts
Normal file
143
src/views/chengdu/composables/useChengduGameSocket.ts
Normal file
@@ -0,0 +1,143 @@
|
|||||||
|
import { computed, onBeforeUnmount, onMounted, type ComputedRef } from 'vue'
|
||||||
|
import type { RouteLocationNormalizedLoaded, Router } from 'vue-router'
|
||||||
|
import type { RoomMetaSnapshotState } from '../../../store/state'
|
||||||
|
import type { PlayerState, Tile } from '../../../types/state'
|
||||||
|
import { wsClient, type WsStatus } from '../../../ws/client'
|
||||||
|
import { buildWsUrl } from '../../../ws/url'
|
||||||
|
import type { DisplayPlayer } from '../types'
|
||||||
|
import { useChengduGameSession } from './useChengduGameSession'
|
||||||
|
import { createChengduMessageHandlers } from '../socket/createMessageHandlers'
|
||||||
|
|
||||||
|
interface UseChengduGameSocketOptions {
|
||||||
|
route: RouteLocationNormalizedLoaded
|
||||||
|
router: Router
|
||||||
|
gameStore: {
|
||||||
|
roomId: string
|
||||||
|
phase: string
|
||||||
|
players: Record<string, PlayerState>
|
||||||
|
dealerIndex: number
|
||||||
|
currentTurn: number
|
||||||
|
remainingTiles: number
|
||||||
|
needDraw: boolean
|
||||||
|
pendingClaim?: any
|
||||||
|
scores: Record<string, number>
|
||||||
|
winners: string[]
|
||||||
|
currentRound: number
|
||||||
|
totalRounds: number
|
||||||
|
resetGame: () => void
|
||||||
|
}
|
||||||
|
roomMeta: { value: RoomMetaSnapshotState | null }
|
||||||
|
roomName: ComputedRef<string>
|
||||||
|
myHandTiles: ComputedRef<Tile[]>
|
||||||
|
myPlayer: ComputedRef<DisplayPlayer | undefined>
|
||||||
|
session: ReturnType<typeof useChengduGameSession>
|
||||||
|
}
|
||||||
|
|
||||||
|
export function useChengduGameSocket(options: UseChengduGameSocketOptions) {
|
||||||
|
let unsubscribe: (() => void) | null = null
|
||||||
|
let needsInitialRoomInfo = false
|
||||||
|
|
||||||
|
const showSettlementOverlay = computed(
|
||||||
|
() => options.gameStore.phase === 'settlement' && !options.session.settlementOverlayDismissed.value,
|
||||||
|
)
|
||||||
|
|
||||||
|
const settlementCountdown = computed(() => {
|
||||||
|
if (!showSettlementOverlay.value || !options.session.settlementDeadlineMs.value) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
return Math.max(
|
||||||
|
0,
|
||||||
|
Math.ceil((options.session.settlementDeadlineMs.value - options.session.now.value) / 1000),
|
||||||
|
)
|
||||||
|
})
|
||||||
|
|
||||||
|
const handlers = createChengduMessageHandlers({
|
||||||
|
router: options.router,
|
||||||
|
gameStore: options.gameStore,
|
||||||
|
roomMeta: options.roomMeta,
|
||||||
|
roomName: options.roomName,
|
||||||
|
myHandTiles: options.myHandTiles,
|
||||||
|
myPlayer: options.myPlayer,
|
||||||
|
session: options.session,
|
||||||
|
})
|
||||||
|
|
||||||
|
function requestRoomInfo(): void {
|
||||||
|
const routeRoomId = typeof options.route.params.roomId === 'string' ? options.route.params.roomId : ''
|
||||||
|
const roomId = routeRoomId || options.gameStore.roomId || options.roomMeta.value?.roomId || ''
|
||||||
|
if (!roomId || options.session.wsStatus.value !== 'connected') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
needsInitialRoomInfo = false
|
||||||
|
options.session.wsMessages.value.push(`[client] get_room_info ${roomId}`)
|
||||||
|
wsClient.send({
|
||||||
|
type: 'get_room_info',
|
||||||
|
roomId,
|
||||||
|
payload: {
|
||||||
|
room_id: roomId,
|
||||||
|
},
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function handleSocketError(message: string): void {
|
||||||
|
options.session.markDiscardCompleted()
|
||||||
|
options.session.clearTurnActionPending()
|
||||||
|
options.session.wsError.value = message
|
||||||
|
options.session.wsMessages.value.push(`[error] ${message}`)
|
||||||
|
|
||||||
|
const nowMs = Date.now()
|
||||||
|
if (nowMs - options.session.lastForcedRefreshAtRef.value > 5000) {
|
||||||
|
options.session.lastForcedRefreshAtRef.value = nowMs
|
||||||
|
void options.session
|
||||||
|
.resolveWsToken(true, true)
|
||||||
|
.then((refreshedToken) => {
|
||||||
|
if (!refreshedToken) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
options.session.wsError.value = ''
|
||||||
|
wsClient.reconnect(buildWsUrl(), refreshedToken)
|
||||||
|
})
|
||||||
|
.catch(() => {
|
||||||
|
options.session.logoutToLogin()
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
onMounted(() => {
|
||||||
|
const routeRoomId = typeof options.route.params.roomId === 'string' ? options.route.params.roomId : ''
|
||||||
|
needsInitialRoomInfo = true
|
||||||
|
void options.session.ensureCurrentUserLoaded().finally(() => {
|
||||||
|
handlers.hydrateFromActiveRoom(routeRoomId)
|
||||||
|
if (routeRoomId) {
|
||||||
|
options.gameStore.roomId = routeRoomId
|
||||||
|
}
|
||||||
|
if (options.session.wsStatus.value === 'connected' && needsInitialRoomInfo) {
|
||||||
|
requestRoomInfo()
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
const statusHandler = (status: WsStatus) => {
|
||||||
|
options.session.wsStatus.value = status
|
||||||
|
if (status === 'connected' && needsInitialRoomInfo) {
|
||||||
|
requestRoomInfo()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
wsClient.onMessage(handlers.handleSocketMessage)
|
||||||
|
wsClient.onError(handleSocketError)
|
||||||
|
unsubscribe = wsClient.onStatusChange(statusHandler)
|
||||||
|
void options.session.ensureWsConnected()
|
||||||
|
})
|
||||||
|
|
||||||
|
onBeforeUnmount(() => {
|
||||||
|
if (unsubscribe) {
|
||||||
|
unsubscribe()
|
||||||
|
unsubscribe = null
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
return {
|
||||||
|
showSettlementOverlay,
|
||||||
|
settlementCountdown,
|
||||||
|
}
|
||||||
|
}
|
||||||
431
src/views/chengdu/composables/useChengduTableView.ts
Normal file
431
src/views/chengdu/composables/useChengduTableView.ts
Normal file
@@ -0,0 +1,431 @@
|
|||||||
|
import { computed } from 'vue'
|
||||||
|
import eastWind from '../../../assets/images/direction/dong.png'
|
||||||
|
import southWind from '../../../assets/images/direction/nan.png'
|
||||||
|
import westWind from '../../../assets/images/direction/xi.png'
|
||||||
|
import northWind from '../../../assets/images/direction/bei.png'
|
||||||
|
import type { SeatPlayerCardModel } from '../../../components/game/seat-player-card'
|
||||||
|
import { getTileImage as getBottomTileImage } from '../../../config/bottomTileMap'
|
||||||
|
import { getTileImage as getLeftTileImage } from '../../../config/leftTileMap'
|
||||||
|
import { getTileImage as getRightTileImage } from '../../../config/rightTileMap'
|
||||||
|
import { getTileImage as getTopTileImage } from '../../../config/topTileMap'
|
||||||
|
import type { SeatKey } from '../../../game/seat'
|
||||||
|
import type { Tile } from '../../../types/tile'
|
||||||
|
import type {
|
||||||
|
DeskSeatState,
|
||||||
|
DisplayPlayer,
|
||||||
|
HandSuitLabel,
|
||||||
|
TableTileImageType,
|
||||||
|
TableViewDeps,
|
||||||
|
TableViewResult,
|
||||||
|
WallSeatState,
|
||||||
|
WallTileItem,
|
||||||
|
} from '../types'
|
||||||
|
|
||||||
|
const handSuitOrder: Record<Tile['suit'], number> = { W: 0, T: 1, B: 2 }
|
||||||
|
const handSuitLabelMap: Record<Tile['suit'], HandSuitLabel> = { W: '万', T: '筒', B: '条' }
|
||||||
|
|
||||||
|
function buildWallTileImage(
|
||||||
|
seat: SeatKey,
|
||||||
|
tile: Tile | undefined,
|
||||||
|
imageType: TableTileImageType,
|
||||||
|
): string {
|
||||||
|
switch (seat) {
|
||||||
|
case 'top':
|
||||||
|
return getTopTileImage(tile, imageType, 'top')
|
||||||
|
case 'right':
|
||||||
|
return getRightTileImage(tile, imageType, 'right')
|
||||||
|
case 'left':
|
||||||
|
return getLeftTileImage(tile, imageType, 'left')
|
||||||
|
case 'bottom':
|
||||||
|
default:
|
||||||
|
return tile ? getBottomTileImage(tile, imageType, 'bottom') : ''
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function missingSuitLabel(value: string | null | undefined): string {
|
||||||
|
const suitMap: Record<string, string> = {
|
||||||
|
w: '万',
|
||||||
|
t: '筒',
|
||||||
|
b: '条',
|
||||||
|
wan: '万',
|
||||||
|
tong: '筒',
|
||||||
|
tiao: '条',
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!value) {
|
||||||
|
return ''
|
||||||
|
}
|
||||||
|
|
||||||
|
const normalized = value.trim().toLowerCase()
|
||||||
|
return suitMap[normalized] ?? value
|
||||||
|
}
|
||||||
|
|
||||||
|
export function formatTile(tile: Tile): string {
|
||||||
|
return `${tile.suit}${tile.value}`
|
||||||
|
}
|
||||||
|
|
||||||
|
function emptyWallSeat(): WallSeatState {
|
||||||
|
return { tiles: [] }
|
||||||
|
}
|
||||||
|
|
||||||
|
function emptyDeskSeat(): DeskSeatState {
|
||||||
|
return { tiles: [], hasHu: false }
|
||||||
|
}
|
||||||
|
|
||||||
|
export function useChengduTableView(deps: TableViewDeps): TableViewResult {
|
||||||
|
const visibleHandTileGroups = computed(() => {
|
||||||
|
const grouped = new Map<HandSuitLabel, Tile[]>()
|
||||||
|
|
||||||
|
deps.myHandTiles.value
|
||||||
|
.slice()
|
||||||
|
.sort((left, right) => {
|
||||||
|
const suitDiff = handSuitOrder[left.suit] - handSuitOrder[right.suit]
|
||||||
|
if (suitDiff !== 0) {
|
||||||
|
return suitDiff
|
||||||
|
}
|
||||||
|
|
||||||
|
const valueDiff = left.value - right.value
|
||||||
|
if (valueDiff !== 0) {
|
||||||
|
return valueDiff
|
||||||
|
}
|
||||||
|
|
||||||
|
return left.id - right.id
|
||||||
|
})
|
||||||
|
.forEach((tile) => {
|
||||||
|
const label = handSuitLabelMap[tile.suit]
|
||||||
|
const current = grouped.get(label) ?? []
|
||||||
|
current.push(tile)
|
||||||
|
grouped.set(label, current)
|
||||||
|
})
|
||||||
|
|
||||||
|
return (['万', '筒', '条'] as HandSuitLabel[])
|
||||||
|
.map((suit) => ({
|
||||||
|
suit,
|
||||||
|
tiles: grouped.get(suit) ?? [],
|
||||||
|
}))
|
||||||
|
.filter((group) => group.tiles.length > 0)
|
||||||
|
})
|
||||||
|
|
||||||
|
const sortedVisibleHandTiles = computed(() => visibleHandTileGroups.value.flatMap((group) => group.tiles))
|
||||||
|
|
||||||
|
const roomName = computed(() => {
|
||||||
|
const activeRoomName =
|
||||||
|
deps.roomMeta.value && deps.roomMeta.value.roomId === deps.gameStore.roomId
|
||||||
|
? deps.roomMeta.value.roomName
|
||||||
|
: ''
|
||||||
|
return deps.routeRoomName.value || activeRoomName || `房间 ${deps.gameStore.roomId || '--'}`
|
||||||
|
})
|
||||||
|
|
||||||
|
const roomState = computed(() => {
|
||||||
|
const status =
|
||||||
|
deps.gameStore.phase === 'waiting'
|
||||||
|
? 'waiting'
|
||||||
|
: deps.gameStore.phase === 'settlement'
|
||||||
|
? 'finished'
|
||||||
|
: 'playing'
|
||||||
|
const wall = Array.from({ length: deps.gameStore.remainingTiles }, (_, index) => `wall-${index}`)
|
||||||
|
const maxPlayers =
|
||||||
|
deps.roomMeta.value && deps.roomMeta.value.roomId === deps.gameStore.roomId
|
||||||
|
? deps.roomMeta.value.maxPlayers
|
||||||
|
: 4
|
||||||
|
|
||||||
|
return {
|
||||||
|
roomId: deps.gameStore.roomId,
|
||||||
|
name: roomName.value,
|
||||||
|
playerCount: deps.gamePlayers.value.length,
|
||||||
|
maxPlayers,
|
||||||
|
status,
|
||||||
|
game: {
|
||||||
|
state: {
|
||||||
|
wall,
|
||||||
|
dealerIndex: deps.gameStore.dealerIndex,
|
||||||
|
currentTurn: deps.gameStore.currentTurn,
|
||||||
|
phase: deps.gameStore.phase,
|
||||||
|
},
|
||||||
|
},
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
const seatViews = computed(() => {
|
||||||
|
const players = deps.gamePlayers.value
|
||||||
|
const tableOrder: SeatKey[] = ['bottom', 'right', 'top', 'left']
|
||||||
|
const selfSeatIndex =
|
||||||
|
deps.myPlayer.value?.seatIndex ??
|
||||||
|
players.find((player) => player.playerId === deps.loggedInUserId.value)?.seatIndex ??
|
||||||
|
0
|
||||||
|
|
||||||
|
return players.slice(0, 4).map((player) => {
|
||||||
|
const relativeIndex = (selfSeatIndex - player.seatIndex + 4) % 4
|
||||||
|
const seatKey = tableOrder[relativeIndex] ?? 'top'
|
||||||
|
return {
|
||||||
|
key: seatKey,
|
||||||
|
player,
|
||||||
|
isSelf: player.playerId === deps.loggedInUserId.value,
|
||||||
|
isTurn: player.seatIndex === deps.gameStore.currentTurn,
|
||||||
|
}
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
const seatWinds = computed<Record<SeatKey, string>>(() => {
|
||||||
|
const tableOrder: SeatKey[] = ['bottom', 'right', 'top', 'left']
|
||||||
|
const players = deps.gamePlayers.value
|
||||||
|
const selfSeatIndex =
|
||||||
|
deps.myPlayer.value?.seatIndex ??
|
||||||
|
players.find((player) => player.playerId === deps.loggedInUserId.value)?.seatIndex ??
|
||||||
|
0
|
||||||
|
|
||||||
|
const directionBySeatIndex = [eastWind, southWind, westWind, northWind]
|
||||||
|
const result: Record<SeatKey, string> = {
|
||||||
|
top: northWind,
|
||||||
|
right: eastWind,
|
||||||
|
bottom: southWind,
|
||||||
|
left: westWind,
|
||||||
|
}
|
||||||
|
|
||||||
|
for (let absoluteSeat = 0; absoluteSeat < 4; absoluteSeat += 1) {
|
||||||
|
const relativeIndex = (selfSeatIndex - absoluteSeat + 4) % 4
|
||||||
|
const seatKey = tableOrder[relativeIndex] ?? 'top'
|
||||||
|
result[seatKey] = directionBySeatIndex[absoluteSeat] ?? northWind
|
||||||
|
}
|
||||||
|
|
||||||
|
return result
|
||||||
|
})
|
||||||
|
|
||||||
|
const currentTurnSeat = computed<SeatKey | ''>(() => seatViews.value.find((seat) => seat.isTurn)?.key ?? '')
|
||||||
|
|
||||||
|
const currentPhaseText = computed(() => {
|
||||||
|
const map: Record<string, string> = {
|
||||||
|
waiting: '等待中',
|
||||||
|
dealing: '发牌中',
|
||||||
|
playing: '对局中',
|
||||||
|
action: '操作中',
|
||||||
|
settlement: '已结算',
|
||||||
|
}
|
||||||
|
return map[deps.gameStore.phase] ?? deps.gameStore.phase
|
||||||
|
})
|
||||||
|
|
||||||
|
const roomStatusText = computed(() => {
|
||||||
|
const map: Record<string, string> = {
|
||||||
|
waiting: '等待玩家',
|
||||||
|
playing: '游戏中',
|
||||||
|
finished: '已结束',
|
||||||
|
}
|
||||||
|
const status = roomState.value.status
|
||||||
|
return map[status] ?? status ?? '--'
|
||||||
|
})
|
||||||
|
|
||||||
|
const roundText = computed(() => {
|
||||||
|
if (deps.gameStore.totalRounds > 0) {
|
||||||
|
return `${deps.gameStore.currentRound}/${deps.gameStore.totalRounds}`
|
||||||
|
}
|
||||||
|
return ''
|
||||||
|
})
|
||||||
|
|
||||||
|
const settlementPlayers = computed(() => {
|
||||||
|
const winnerSet = new Set(deps.gameStore.winners)
|
||||||
|
return Object.values(deps.gameStore.players as Record<string, DisplayPlayer>)
|
||||||
|
.map((player) => ({
|
||||||
|
playerId: player.playerId,
|
||||||
|
displayName: player.displayName || `玩家${player.seatIndex + 1}`,
|
||||||
|
score: deps.gameStore.scores[player.playerId] ?? 0,
|
||||||
|
isWinner: winnerSet.has(player.playerId),
|
||||||
|
seatIndex: player.seatIndex,
|
||||||
|
isReady: Boolean(player.isReady),
|
||||||
|
}))
|
||||||
|
.sort((a, b) => b.score - a.score)
|
||||||
|
})
|
||||||
|
|
||||||
|
const wallSeats = computed<Record<SeatKey, WallSeatState>>(() => {
|
||||||
|
const emptyState: Record<SeatKey, WallSeatState> = {
|
||||||
|
top: emptyWallSeat(),
|
||||||
|
right: emptyWallSeat(),
|
||||||
|
bottom: emptyWallSeat(),
|
||||||
|
left: emptyWallSeat(),
|
||||||
|
}
|
||||||
|
|
||||||
|
if (deps.gameStore.phase === 'waiting' && deps.myHandTiles.value.length === 0) {
|
||||||
|
return emptyState
|
||||||
|
}
|
||||||
|
|
||||||
|
for (const seat of seatViews.value) {
|
||||||
|
if (!seat.player) {
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
const seatTiles: WallTileItem[] = []
|
||||||
|
const targetSeat = seat.key
|
||||||
|
|
||||||
|
if (seat.isSelf) {
|
||||||
|
const missingSuit = seat.player.missingSuit as Tile['suit'] | null | undefined
|
||||||
|
sortedVisibleHandTiles.value.forEach((tile, index) => {
|
||||||
|
const src = buildWallTileImage(targetSeat, tile, 'hand')
|
||||||
|
if (!src) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
const previousTile = index > 0 ? sortedVisibleHandTiles.value[index - 1] : undefined
|
||||||
|
const isMissingSuitGroupStart = Boolean(
|
||||||
|
missingSuit &&
|
||||||
|
tile.suit === missingSuit &&
|
||||||
|
(!previousTile || previousTile.suit !== tile.suit),
|
||||||
|
)
|
||||||
|
|
||||||
|
seatTiles.push({
|
||||||
|
key: `hand-${tile.id}-${index}`,
|
||||||
|
src,
|
||||||
|
alt: formatTile(tile),
|
||||||
|
imageType: 'hand',
|
||||||
|
showLackTag: isMissingSuitGroupStart,
|
||||||
|
suit: tile.suit,
|
||||||
|
tile,
|
||||||
|
})
|
||||||
|
})
|
||||||
|
} else {
|
||||||
|
for (let index = 0; index < seat.player.handCount; index += 1) {
|
||||||
|
const src = buildWallTileImage(targetSeat, undefined, 'hand')
|
||||||
|
if (!src) {
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
seatTiles.push({
|
||||||
|
key: `concealed-${index}`,
|
||||||
|
src,
|
||||||
|
alt: '手牌背面',
|
||||||
|
imageType: 'hand',
|
||||||
|
})
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
emptyState[targetSeat] = { tiles: seatTiles }
|
||||||
|
}
|
||||||
|
|
||||||
|
return emptyState
|
||||||
|
})
|
||||||
|
|
||||||
|
const deskSeats = computed<Record<SeatKey, DeskSeatState>>(() => {
|
||||||
|
const emptyState: Record<SeatKey, DeskSeatState> = {
|
||||||
|
top: emptyDeskSeat(),
|
||||||
|
right: emptyDeskSeat(),
|
||||||
|
bottom: emptyDeskSeat(),
|
||||||
|
left: emptyDeskSeat(),
|
||||||
|
}
|
||||||
|
|
||||||
|
if (deps.gameStore.phase === 'waiting' && deps.myHandTiles.value.length === 0) {
|
||||||
|
return emptyState
|
||||||
|
}
|
||||||
|
|
||||||
|
for (const seat of seatViews.value) {
|
||||||
|
if (!seat.player) {
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
const seatTiles: WallTileItem[] = []
|
||||||
|
const targetSeat = seat.key
|
||||||
|
|
||||||
|
seat.player.discardTiles.forEach((tile, index) => {
|
||||||
|
const src = buildWallTileImage(targetSeat, tile, 'exposed')
|
||||||
|
if (!src) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
seatTiles.push({
|
||||||
|
key: `discard-${tile.id}-${index}`,
|
||||||
|
src,
|
||||||
|
alt: formatTile(tile),
|
||||||
|
imageType: 'exposed',
|
||||||
|
suit: tile.suit,
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
seat.player.melds.forEach((meld, meldIndex) => {
|
||||||
|
meld.tiles.forEach((tile, tileIndex) => {
|
||||||
|
const imageType: TableTileImageType = meld.type === 'an_gang' ? 'covered' : 'exposed'
|
||||||
|
const src = buildWallTileImage(targetSeat, tile, imageType)
|
||||||
|
if (!src) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
seatTiles.push({
|
||||||
|
key: `desk-${meld.type}-${meldIndex}-${tile.id}-${tileIndex}`,
|
||||||
|
src,
|
||||||
|
alt: formatTile(tile),
|
||||||
|
imageType,
|
||||||
|
isGroupStart: tileIndex === 0,
|
||||||
|
suit: tile.suit,
|
||||||
|
})
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
emptyState[targetSeat] = {
|
||||||
|
tiles: seatTiles,
|
||||||
|
hasHu: seat.player.hasHu,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return emptyState
|
||||||
|
})
|
||||||
|
|
||||||
|
const seatDecor = computed<Record<SeatKey, SeatPlayerCardModel>>(() => {
|
||||||
|
const dealerIndex = roomState.value.game?.state?.dealerIndex ?? -1
|
||||||
|
const defaultMissingSuitLabel = missingSuitLabel(null)
|
||||||
|
|
||||||
|
const emptySeat = (): SeatPlayerCardModel => ({
|
||||||
|
avatarUrl: '',
|
||||||
|
name: '空位',
|
||||||
|
dealer: false,
|
||||||
|
isTurn: false,
|
||||||
|
isReady: false,
|
||||||
|
isTrustee: false,
|
||||||
|
missingSuitLabel: defaultMissingSuitLabel,
|
||||||
|
})
|
||||||
|
|
||||||
|
const result: Record<SeatKey, SeatPlayerCardModel> = {
|
||||||
|
top: emptySeat(),
|
||||||
|
right: emptySeat(),
|
||||||
|
bottom: emptySeat(),
|
||||||
|
left: emptySeat(),
|
||||||
|
}
|
||||||
|
|
||||||
|
for (const seat of seatViews.value) {
|
||||||
|
if (!seat.player) {
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
const displayName = seat.player.displayName || `玩家${seat.player.seatIndex + 1}`
|
||||||
|
const avatarUrl = seat.isSelf
|
||||||
|
? deps.localCachedAvatarUrl.value || seat.player.avatarURL || ''
|
||||||
|
: seat.player.avatarURL || ''
|
||||||
|
const selfDisplayName = seat.player.displayName || deps.loggedInUserName.value || '你自己'
|
||||||
|
|
||||||
|
result[seat.key] = {
|
||||||
|
avatarUrl,
|
||||||
|
name: Array.from(seat.isSelf ? selfDisplayName : displayName)
|
||||||
|
.slice(0, 4)
|
||||||
|
.join(''),
|
||||||
|
dealer: seat.player.seatIndex === dealerIndex,
|
||||||
|
isTurn: seat.isTurn,
|
||||||
|
isReady: Boolean(seat.player.isReady),
|
||||||
|
isTrustee: Boolean(seat.player.isTrustee),
|
||||||
|
missingSuitLabel: missingSuitLabel(seat.player.missingSuit),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return result
|
||||||
|
})
|
||||||
|
|
||||||
|
return {
|
||||||
|
roomName,
|
||||||
|
roomState,
|
||||||
|
seatViews,
|
||||||
|
seatWinds,
|
||||||
|
currentTurnSeat,
|
||||||
|
currentPhaseText,
|
||||||
|
roomStatusText,
|
||||||
|
roundText,
|
||||||
|
visibleHandTileGroups,
|
||||||
|
sortedVisibleHandTiles,
|
||||||
|
wallSeats,
|
||||||
|
deskSeats,
|
||||||
|
seatDecor,
|
||||||
|
settlementPlayers,
|
||||||
|
}
|
||||||
|
}
|
||||||
51
src/views/chengdu/socket/createMessageHandlers.ts
Normal file
51
src/views/chengdu/socket/createMessageHandlers.ts
Normal file
@@ -0,0 +1,51 @@
|
|||||||
|
import { createPlayerHandlers } from './handlers/playerHandlers'
|
||||||
|
import { createRoomInfoHandlers } from './handlers/roomInfoHandlers'
|
||||||
|
import { createRoomStateHandlers } from './handlers/roomStateHandlers'
|
||||||
|
import { createStatusHandlers } from './handlers/statusHandlers'
|
||||||
|
import { dispatchSocketGameAction } from './handlers/socketDispatch'
|
||||||
|
import { createTurnHandlers } from './handlers/turnHandlers'
|
||||||
|
import type { SocketHandlerContext } from './types'
|
||||||
|
import { parseSocketEnvelope } from './parsers/socketEnvelope'
|
||||||
|
import { hydrateGameStoreFromActiveRoom } from './room/roomSnapshotSync'
|
||||||
|
import { createSocketMessageRouter } from './router/socketMessageRouter'
|
||||||
|
import { pushWsMessage } from './session/sessionStateAdapter'
|
||||||
|
|
||||||
|
export function createChengduMessageHandlers(context: SocketHandlerContext) {
|
||||||
|
const roomHandlers = {
|
||||||
|
...createRoomInfoHandlers(context),
|
||||||
|
...createRoomStateHandlers(context),
|
||||||
|
}
|
||||||
|
const playerHandlers = createPlayerHandlers(context)
|
||||||
|
const turnHandlers = createTurnHandlers(context)
|
||||||
|
const statusHandlers = createStatusHandlers(context)
|
||||||
|
const router = createSocketMessageRouter({
|
||||||
|
roomHandlers,
|
||||||
|
playerHandlers,
|
||||||
|
turnHandlers,
|
||||||
|
statusHandlers,
|
||||||
|
})
|
||||||
|
|
||||||
|
function handleSocketMessage(msg: unknown): void {
|
||||||
|
const text = typeof msg === 'string' ? msg : JSON.stringify(msg)
|
||||||
|
pushWsMessage(context.session, `[server] ${text}`)
|
||||||
|
|
||||||
|
const envelope = parseSocketEnvelope(msg)
|
||||||
|
if (!envelope) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
router.route(envelope.normalizedType, envelope.source)
|
||||||
|
|
||||||
|
dispatchSocketGameAction(
|
||||||
|
context,
|
||||||
|
envelope.source,
|
||||||
|
playerHandlers.syncReadyStatesFromRoomUpdate,
|
||||||
|
playerHandlers.syncTrusteeState,
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
hydrateFromActiveRoom: (routeRoomId: string) => hydrateGameStoreFromActiveRoom(context, routeRoomId),
|
||||||
|
handleSocketMessage,
|
||||||
|
}
|
||||||
|
}
|
||||||
170
src/views/chengdu/socket/handlers/playerHandlers.ts
Normal file
170
src/views/chengdu/socket/handlers/playerHandlers.ts
Normal file
@@ -0,0 +1,170 @@
|
|||||||
|
import {
|
||||||
|
asRecord,
|
||||||
|
normalizeTiles,
|
||||||
|
normalizeWsType,
|
||||||
|
readBoolean,
|
||||||
|
readString,
|
||||||
|
} from '../../../../game/chengdu/messageNormalizers'
|
||||||
|
import type { RoomPlayerUpdatePayload, RoomTrusteePayload } from '../../../../game/actions'
|
||||||
|
import {
|
||||||
|
clearDingQuePending,
|
||||||
|
clearReadyTogglePending,
|
||||||
|
clearStartGamePending,
|
||||||
|
clearTurnPending,
|
||||||
|
completeDiscard,
|
||||||
|
setTrustMode,
|
||||||
|
syncCurrentUserId,
|
||||||
|
} from '../session/sessionStateAdapter'
|
||||||
|
import { setPlayerHandState, setPlayerMissingSuit, setPlayerReadyState, setPlayerTrusteeState } from '../store/gameStoreAdapter'
|
||||||
|
import type { PlayerHandlerApi, SocketHandlerContext } from '../types'
|
||||||
|
|
||||||
|
export function createPlayerHandlers(context: SocketHandlerContext): PlayerHandlerApi {
|
||||||
|
function applyPlayerReadyState(playerId: string, ready: boolean): void {
|
||||||
|
setPlayerReadyState(context.gameStore, playerId, ready)
|
||||||
|
}
|
||||||
|
|
||||||
|
function syncReadyStatesFromRoomUpdate(payload: RoomPlayerUpdatePayload): void {
|
||||||
|
if (!Array.isArray(payload.players)) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
for (const item of payload.players) {
|
||||||
|
const playerId =
|
||||||
|
(typeof item.PlayerID === 'string' && item.PlayerID) ||
|
||||||
|
(typeof item.player_id === 'string' && item.player_id) ||
|
||||||
|
''
|
||||||
|
const ready =
|
||||||
|
typeof item.Ready === 'boolean'
|
||||||
|
? item.Ready
|
||||||
|
: typeof item.ready === 'boolean'
|
||||||
|
? item.ready
|
||||||
|
: typeof item.is_ready === 'boolean'
|
||||||
|
? item.is_ready
|
||||||
|
: undefined
|
||||||
|
|
||||||
|
if (!playerId || typeof ready !== 'boolean') {
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
applyPlayerReadyState(playerId, ready)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function handlePlayerHandResponse(message: unknown): void {
|
||||||
|
const source = asRecord(message)
|
||||||
|
if (!source || typeof source.type !== 'string' || normalizeWsType(source.type) !== 'PLAYER_HAND') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const payload = asRecord(source.payload)
|
||||||
|
if (!payload) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
syncCurrentUserId(context.session, readString(source, 'target'))
|
||||||
|
const roomId = readString(payload, 'room_id', 'roomId') || readString(source, 'roomId')
|
||||||
|
if (roomId && context.gameStore.roomId && roomId !== context.gameStore.roomId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const handTiles = normalizeTiles(payload.hand)
|
||||||
|
if (!context.session.loggedInUserId.value || handTiles.length === 0) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
clearTurnPending(context.session)
|
||||||
|
setPlayerHandState(context.gameStore, context.session.loggedInUserId.value, handTiles)
|
||||||
|
clearDingQuePending(context.session)
|
||||||
|
|
||||||
|
completeDiscard(context.session)
|
||||||
|
if (context.gameStore.phase !== 'waiting') {
|
||||||
|
clearStartGamePending(context.session)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function syncTrusteeState(payload: RoomTrusteePayload): void {
|
||||||
|
const playerId =
|
||||||
|
(typeof payload.player_id === 'string' && payload.player_id) ||
|
||||||
|
(typeof payload.playerId === 'string' && payload.playerId) ||
|
||||||
|
''
|
||||||
|
if (!playerId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const trustee = typeof payload.trustee === 'boolean' ? payload.trustee : true
|
||||||
|
setPlayerTrusteeState(context.gameStore, playerId, trustee)
|
||||||
|
if (playerId === context.session.loggedInUserId.value) {
|
||||||
|
setTrustMode(context.session, trustee)
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
||||||
|
|
||||||
|
function handleReadyStateResponse(message: unknown): void {
|
||||||
|
const source = asRecord(message)
|
||||||
|
if (!source || typeof source.type !== 'string' || normalizeWsType(source.type) !== 'PLAYER_READY') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const payload = asRecord(source.payload)
|
||||||
|
if (!payload) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const roomId = typeof payload.room_id === 'string' ? payload.room_id : readString(source, 'roomId')
|
||||||
|
const userId =
|
||||||
|
(typeof payload.player_id === 'string' && payload.player_id) ||
|
||||||
|
(typeof payload.user_id === 'string' && payload.user_id) ||
|
||||||
|
readString(source, 'target')
|
||||||
|
const ready = readBoolean(payload, 'is_ready', 'ready', 'Ready')
|
||||||
|
|
||||||
|
if (roomId && roomId !== context.gameStore.roomId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
if (ready !== null && userId) {
|
||||||
|
applyPlayerReadyState(userId, ready)
|
||||||
|
}
|
||||||
|
if (userId && userId === context.session.loggedInUserId.value) {
|
||||||
|
clearReadyTogglePending(context.session)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function handlePlayerDingQueResponse(message: unknown): void {
|
||||||
|
const source = asRecord(message)
|
||||||
|
if (!source || typeof source.type !== 'string' || normalizeWsType(source.type) !== 'PLAYER_DING_QUE') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const payload = asRecord(source.payload)
|
||||||
|
if (!payload) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const roomId = readString(payload, 'room_id', 'roomId') || readString(source, 'roomId')
|
||||||
|
if (roomId && roomId !== context.gameStore.roomId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const userId =
|
||||||
|
readString(payload, 'user_id', 'userId', 'player_id', 'playerId') || readString(source, 'target')
|
||||||
|
const suit = readString(payload, 'suit', 'Suit')
|
||||||
|
if (!userId || !suit) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
setPlayerMissingSuit(context.gameStore, userId, suit)
|
||||||
|
|
||||||
|
if (userId === context.session.loggedInUserId.value) {
|
||||||
|
clearDingQuePending(context.session)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
applyPlayerReadyState,
|
||||||
|
syncReadyStatesFromRoomUpdate,
|
||||||
|
handlePlayerHandResponse,
|
||||||
|
handleReadyStateResponse,
|
||||||
|
handlePlayerDingQueResponse,
|
||||||
|
syncTrusteeState,
|
||||||
|
}
|
||||||
|
}
|
||||||
96
src/views/chengdu/socket/handlers/roomInfoHandlers.ts
Normal file
96
src/views/chengdu/socket/handlers/roomInfoHandlers.ts
Normal file
@@ -0,0 +1,96 @@
|
|||||||
|
import { asRecord, normalizeWsType, readString } from '../../../../game/chengdu/messageNormalizers'
|
||||||
|
import { parseRoomInfoSnapshot } from '../parsers/roomInfoSnapshot'
|
||||||
|
import { clearRoomAndRedirect, syncActiveRoomFromRoomInfo } from '../room/roomSnapshotSync'
|
||||||
|
import {
|
||||||
|
clearClaimAndTurnPending,
|
||||||
|
clearRoomCountdown,
|
||||||
|
clearDingQuePending,
|
||||||
|
clearSelfTurnAllowActions,
|
||||||
|
clearTurnPending,
|
||||||
|
setRoomCountdown,
|
||||||
|
setSettlementDeadline,
|
||||||
|
syncCurrentUserId,
|
||||||
|
} from '../session/sessionStateAdapter'
|
||||||
|
import { applyRoomSnapshot } from '../store/gameStoreAdapter'
|
||||||
|
import type { SocketHandlerContext } from '../types'
|
||||||
|
|
||||||
|
export function createRoomInfoHandlers(context: SocketHandlerContext) {
|
||||||
|
function handleRoomInfoResponse(message: unknown): void {
|
||||||
|
const source = asRecord(message)
|
||||||
|
if (!source || typeof source.type !== 'string') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const normalizedType = normalizeWsType(source.type)
|
||||||
|
if (normalizedType !== 'GET_ROOM_INFO' && normalizedType !== 'ROOM_INFO') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const payload = asRecord(source.payload) ?? source
|
||||||
|
syncCurrentUserId(context.session, readString(source, 'target'))
|
||||||
|
const room = asRecord(payload.room)
|
||||||
|
const gameState = asRecord(payload.game_state)
|
||||||
|
const playerView = asRecord(payload.player_view)
|
||||||
|
|
||||||
|
if (!room && !gameState && !playerView) {
|
||||||
|
clearRoomAndRedirect(context)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const snapshot = parseRoomInfoSnapshot({
|
||||||
|
message: source,
|
||||||
|
loggedInUserId: context.session.loggedInUserId.value,
|
||||||
|
loggedInUserName: context.session.loggedInUserName.value,
|
||||||
|
previousPlayers: context.gameStore.players,
|
||||||
|
})
|
||||||
|
if (!snapshot) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
if (Object.keys(snapshot.nextPlayers).length > 0) {
|
||||||
|
clearDingQuePending(context.session)
|
||||||
|
}
|
||||||
|
|
||||||
|
applyRoomSnapshot(context.gameStore, {
|
||||||
|
roomId: snapshot.roomId,
|
||||||
|
players: snapshot.nextPlayers,
|
||||||
|
phase: snapshot.phase,
|
||||||
|
wallCount: snapshot.wallCount,
|
||||||
|
dealerIndex: snapshot.dealerIndex,
|
||||||
|
currentTurn: snapshot.currentTurn,
|
||||||
|
needDraw: snapshot.needDraw,
|
||||||
|
pendingClaim: snapshot.pendingClaim,
|
||||||
|
scores: snapshot.scores,
|
||||||
|
winners: snapshot.winners,
|
||||||
|
currentRound: snapshot.currentRound,
|
||||||
|
totalRounds: snapshot.totalRounds,
|
||||||
|
})
|
||||||
|
|
||||||
|
if (!snapshot.pendingClaim) {
|
||||||
|
clearClaimAndTurnPending(context.session)
|
||||||
|
} else {
|
||||||
|
clearTurnPending(context.session)
|
||||||
|
}
|
||||||
|
if (snapshot.actionTimer) {
|
||||||
|
setRoomCountdown(context.session, snapshot.actionTimer)
|
||||||
|
} else {
|
||||||
|
clearRoomCountdown(context.session)
|
||||||
|
}
|
||||||
|
if (typeof snapshot.settlementDeadlineMs === 'number' && snapshot.settlementDeadlineMs > 0) {
|
||||||
|
setSettlementDeadline(context.session, snapshot.settlementDeadlineMs)
|
||||||
|
}
|
||||||
|
if (context.gameStore.phase !== 'playing' || snapshot.currentTurnPlayerId !== context.session.loggedInUserId.value) {
|
||||||
|
clearSelfTurnAllowActions(context.session)
|
||||||
|
}
|
||||||
|
|
||||||
|
syncActiveRoomFromRoomInfo(context, {
|
||||||
|
roomId: snapshot.roomId,
|
||||||
|
room: snapshot.room,
|
||||||
|
status: snapshot.status,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
handleRoomInfoResponse,
|
||||||
|
}
|
||||||
|
}
|
||||||
103
src/views/chengdu/socket/handlers/roomStateHandlers.ts
Normal file
103
src/views/chengdu/socket/handlers/roomStateHandlers.ts
Normal file
@@ -0,0 +1,103 @@
|
|||||||
|
import {
|
||||||
|
asRecord,
|
||||||
|
normalizeWsType,
|
||||||
|
readNumber,
|
||||||
|
readString,
|
||||||
|
} from '../../../../game/chengdu/messageNormalizers'
|
||||||
|
import { parseRoomStateSnapshot } from '../parsers/roomStateSnapshot'
|
||||||
|
import { syncActiveRoomFromRoomState } from '../room/roomSnapshotSync'
|
||||||
|
import {
|
||||||
|
clearClaimAndTurnPending,
|
||||||
|
clearRoomCountdown,
|
||||||
|
clearSelfTurnAllowActions,
|
||||||
|
clearStartGamePending,
|
||||||
|
clearTurnPending,
|
||||||
|
completeDiscard,
|
||||||
|
resetSettlementOverlayState,
|
||||||
|
setRoomCountdown,
|
||||||
|
setSettlementDeadline,
|
||||||
|
} from '../session/sessionStateAdapter'
|
||||||
|
import { applyRoomSnapshot } from '../store/gameStoreAdapter'
|
||||||
|
import type { SocketHandlerContext } from '../types'
|
||||||
|
|
||||||
|
export function createRoomStateHandlers(context: SocketHandlerContext) {
|
||||||
|
function handleRoomStateResponse(message: unknown): void {
|
||||||
|
const source = asRecord(message)
|
||||||
|
if (!source || typeof source.type !== 'string' || normalizeWsType(source.type) !== 'ROOM_STATE') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const payload = asRecord(source.payload)
|
||||||
|
if (!payload) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const roomId = readString(payload, 'room_id', 'roomId') || context.gameStore.roomId
|
||||||
|
if (!roomId || (context.gameStore.roomId && roomId !== context.gameStore.roomId)) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const snapshot = parseRoomStateSnapshot({
|
||||||
|
payload,
|
||||||
|
roomId,
|
||||||
|
loggedInUserId: context.session.loggedInUserId.value,
|
||||||
|
previousPlayers: context.gameStore.players,
|
||||||
|
})
|
||||||
|
|
||||||
|
applyRoomSnapshot(context.gameStore, {
|
||||||
|
roomId: snapshot.roomId,
|
||||||
|
players: snapshot.nextPlayers,
|
||||||
|
phase: snapshot.phase,
|
||||||
|
wallCount: snapshot.wallCount,
|
||||||
|
currentTurn: snapshot.currentTurn,
|
||||||
|
needDraw: snapshot.needDraw,
|
||||||
|
pendingClaim: snapshot.pendingClaim,
|
||||||
|
scores: snapshot.scores,
|
||||||
|
winners: snapshot.winners,
|
||||||
|
currentRound: snapshot.currentRound,
|
||||||
|
totalRounds: snapshot.totalRounds,
|
||||||
|
})
|
||||||
|
|
||||||
|
if (typeof snapshot.settlementDeadlineMs === 'number' && snapshot.settlementDeadlineMs > 0) {
|
||||||
|
setSettlementDeadline(context.session, snapshot.settlementDeadlineMs)
|
||||||
|
} else if (snapshot.phase !== 'settlement') {
|
||||||
|
setSettlementDeadline(context.session, null)
|
||||||
|
}
|
||||||
|
if (snapshot.actionTimer) {
|
||||||
|
setRoomCountdown(context.session, snapshot.actionTimer)
|
||||||
|
} else {
|
||||||
|
clearRoomCountdown(context.session)
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!snapshot.pendingClaim) {
|
||||||
|
clearClaimAndTurnPending(context.session)
|
||||||
|
} else {
|
||||||
|
clearTurnPending(context.session)
|
||||||
|
}
|
||||||
|
|
||||||
|
syncActiveRoomFromRoomState(context, {
|
||||||
|
roomId,
|
||||||
|
phase: snapshot.phase,
|
||||||
|
})
|
||||||
|
|
||||||
|
if (snapshot.phase !== 'waiting') {
|
||||||
|
clearStartGamePending(context.session)
|
||||||
|
}
|
||||||
|
if (snapshot.phase !== 'settlement') {
|
||||||
|
resetSettlementOverlayState(context.session)
|
||||||
|
}
|
||||||
|
if (snapshot.phase !== 'playing' || snapshot.currentTurnPlayerId !== context.session.loggedInUserId.value) {
|
||||||
|
clearSelfTurnAllowActions(context.session)
|
||||||
|
}
|
||||||
|
if (
|
||||||
|
snapshot.currentTurnPlayerId &&
|
||||||
|
snapshot.currentTurnPlayerId !== context.session.loggedInUserId.value
|
||||||
|
) {
|
||||||
|
completeDiscard(context.session)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
handleRoomStateResponse,
|
||||||
|
}
|
||||||
|
}
|
||||||
19
src/views/chengdu/socket/handlers/socketDispatch.ts
Normal file
19
src/views/chengdu/socket/handlers/socketDispatch.ts
Normal file
@@ -0,0 +1,19 @@
|
|||||||
|
import { dispatchGameAction } from '../../../../game/dispatcher'
|
||||||
|
import { parseGameActionMessage } from '../parsers/gameActionMessage'
|
||||||
|
import { applyGameActionSessionEffects } from '../session/gameActionEffects'
|
||||||
|
import type { SocketHandlerContext } from '../types'
|
||||||
|
|
||||||
|
export function dispatchSocketGameAction(
|
||||||
|
context: SocketHandlerContext,
|
||||||
|
msg: unknown,
|
||||||
|
onRoomPlayerUpdate: (payload: any) => void,
|
||||||
|
onRoomTrustee: (payload: any) => void,
|
||||||
|
): void {
|
||||||
|
const gameAction = parseGameActionMessage(msg)
|
||||||
|
if (!gameAction) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
dispatchGameAction(gameAction)
|
||||||
|
applyGameActionSessionEffects(context, gameAction, onRoomPlayerUpdate, onRoomTrustee)
|
||||||
|
}
|
||||||
59
src/views/chengdu/socket/handlers/statusHandlers.ts
Normal file
59
src/views/chengdu/socket/handlers/statusHandlers.ts
Normal file
@@ -0,0 +1,59 @@
|
|||||||
|
import {
|
||||||
|
asRecord,
|
||||||
|
normalizeWsType,
|
||||||
|
readString,
|
||||||
|
} from '../../../../game/chengdu/messageNormalizers'
|
||||||
|
import { clearClaimAndTurnPending, clearRoomCountdown, pushWsMessage, setWsError } from '../session/sessionStateAdapter'
|
||||||
|
import type { SocketHandlerContext, StatusHandlerApi } from '../types'
|
||||||
|
|
||||||
|
export function createStatusHandlers(context: SocketHandlerContext): StatusHandlerApi {
|
||||||
|
function handleActionAck(message: unknown): void {
|
||||||
|
const source = asRecord(message)
|
||||||
|
if (!source || typeof source.type !== 'string' || normalizeWsType(source.type) !== 'ACTION_ACK') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const payload = asRecord(source.payload)
|
||||||
|
const roomId = readString(payload ?? {}, 'room_id', 'roomId') || readString(source, 'roomId')
|
||||||
|
if (roomId && context.gameStore.roomId && roomId !== context.gameStore.roomId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const action = normalizeWsType(readString(payload ?? {}, 'action') || readString(source, 'action'))
|
||||||
|
if (
|
||||||
|
action === 'DISCARD' ||
|
||||||
|
action === 'DRAW' ||
|
||||||
|
action === 'PENG' ||
|
||||||
|
action === 'GANG' ||
|
||||||
|
action === 'HU' ||
|
||||||
|
action === 'PASS' ||
|
||||||
|
action === 'DING_QUE'
|
||||||
|
) {
|
||||||
|
clearRoomCountdown(context.session)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function handleActionError(message: unknown): void {
|
||||||
|
const source = asRecord(message)
|
||||||
|
if (!source || typeof source.type !== 'string' || normalizeWsType(source.type) !== 'ACTION_ERROR') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const payload = asRecord(source.payload)
|
||||||
|
const roomId = readString(payload ?? {}, 'room_id', 'roomId') || readString(source, 'roomId')
|
||||||
|
if (roomId && context.gameStore.roomId && roomId !== context.gameStore.roomId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const action = readString(payload ?? {}, 'action') || 'unknown'
|
||||||
|
const messageText = readString(payload ?? {}, 'message') || '操作失败'
|
||||||
|
clearClaimAndTurnPending(context.session)
|
||||||
|
setWsError(context.session, messageText)
|
||||||
|
pushWsMessage(context.session, `[action-error] ${action}: ${messageText}`)
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
handleActionAck,
|
||||||
|
handleActionError,
|
||||||
|
}
|
||||||
|
}
|
||||||
197
src/views/chengdu/socket/handlers/turnHandlers.ts
Normal file
197
src/views/chengdu/socket/handlers/turnHandlers.ts
Normal file
@@ -0,0 +1,197 @@
|
|||||||
|
import {
|
||||||
|
asRecord,
|
||||||
|
normalizeTimestampMs,
|
||||||
|
normalizeWsType,
|
||||||
|
readNumber,
|
||||||
|
readPlayerTurnAllowActions,
|
||||||
|
readPlayerTurnPlayerId,
|
||||||
|
readString,
|
||||||
|
readStringArray,
|
||||||
|
} from '../../../../game/chengdu/messageNormalizers'
|
||||||
|
import {
|
||||||
|
clearClaimAndTurnPending,
|
||||||
|
clearDingQuePending,
|
||||||
|
clearNextRoundPending,
|
||||||
|
clearRoomCountdown,
|
||||||
|
clearSelfTurnAllowActions,
|
||||||
|
clearTurnPending,
|
||||||
|
completeDiscard,
|
||||||
|
resetSettlementOverlayState,
|
||||||
|
setRoomCountdown,
|
||||||
|
setSelfTurnAllowActions,
|
||||||
|
} from '../session/sessionStateAdapter'
|
||||||
|
import { resetRoundResolutionState } from '../store/gameStoreAdapter'
|
||||||
|
import type { SocketHandlerContext, TurnHandlerApi, TurnPayloadRecord } from '../types'
|
||||||
|
|
||||||
|
export function createTurnHandlers(context: SocketHandlerContext): TurnHandlerApi {
|
||||||
|
function handlePlayerAllowAction(message: unknown): void {
|
||||||
|
const source = asRecord(message)
|
||||||
|
if (!source || typeof source.type !== 'string' || normalizeWsType(source.type) !== 'PLAYER_ALLOW_ACTION') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const payload = asRecord(source.payload) ?? source
|
||||||
|
const roomId = readString(payload, 'room_id', 'roomId') || readString(source, 'roomId', 'room_id')
|
||||||
|
if (roomId && context.gameStore.roomId && roomId !== context.gameStore.roomId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const playerId = readPlayerTurnPlayerId(payload)
|
||||||
|
const timeout =
|
||||||
|
readNumber(payload, 'timeout', 'Timeout') ??
|
||||||
|
readNumber(source, 'timeout', 'Timeout') ??
|
||||||
|
0
|
||||||
|
const startAtRaw =
|
||||||
|
readNumber(payload, 'start_at', 'startAt', 'StartAt') ??
|
||||||
|
readNumber(source, 'start_at', 'startAt', 'StartAt')
|
||||||
|
|
||||||
|
if (!playerId || timeout <= 0) {
|
||||||
|
clearRoomCountdown(context.session)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const startAtMs = normalizeTimestampMs(startAtRaw)
|
||||||
|
const deadlineAtMs = startAtMs !== null ? startAtMs + timeout * 1000 : null
|
||||||
|
const remaining =
|
||||||
|
deadlineAtMs !== null ? Math.max(0, Math.ceil((deadlineAtMs - context.session.now.value) / 1000)) : timeout
|
||||||
|
|
||||||
|
setRoomCountdown(context.session, {
|
||||||
|
playerIds: [playerId],
|
||||||
|
actionDeadlineAt: deadlineAtMs !== null ? new Date(deadlineAtMs).toISOString() : null,
|
||||||
|
countdownSeconds: timeout,
|
||||||
|
duration: timeout,
|
||||||
|
remaining,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function handleDingQueCountdown(message: unknown): void {
|
||||||
|
const source = asRecord(message)
|
||||||
|
if (!source || typeof source.type !== 'string' || normalizeWsType(source.type) !== 'DING_QUE_COUNTDOWN') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const payload = asRecord(source.payload) ?? source
|
||||||
|
const roomId = readString(payload, 'room_id', 'roomId') || readString(source, 'roomId')
|
||||||
|
if (roomId && context.gameStore.roomId && roomId !== context.gameStore.roomId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const playerIds = readStringArray(payload, 'player_ids', 'playerIds', 'PlayerIDs')
|
||||||
|
const fallbackPlayerId = readString(payload, 'player_id', 'playerId', 'PlayerID')
|
||||||
|
const normalizedPlayerIds = playerIds.length > 0 ? playerIds : fallbackPlayerId ? [fallbackPlayerId] : []
|
||||||
|
if (normalizedPlayerIds.length === 0) {
|
||||||
|
clearRoomCountdown(context.session)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const countdownSeconds = readNumber(payload, 'countdown_seconds', 'CountdownSeconds') ?? 0
|
||||||
|
const duration = readNumber(payload, 'duration', 'Duration') ?? countdownSeconds
|
||||||
|
const remaining = readNumber(payload, 'remaining', 'Remaining') ?? countdownSeconds
|
||||||
|
const actionDeadlineAt = readString(payload, 'action_deadline_at', 'ActionDeadlineAt') || null
|
||||||
|
|
||||||
|
if (countdownSeconds <= 0 && remaining <= 0 && !actionDeadlineAt) {
|
||||||
|
clearRoomCountdown(context.session)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
setRoomCountdown(context.session, {
|
||||||
|
playerIds: normalizedPlayerIds,
|
||||||
|
actionDeadlineAt,
|
||||||
|
countdownSeconds,
|
||||||
|
duration,
|
||||||
|
remaining,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function applyPlayerTurnCountdown(payload: TurnPayloadRecord): void {
|
||||||
|
const playerId = readPlayerTurnPlayerId(payload)
|
||||||
|
const timeout =
|
||||||
|
(typeof payload.timeout === 'number' && Number.isFinite(payload.timeout) ? payload.timeout : null) ??
|
||||||
|
(typeof payload.Timeout === 'number' && Number.isFinite(payload.Timeout) ? payload.Timeout : null) ??
|
||||||
|
0
|
||||||
|
const startAtRaw =
|
||||||
|
(typeof payload.start_at === 'number' && Number.isFinite(payload.start_at) ? payload.start_at : null) ??
|
||||||
|
(typeof payload.startAt === 'number' && Number.isFinite(payload.startAt) ? payload.startAt : null) ??
|
||||||
|
(typeof payload.StartAt === 'number' && Number.isFinite(payload.StartAt) ? payload.StartAt : null)
|
||||||
|
|
||||||
|
if (!playerId || timeout <= 0) {
|
||||||
|
clearRoomCountdown(context.session)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const startAtMs = normalizeTimestampMs(startAtRaw)
|
||||||
|
const deadlineAtMs = startAtMs !== null ? startAtMs + timeout * 1000 : null
|
||||||
|
const remaining =
|
||||||
|
deadlineAtMs !== null ? Math.max(0, Math.ceil((deadlineAtMs - context.session.now.value) / 1000)) : timeout
|
||||||
|
|
||||||
|
setRoomCountdown(context.session, {
|
||||||
|
playerIds: [playerId],
|
||||||
|
actionDeadlineAt: deadlineAtMs !== null ? new Date(deadlineAtMs).toISOString() : null,
|
||||||
|
countdownSeconds: timeout,
|
||||||
|
duration: timeout,
|
||||||
|
remaining,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function resetRoundStateForNextTurn(payload: Record<string, unknown>): void {
|
||||||
|
const nextRound = readNumber(payload, 'current_round', 'currentRound')
|
||||||
|
const totalRounds = readNumber(payload, 'total_rounds', 'totalRounds')
|
||||||
|
if (typeof nextRound !== 'number' && typeof totalRounds !== 'number') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
if (typeof nextRound === 'number') {
|
||||||
|
context.gameStore.currentRound = nextRound
|
||||||
|
}
|
||||||
|
if (typeof totalRounds === 'number') {
|
||||||
|
context.gameStore.totalRounds = totalRounds
|
||||||
|
}
|
||||||
|
|
||||||
|
clearNextRoundPending(context.session)
|
||||||
|
resetSettlementOverlayState(context.session)
|
||||||
|
clearDingQuePending(context.session)
|
||||||
|
clearRoomCountdown(context.session)
|
||||||
|
clearClaimAndTurnPending(context.session)
|
||||||
|
clearSelfTurnAllowActions(context.session)
|
||||||
|
resetRoundResolutionState(context.gameStore)
|
||||||
|
|
||||||
|
completeDiscard(context.session)
|
||||||
|
clearTurnPending(context.session)
|
||||||
|
}
|
||||||
|
|
||||||
|
function handlePlayerTurn(message: unknown): void {
|
||||||
|
const source = asRecord(message)
|
||||||
|
if (!source || typeof source.type !== 'string') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const normalizedType = normalizeWsType(source.type)
|
||||||
|
if (normalizedType !== 'PLAYER_TURN' && normalizedType !== 'NEXT_TURN') {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const payload = asRecord(source.payload) ?? source
|
||||||
|
const roomId = readString(payload, 'room_id', 'roomId') || readString(source, 'roomId')
|
||||||
|
if (roomId && context.gameStore.roomId && roomId !== context.gameStore.roomId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
resetRoundStateForNextTurn(payload)
|
||||||
|
const turnPayload = payload as TurnPayloadRecord
|
||||||
|
const turnPlayerID = readPlayerTurnPlayerId(turnPayload)
|
||||||
|
if (turnPlayerID && turnPlayerID === context.session.loggedInUserId.value) {
|
||||||
|
setSelfTurnAllowActions(context.session, readPlayerTurnAllowActions(turnPayload))
|
||||||
|
} else {
|
||||||
|
clearSelfTurnAllowActions(context.session)
|
||||||
|
}
|
||||||
|
if (normalizedType === 'PLAYER_TURN') {
|
||||||
|
applyPlayerTurnCountdown(turnPayload)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
handleDingQueCountdown,
|
||||||
|
handlePlayerAllowAction,
|
||||||
|
handlePlayerTurn,
|
||||||
|
}
|
||||||
|
}
|
||||||
27
src/views/chengdu/socket/parsers/actionTimerSnapshot.ts
Normal file
27
src/views/chengdu/socket/parsers/actionTimerSnapshot.ts
Normal file
@@ -0,0 +1,27 @@
|
|||||||
|
import { asRecord, readNumber, readString, readStringArray } from '../../../../game/chengdu/messageNormalizers'
|
||||||
|
import type { PlayerActionTimer } from '../../types'
|
||||||
|
|
||||||
|
export function parseActionTimerSnapshot(source: unknown): PlayerActionTimer | null {
|
||||||
|
const timer = asRecord(source)
|
||||||
|
if (!timer) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
const playerIds = readStringArray(timer, 'player_ids', 'playerIds', 'PlayerIDs')
|
||||||
|
const countdownSeconds = readNumber(timer, 'countdown_seconds', 'countdownSeconds', 'CountdownSeconds') ?? 0
|
||||||
|
const duration = readNumber(timer, 'duration', 'Duration') ?? countdownSeconds
|
||||||
|
const remaining = readNumber(timer, 'remaining', 'Remaining') ?? countdownSeconds
|
||||||
|
const actionDeadlineAt = readString(timer, 'action_deadline_at', 'actionDeadlineAt', 'ActionDeadlineAt') || null
|
||||||
|
|
||||||
|
if (playerIds.length === 0 && countdownSeconds <= 0 && remaining <= 0 && !actionDeadlineAt) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
playerIds,
|
||||||
|
actionDeadlineAt,
|
||||||
|
countdownSeconds,
|
||||||
|
duration,
|
||||||
|
remaining,
|
||||||
|
}
|
||||||
|
}
|
||||||
100
src/views/chengdu/socket/parsers/gameActionMessage.ts
Normal file
100
src/views/chengdu/socket/parsers/gameActionMessage.ts
Normal file
@@ -0,0 +1,100 @@
|
|||||||
|
import type { DiscardActionPayload, DrawActionPayload, GameAction, PlayerTurnPayload, RoomTrusteePayload } from '../../../../game/actions'
|
||||||
|
import type { ClaimOptionState } from '../../../../types/state'
|
||||||
|
import { asRecord, normalizeTile, normalizeWsType, readNumber, readString } from '../../../../game/chengdu/messageNormalizers'
|
||||||
|
|
||||||
|
export function parseGameActionMessage(message: unknown): GameAction | null {
|
||||||
|
if (!message || typeof message !== 'object') {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
const source = message as Record<string, unknown>
|
||||||
|
if (typeof source.type !== 'string') {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
const type = normalizeWsType(source.type)
|
||||||
|
const payload = source.payload
|
||||||
|
|
||||||
|
switch (type) {
|
||||||
|
case 'GAME_INIT':
|
||||||
|
case 'GAME_START':
|
||||||
|
case 'DRAW_TILE':
|
||||||
|
case 'PLAY_TILE':
|
||||||
|
case 'PENDING_CLAIM':
|
||||||
|
case 'CLAIM_RESOLVED':
|
||||||
|
case 'ROOM_PLAYER_UPDATE':
|
||||||
|
return payload && typeof payload === 'object' ? ({ type, payload } as GameAction) : null
|
||||||
|
case 'ROOM_MEMBER_JOINED':
|
||||||
|
return payload && typeof payload === 'object'
|
||||||
|
? ({ type: 'ROOM_PLAYER_UPDATE', payload } as GameAction)
|
||||||
|
: null
|
||||||
|
case 'ROOM_TRUSTEE':
|
||||||
|
case 'PLAYER_TRUSTEE':
|
||||||
|
return payload && typeof payload === 'object'
|
||||||
|
? ({ type: 'ROOM_TRUSTEE', payload } as GameAction)
|
||||||
|
: ({ type: 'ROOM_TRUSTEE', payload: source as unknown as RoomTrusteePayload } as GameAction)
|
||||||
|
case 'DRAW': {
|
||||||
|
const resolvedPayload = asRecord(payload)
|
||||||
|
const playerId =
|
||||||
|
readString(resolvedPayload ?? {}, 'player_id', 'playerId', 'PlayerID') ||
|
||||||
|
readString(source, 'target')
|
||||||
|
if (!playerId) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
return {
|
||||||
|
type: 'DRAW_TILE',
|
||||||
|
payload: {
|
||||||
|
...(resolvedPayload as DrawActionPayload | null),
|
||||||
|
player_id: playerId,
|
||||||
|
},
|
||||||
|
}
|
||||||
|
}
|
||||||
|
case 'DISCARD': {
|
||||||
|
const resolvedPayload = asRecord(payload)
|
||||||
|
const playerId =
|
||||||
|
readString(resolvedPayload ?? {}, 'player_id', 'playerId', 'PlayerID') ||
|
||||||
|
readString(source, 'target')
|
||||||
|
const tile = normalizeTile(resolvedPayload?.tile)
|
||||||
|
if (!playerId || !tile) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
const nextSeat = readNumber(resolvedPayload ?? {}, 'next_seat', 'nextSeat')
|
||||||
|
return {
|
||||||
|
type: 'PLAY_TILE',
|
||||||
|
payload: {
|
||||||
|
...(resolvedPayload as DiscardActionPayload | null),
|
||||||
|
player_id: playerId,
|
||||||
|
tile,
|
||||||
|
...(typeof nextSeat === 'number' ? { next_seat: nextSeat } : {}),
|
||||||
|
},
|
||||||
|
}
|
||||||
|
}
|
||||||
|
case 'PLAYER_TURN':
|
||||||
|
case 'NEXT_TURN':
|
||||||
|
return payload && typeof payload === 'object'
|
||||||
|
? ({ type: 'PLAYER_TURN', payload } as GameAction)
|
||||||
|
: ({ type: 'PLAYER_TURN', payload: source as unknown as PlayerTurnPayload } as GameAction)
|
||||||
|
case 'PENG':
|
||||||
|
case 'GANG':
|
||||||
|
case 'HU':
|
||||||
|
case 'PASS': {
|
||||||
|
const resolvedPayload = asRecord(payload)
|
||||||
|
const playerId =
|
||||||
|
readString(resolvedPayload ?? {}, 'player_id', 'playerId', 'PlayerID') ||
|
||||||
|
readString(source, 'target')
|
||||||
|
const action = type.toLowerCase()
|
||||||
|
if (!playerId || !['peng', 'gang', 'hu', 'pass'].includes(action)) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
return {
|
||||||
|
type: 'CLAIM_RESOLVED',
|
||||||
|
payload: {
|
||||||
|
playerId,
|
||||||
|
action: action as ClaimOptionState,
|
||||||
|
},
|
||||||
|
}
|
||||||
|
}
|
||||||
|
default:
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
}
|
||||||
281
src/views/chengdu/socket/parsers/roomInfoSnapshot.ts
Normal file
281
src/views/chengdu/socket/parsers/roomInfoSnapshot.ts
Normal file
@@ -0,0 +1,281 @@
|
|||||||
|
import {
|
||||||
|
asRecord,
|
||||||
|
normalizeMelds,
|
||||||
|
normalizePendingClaim,
|
||||||
|
normalizeTiles,
|
||||||
|
readBoolean,
|
||||||
|
readMissingSuit,
|
||||||
|
readMissingSuitWithPresence,
|
||||||
|
readNumber,
|
||||||
|
readString,
|
||||||
|
readStringArray,
|
||||||
|
tileToText,
|
||||||
|
} from '../../../../game/chengdu/messageNormalizers'
|
||||||
|
import type { RoomMetaSnapshotState } from '../../../../store/state'
|
||||||
|
import type { PendingClaimState, PlayerState } from '../../../../types/state'
|
||||||
|
import type { PlayerActionTimer } from '../../types'
|
||||||
|
import { parseActionTimerSnapshot } from './actionTimerSnapshot'
|
||||||
|
|
||||||
|
interface RoomInfoSnapshotPlayerPair {
|
||||||
|
roomPlayer: RoomMetaSnapshotState['players'][number]
|
||||||
|
gamePlayer: PlayerState
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface ParsedRoomInfoSnapshot {
|
||||||
|
room: Record<string, unknown> | null
|
||||||
|
gameState: Record<string, unknown> | null
|
||||||
|
playerView: Record<string, unknown> | null
|
||||||
|
roomId: string
|
||||||
|
roomPlayers: RoomInfoSnapshotPlayerPair[]
|
||||||
|
nextPlayers: Record<string, PlayerState>
|
||||||
|
status: string
|
||||||
|
phase: string
|
||||||
|
wallCount: number | null
|
||||||
|
dealerIndex: number | null
|
||||||
|
currentTurnPlayerId: string
|
||||||
|
currentTurn: number | null
|
||||||
|
needDraw: boolean
|
||||||
|
pendingClaim?: PendingClaimState
|
||||||
|
scores?: Record<string, number>
|
||||||
|
winners: string[]
|
||||||
|
currentRound: number | null
|
||||||
|
totalRounds: number | null
|
||||||
|
settlementDeadlineMs: number | null
|
||||||
|
actionTimer: PlayerActionTimer | null
|
||||||
|
}
|
||||||
|
|
||||||
|
interface ParseRoomInfoSnapshotOptions {
|
||||||
|
message: Record<string, unknown>
|
||||||
|
loggedInUserId: string
|
||||||
|
loggedInUserName: string
|
||||||
|
previousPlayers: Record<string, PlayerState>
|
||||||
|
}
|
||||||
|
|
||||||
|
function buildPlayerPairs(options: ParseRoomInfoSnapshotOptions, payload: Record<string, unknown>) {
|
||||||
|
const room = asRecord(payload.room)
|
||||||
|
const gameState = asRecord(payload.game_state)
|
||||||
|
const playerView = asRecord(payload.player_view)
|
||||||
|
const roomPlayers = Array.isArray(room?.players) ? room.players : []
|
||||||
|
const gamePlayers = Array.isArray(gameState?.players) ? gameState.players : []
|
||||||
|
const playerMap = new Map<string, RoomInfoSnapshotPlayerPair>()
|
||||||
|
|
||||||
|
roomPlayers.forEach((item, fallbackIndex) => {
|
||||||
|
const player = asRecord(item)
|
||||||
|
if (!player) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const playerId = readString(player, 'player_id', 'PlayerID', 'id', 'user_id')
|
||||||
|
if (!playerId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const seatIndex = readNumber(player, 'index', 'Index', 'seat_index', 'seatIndex') ?? fallbackIndex
|
||||||
|
const displayName =
|
||||||
|
readString(player, 'player_name', 'PlayerName', 'display_name', 'displayName', 'nickname', 'username') ||
|
||||||
|
(playerId === options.loggedInUserId ? options.loggedInUserName : '')
|
||||||
|
const ready = readBoolean(player, 'ready', 'Ready') ?? false
|
||||||
|
const missingSuit = readMissingSuit(player)
|
||||||
|
|
||||||
|
playerMap.set(playerId, {
|
||||||
|
roomPlayer: {
|
||||||
|
index: seatIndex,
|
||||||
|
playerId,
|
||||||
|
displayName: displayName || undefined,
|
||||||
|
missingSuit,
|
||||||
|
ready,
|
||||||
|
trustee: false,
|
||||||
|
hand: [],
|
||||||
|
melds: [],
|
||||||
|
outTiles: [],
|
||||||
|
hasHu: false,
|
||||||
|
},
|
||||||
|
gamePlayer: {
|
||||||
|
playerId,
|
||||||
|
seatIndex,
|
||||||
|
displayName: displayName || undefined,
|
||||||
|
avatarURL: readString(player, 'avatar_url', 'AvatarUrl', 'avatar', 'avatarUrl') || undefined,
|
||||||
|
missingSuit,
|
||||||
|
isReady: ready,
|
||||||
|
isTrustee: false,
|
||||||
|
handTiles: [],
|
||||||
|
handCount: 0,
|
||||||
|
melds: [],
|
||||||
|
discardTiles: [],
|
||||||
|
hasHu: false,
|
||||||
|
score: 0,
|
||||||
|
},
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
gamePlayers.forEach((item, fallbackIndex) => {
|
||||||
|
const player = asRecord(item)
|
||||||
|
if (!player) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const playerId = readString(player, 'player_id', 'PlayerID')
|
||||||
|
if (!playerId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const existing = playerMap.get(playerId)
|
||||||
|
const seatIndex =
|
||||||
|
existing?.gamePlayer.seatIndex ??
|
||||||
|
readNumber(player, 'index', 'Index', 'seat_index', 'seatIndex') ??
|
||||||
|
fallbackIndex
|
||||||
|
const displayName =
|
||||||
|
existing?.gamePlayer.displayName || (playerId === options.loggedInUserId ? options.loggedInUserName : '')
|
||||||
|
const missingSuit = readMissingSuitWithPresence(player)
|
||||||
|
const handCount = readNumber(player, 'hand_count', 'handCount') ?? 0
|
||||||
|
const outTiles = normalizeTiles(player.out_tiles ?? player.outTiles)
|
||||||
|
const melds = normalizeMelds(player.melds ?? player.exposed_melds ?? player.exposedMelds ?? player.claims)
|
||||||
|
const hasHu = Boolean(player.has_hu ?? player.hasHu)
|
||||||
|
|
||||||
|
playerMap.set(playerId, {
|
||||||
|
roomPlayer: {
|
||||||
|
index: seatIndex,
|
||||||
|
playerId,
|
||||||
|
displayName: displayName || undefined,
|
||||||
|
missingSuit: missingSuit.present ? missingSuit.value : (existing?.gamePlayer.missingSuit ?? null),
|
||||||
|
ready: existing?.roomPlayer.ready ?? false,
|
||||||
|
trustee: existing?.roomPlayer.trustee ?? false,
|
||||||
|
hand: Array.from({ length: handCount }, () => ''),
|
||||||
|
melds: melds.map((meld) => meld.type),
|
||||||
|
outTiles: outTiles.map((tile) => tileToText(tile)),
|
||||||
|
hasHu,
|
||||||
|
},
|
||||||
|
gamePlayer: {
|
||||||
|
playerId,
|
||||||
|
seatIndex,
|
||||||
|
displayName: displayName || undefined,
|
||||||
|
avatarURL: existing?.gamePlayer.avatarURL,
|
||||||
|
missingSuit: missingSuit.present ? missingSuit.value : (existing?.gamePlayer.missingSuit ?? null),
|
||||||
|
isReady: existing?.gamePlayer.isReady ?? false,
|
||||||
|
isTrustee: existing?.gamePlayer.isTrustee ?? false,
|
||||||
|
handTiles: existing?.gamePlayer.handTiles ?? [],
|
||||||
|
handCount,
|
||||||
|
melds: melds.length > 0 ? melds : existing?.gamePlayer.melds ?? [],
|
||||||
|
discardTiles: outTiles,
|
||||||
|
hasHu,
|
||||||
|
score: existing?.gamePlayer.score ?? 0,
|
||||||
|
},
|
||||||
|
})
|
||||||
|
})
|
||||||
|
|
||||||
|
const privateHandTiles = normalizeTiles(playerView?.hand)
|
||||||
|
const privateHand = privateHandTiles.map((tile) => tileToText(tile))
|
||||||
|
if (options.loggedInUserId && playerMap.has(options.loggedInUserId)) {
|
||||||
|
const current = playerMap.get(options.loggedInUserId)
|
||||||
|
if (current) {
|
||||||
|
const selfMissingSuit = readMissingSuitWithPresence(playerView)
|
||||||
|
current.roomPlayer.hand = privateHand
|
||||||
|
if (selfMissingSuit.present) {
|
||||||
|
current.roomPlayer.missingSuit = selfMissingSuit.value
|
||||||
|
}
|
||||||
|
current.gamePlayer.handTiles = privateHandTiles
|
||||||
|
current.gamePlayer.handCount = privateHandTiles.length
|
||||||
|
if (selfMissingSuit.present) {
|
||||||
|
current.gamePlayer.missingSuit = selfMissingSuit.value
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
room,
|
||||||
|
gameState,
|
||||||
|
playerView,
|
||||||
|
roomPlayers: Array.from(playerMap.values()).sort((a, b) => a.gamePlayer.seatIndex - b.gamePlayer.seatIndex),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function parseRoomInfoSnapshot(
|
||||||
|
options: ParseRoomInfoSnapshotOptions,
|
||||||
|
): ParsedRoomInfoSnapshot | null {
|
||||||
|
const payload = asRecord(options.message.payload) ?? options.message
|
||||||
|
const { room, gameState, playerView, roomPlayers } = buildPlayerPairs(options, payload)
|
||||||
|
|
||||||
|
const roomId =
|
||||||
|
readString(room ?? {}, 'room_id', 'roomId') ||
|
||||||
|
readString(gameState ?? {}, 'room_id', 'roomId') ||
|
||||||
|
readString(playerView ?? {}, 'room_id', 'roomId') ||
|
||||||
|
readString(payload, 'room_id', 'roomId') ||
|
||||||
|
readString(options.message, 'roomId')
|
||||||
|
if (!roomId) {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
const nextPlayers: Record<string, PlayerState> = {}
|
||||||
|
roomPlayers.forEach(({ gamePlayer }) => {
|
||||||
|
const previous = options.previousPlayers[gamePlayer.playerId]
|
||||||
|
const score =
|
||||||
|
gameState?.scores && typeof gameState.scores === 'object'
|
||||||
|
? (gameState.scores as Record<string, unknown>)[gamePlayer.playerId]
|
||||||
|
: undefined
|
||||||
|
nextPlayers[gamePlayer.playerId] = {
|
||||||
|
playerId: gamePlayer.playerId,
|
||||||
|
seatIndex: gamePlayer.seatIndex,
|
||||||
|
displayName: gamePlayer.displayName ?? previous?.displayName,
|
||||||
|
avatarURL: gamePlayer.avatarURL ?? previous?.avatarURL,
|
||||||
|
missingSuit:
|
||||||
|
typeof gamePlayer.missingSuit === 'undefined' ? (previous?.missingSuit ?? null) : gamePlayer.missingSuit,
|
||||||
|
isTrustee: previous?.isTrustee ?? gamePlayer.isTrustee,
|
||||||
|
handTiles: gamePlayer.handTiles.length > 0 ? gamePlayer.handTiles : previous?.handTiles ?? [],
|
||||||
|
handCount:
|
||||||
|
gamePlayer.handCount > 0
|
||||||
|
? gamePlayer.handCount
|
||||||
|
: gamePlayer.handTiles.length > 0
|
||||||
|
? gamePlayer.handTiles.length
|
||||||
|
: (previous?.handCount ?? 0),
|
||||||
|
melds: gamePlayer.melds.length > 0 ? gamePlayer.melds : previous?.melds ?? [],
|
||||||
|
discardTiles: gamePlayer.discardTiles.length > 0 ? gamePlayer.discardTiles : previous?.discardTiles ?? [],
|
||||||
|
hasHu: gamePlayer.hasHu || previous?.hasHu || false,
|
||||||
|
score: typeof score === 'number' ? score : previous?.score ?? gamePlayer.score ?? 0,
|
||||||
|
isReady: gamePlayer.isReady,
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
const status =
|
||||||
|
readString(gameState ?? {}, 'status') ||
|
||||||
|
readString(room ?? {}, 'status') ||
|
||||||
|
readString(gameState ?? {}, 'phase') ||
|
||||||
|
'waiting'
|
||||||
|
const rawPendingClaim = asRecord(gameState?.pending_claim ?? gameState?.pendingClaim)
|
||||||
|
const hasPendingClaimWindow = Boolean(rawPendingClaim && Object.keys(rawPendingClaim).length > 0)
|
||||||
|
const phase =
|
||||||
|
hasPendingClaimWindow ? 'action' : readString(gameState ?? {}, 'phase') || readString(room ?? {}, 'status') || 'waiting'
|
||||||
|
const wallCount = readNumber(gameState ?? {}, 'wall_count', 'wallCount')
|
||||||
|
const dealerIndex = readNumber(gameState ?? {}, 'dealer_index', 'dealerIndex')
|
||||||
|
const currentTurnSeat = readNumber(gameState ?? {}, 'current_turn', 'currentTurn')
|
||||||
|
const currentTurnPlayerId = readString(gameState ?? {}, 'current_turn_player', 'currentTurnPlayer') || ''
|
||||||
|
const currentTurn =
|
||||||
|
currentTurnSeat ??
|
||||||
|
(currentTurnPlayerId && nextPlayers[currentTurnPlayerId] ? nextPlayers[currentTurnPlayerId].seatIndex : null)
|
||||||
|
|
||||||
|
return {
|
||||||
|
room,
|
||||||
|
gameState,
|
||||||
|
playerView,
|
||||||
|
roomId,
|
||||||
|
roomPlayers,
|
||||||
|
nextPlayers,
|
||||||
|
status,
|
||||||
|
phase,
|
||||||
|
wallCount,
|
||||||
|
dealerIndex,
|
||||||
|
currentTurnPlayerId,
|
||||||
|
currentTurn,
|
||||||
|
needDraw: readBoolean(gameState ?? {}, 'need_draw', 'needDraw') ?? false,
|
||||||
|
pendingClaim: normalizePendingClaim(gameState, options.loggedInUserId),
|
||||||
|
scores: asRecord(gameState?.scores)
|
||||||
|
? (Object.fromEntries(
|
||||||
|
Object.entries(asRecord(gameState?.scores) ?? {}).filter(([, value]) => typeof value === 'number'),
|
||||||
|
) as Record<string, number>)
|
||||||
|
: undefined,
|
||||||
|
winners: readStringArray(gameState ?? {}, 'winners'),
|
||||||
|
currentRound: readNumber(gameState ?? {}, 'current_round', 'currentRound'),
|
||||||
|
totalRounds: readNumber(gameState ?? {}, 'total_rounds', 'totalRounds'),
|
||||||
|
settlementDeadlineMs: readNumber(gameState ?? {}, 'settlement_deadline_ms', 'settlementDeadlineMs'),
|
||||||
|
actionTimer: parseActionTimerSnapshot(gameState?.action_timer ?? gameState?.actionTimer),
|
||||||
|
}
|
||||||
|
}
|
||||||
116
src/views/chengdu/socket/parsers/roomStateSnapshot.ts
Normal file
116
src/views/chengdu/socket/parsers/roomStateSnapshot.ts
Normal file
@@ -0,0 +1,116 @@
|
|||||||
|
import {
|
||||||
|
asRecord,
|
||||||
|
normalizeMelds,
|
||||||
|
normalizePendingClaim,
|
||||||
|
normalizeTiles,
|
||||||
|
readBoolean,
|
||||||
|
readMissingSuitWithPresence,
|
||||||
|
readNumber,
|
||||||
|
readString,
|
||||||
|
readStringArray,
|
||||||
|
} from '../../../../game/chengdu/messageNormalizers'
|
||||||
|
import type { PendingClaimState, PlayerState } from '../../../../types/state'
|
||||||
|
import type { PlayerActionTimer } from '../../types'
|
||||||
|
import { parseActionTimerSnapshot } from './actionTimerSnapshot'
|
||||||
|
|
||||||
|
export interface ParsedRoomStateSnapshot {
|
||||||
|
roomId: string
|
||||||
|
nextPlayers: Record<string, PlayerState>
|
||||||
|
phase: string
|
||||||
|
wallCount: number | null
|
||||||
|
currentTurnPlayerId: string
|
||||||
|
currentTurn: number | null
|
||||||
|
needDraw: boolean
|
||||||
|
pendingClaim?: PendingClaimState
|
||||||
|
scores?: Record<string, number>
|
||||||
|
winners: string[]
|
||||||
|
currentRound: number | null
|
||||||
|
totalRounds: number | null
|
||||||
|
settlementDeadlineMs: number | null
|
||||||
|
actionTimer: PlayerActionTimer | null
|
||||||
|
}
|
||||||
|
|
||||||
|
interface ParseRoomStateSnapshotOptions {
|
||||||
|
payload: Record<string, unknown>
|
||||||
|
roomId: string
|
||||||
|
loggedInUserId: string
|
||||||
|
previousPlayers: Record<string, PlayerState>
|
||||||
|
}
|
||||||
|
|
||||||
|
export function parseRoomStateSnapshot(
|
||||||
|
options: ParseRoomStateSnapshotOptions,
|
||||||
|
): ParsedRoomStateSnapshot {
|
||||||
|
const { payload, previousPlayers } = options
|
||||||
|
const nextPlayers: Record<string, PlayerState> = {}
|
||||||
|
const gamePlayers = Array.isArray(payload.players) ? payload.players : []
|
||||||
|
|
||||||
|
gamePlayers.forEach((item, fallbackIndex) => {
|
||||||
|
const player = asRecord(item)
|
||||||
|
if (!player) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const playerId = readString(player, 'player_id', 'PlayerID')
|
||||||
|
if (!playerId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const previous = previousPlayers[playerId]
|
||||||
|
const seatIndex = previous?.seatIndex ?? fallbackIndex
|
||||||
|
const handCount = readNumber(player, 'hand_count', 'handCount') ?? previous?.handCount ?? 0
|
||||||
|
const outTiles = normalizeTiles(player.out_tiles ?? player.outTiles)
|
||||||
|
const melds = normalizeMelds(player.melds ?? player.exposed_melds ?? player.exposedMelds ?? player.claims)
|
||||||
|
const hasHu = Boolean(player.has_hu ?? player.hasHu)
|
||||||
|
const dingQue = readMissingSuitWithPresence(player)
|
||||||
|
const scores = asRecord(payload.scores)
|
||||||
|
const score = scores?.[playerId]
|
||||||
|
|
||||||
|
nextPlayers[playerId] = {
|
||||||
|
playerId,
|
||||||
|
seatIndex,
|
||||||
|
displayName: previous?.displayName ?? playerId,
|
||||||
|
avatarURL: previous?.avatarURL,
|
||||||
|
isTrustee: previous?.isTrustee ?? false,
|
||||||
|
missingSuit: dingQue.present ? dingQue.value : (previous?.missingSuit ?? null),
|
||||||
|
handTiles: previous?.handTiles ?? [],
|
||||||
|
handCount,
|
||||||
|
melds,
|
||||||
|
discardTiles: outTiles,
|
||||||
|
hasHu,
|
||||||
|
score: typeof score === 'number' ? score : previous?.score ?? 0,
|
||||||
|
isReady: previous?.isReady ?? false,
|
||||||
|
}
|
||||||
|
})
|
||||||
|
|
||||||
|
const rawPendingClaim = asRecord(payload.pending_claim ?? payload.pendingClaim)
|
||||||
|
const hasPendingClaimWindow = Boolean(rawPendingClaim && Object.keys(rawPendingClaim).length > 0)
|
||||||
|
const phase =
|
||||||
|
hasPendingClaimWindow ? 'action' : readString(payload, 'phase') || readString(payload, 'status') || 'waiting'
|
||||||
|
const wallCount = readNumber(payload, 'wall_count', 'wallCount')
|
||||||
|
const currentTurnSeat = readNumber(payload, 'current_turn', 'currentTurn')
|
||||||
|
const currentTurnPlayerId = readString(payload, 'current_turn_player', 'currentTurnPlayer') || ''
|
||||||
|
const currentTurn =
|
||||||
|
currentTurnSeat ??
|
||||||
|
(currentTurnPlayerId && nextPlayers[currentTurnPlayerId] ? nextPlayers[currentTurnPlayerId].seatIndex : null)
|
||||||
|
|
||||||
|
return {
|
||||||
|
roomId: options.roomId,
|
||||||
|
nextPlayers,
|
||||||
|
phase,
|
||||||
|
wallCount,
|
||||||
|
currentTurnPlayerId,
|
||||||
|
currentTurn,
|
||||||
|
needDraw: readBoolean(payload, 'need_draw', 'needDraw') ?? false,
|
||||||
|
pendingClaim: normalizePendingClaim(payload, options.loggedInUserId),
|
||||||
|
scores: asRecord(payload.scores)
|
||||||
|
? (Object.fromEntries(
|
||||||
|
Object.entries(asRecord(payload.scores) ?? {}).filter(([, value]) => typeof value === 'number'),
|
||||||
|
) as Record<string, number>)
|
||||||
|
: undefined,
|
||||||
|
winners: readStringArray(payload, 'winners'),
|
||||||
|
currentRound: readNumber(payload, 'current_round', 'currentRound'),
|
||||||
|
totalRounds: readNumber(payload, 'total_rounds', 'totalRounds'),
|
||||||
|
settlementDeadlineMs: readNumber(payload, 'settlement_deadline_ms', 'settlementDeadlineMs'),
|
||||||
|
actionTimer: parseActionTimerSnapshot(payload.action_timer ?? payload.actionTimer),
|
||||||
|
}
|
||||||
|
}
|
||||||
20
src/views/chengdu/socket/parsers/socketEnvelope.ts
Normal file
20
src/views/chengdu/socket/parsers/socketEnvelope.ts
Normal file
@@ -0,0 +1,20 @@
|
|||||||
|
import { asRecord, normalizeWsType } from '../../../../game/chengdu/messageNormalizers'
|
||||||
|
|
||||||
|
export interface SocketEnvelope {
|
||||||
|
raw: unknown
|
||||||
|
source: Record<string, unknown>
|
||||||
|
normalizedType: string
|
||||||
|
}
|
||||||
|
|
||||||
|
export function parseSocketEnvelope(message: unknown): SocketEnvelope | null {
|
||||||
|
const source = asRecord(message)
|
||||||
|
if (!source || typeof source.type !== 'string') {
|
||||||
|
return null
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
raw: message,
|
||||||
|
source,
|
||||||
|
normalizedType: normalizeWsType(source.type),
|
||||||
|
}
|
||||||
|
}
|
||||||
83
src/views/chengdu/socket/room/roomSnapshotSync.ts
Normal file
83
src/views/chengdu/socket/room/roomSnapshotSync.ts
Normal file
@@ -0,0 +1,83 @@
|
|||||||
|
import { clearRoomMetaSnapshotState, setRoomMetaSnapshot } from '../../../../store'
|
||||||
|
import { wsClient } from '../../../../ws/client'
|
||||||
|
import { readNumber, readString } from '../../../../game/chengdu/messageNormalizers'
|
||||||
|
import type { SocketHandlerContext } from '../types'
|
||||||
|
|
||||||
|
interface SyncRoomStateSnapshotOptions {
|
||||||
|
roomId: string
|
||||||
|
phase: string
|
||||||
|
}
|
||||||
|
|
||||||
|
interface SyncRoomInfoSnapshotOptions {
|
||||||
|
roomId: string
|
||||||
|
room: Record<string, unknown> | null
|
||||||
|
status: string
|
||||||
|
}
|
||||||
|
|
||||||
|
export function clearRoomAndRedirect(context: SocketHandlerContext): void {
|
||||||
|
clearRoomMetaSnapshotState()
|
||||||
|
context.gameStore.resetGame()
|
||||||
|
wsClient.close()
|
||||||
|
void context.router.push('/hall')
|
||||||
|
}
|
||||||
|
|
||||||
|
export function syncActiveRoomFromRoomState(
|
||||||
|
context: SocketHandlerContext,
|
||||||
|
options: SyncRoomStateSnapshotOptions,
|
||||||
|
): void {
|
||||||
|
const previousRoom = context.roomMeta.value
|
||||||
|
|
||||||
|
setRoomMetaSnapshot({
|
||||||
|
roomId: options.roomId,
|
||||||
|
roomName: previousRoom?.roomName || context.roomName.value,
|
||||||
|
gameType: previousRoom?.gameType || 'chengdu',
|
||||||
|
ownerId: previousRoom?.ownerId || '',
|
||||||
|
maxPlayers: previousRoom?.maxPlayers ?? 4,
|
||||||
|
playerCount: previousRoom?.playerCount ?? Object.keys(context.gameStore.players).length,
|
||||||
|
status:
|
||||||
|
options.phase === 'settlement' ? 'finished' : options.phase === 'waiting' ? 'waiting' : 'playing',
|
||||||
|
createdAt: previousRoom?.createdAt || '',
|
||||||
|
updatedAt: previousRoom?.updatedAt || '',
|
||||||
|
players: previousRoom?.players ?? [],
|
||||||
|
myHand: previousRoom?.myHand ?? [],
|
||||||
|
game: previousRoom?.game,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
export function syncActiveRoomFromRoomInfo(
|
||||||
|
context: SocketHandlerContext,
|
||||||
|
options: SyncRoomInfoSnapshotOptions,
|
||||||
|
): void {
|
||||||
|
const previousRoom = context.roomMeta.value
|
||||||
|
setRoomMetaSnapshot({
|
||||||
|
roomId: options.roomId,
|
||||||
|
roomName:
|
||||||
|
readString(options.room ?? {}, 'name', 'room_name') ||
|
||||||
|
previousRoom?.roomName ||
|
||||||
|
context.roomName.value,
|
||||||
|
gameType: readString(options.room ?? {}, 'game_type') || previousRoom?.gameType || 'chengdu',
|
||||||
|
ownerId: readString(options.room ?? {}, 'owner_id') || previousRoom?.ownerId || '',
|
||||||
|
maxPlayers: readNumber(options.room ?? {}, 'max_players') ?? previousRoom?.maxPlayers ?? 4,
|
||||||
|
playerCount: readNumber(options.room ?? {}, 'player_count') ?? previousRoom?.playerCount ?? 0,
|
||||||
|
status: options.status,
|
||||||
|
createdAt: readString(options.room ?? {}, 'created_at') || previousRoom?.createdAt || '',
|
||||||
|
updatedAt: readString(options.room ?? {}, 'updated_at') || previousRoom?.updatedAt || '',
|
||||||
|
players: previousRoom?.players ?? [],
|
||||||
|
myHand: previousRoom?.myHand ?? [],
|
||||||
|
game: previousRoom?.game,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
export function hydrateGameStoreFromActiveRoom(context: SocketHandlerContext, routeRoomId: string): void {
|
||||||
|
const room = context.roomMeta.value
|
||||||
|
if (!room) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
const targetRoomId = routeRoomId || room.roomId
|
||||||
|
if (!targetRoomId || room.roomId !== targetRoomId) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
context.gameStore.roomId = room.roomId
|
||||||
|
}
|
||||||
40
src/views/chengdu/socket/router/socketMessageRouter.ts
Normal file
40
src/views/chengdu/socket/router/socketMessageRouter.ts
Normal file
@@ -0,0 +1,40 @@
|
|||||||
|
import type { PlayerHandlerApi, RoomHandlerApi, StatusHandlerApi, TurnHandlerApi } from '../types'
|
||||||
|
|
||||||
|
interface SocketMessageRouterDeps {
|
||||||
|
roomHandlers: RoomHandlerApi
|
||||||
|
playerHandlers: PlayerHandlerApi
|
||||||
|
turnHandlers: TurnHandlerApi
|
||||||
|
statusHandlers: StatusHandlerApi
|
||||||
|
}
|
||||||
|
|
||||||
|
type SocketRouteHandler = (message: unknown) => void
|
||||||
|
|
||||||
|
export function createSocketMessageRouter(deps: SocketMessageRouterDeps) {
|
||||||
|
const routes = new Map<string, SocketRouteHandler[]>([
|
||||||
|
['GET_ROOM_INFO', [deps.roomHandlers.handleRoomInfoResponse]],
|
||||||
|
['ROOM_INFO', [deps.roomHandlers.handleRoomInfoResponse]],
|
||||||
|
['ROOM_STATE', [deps.roomHandlers.handleRoomStateResponse]],
|
||||||
|
['PLAYER_HAND', [deps.playerHandlers.handlePlayerHandResponse]],
|
||||||
|
['PLAYER_ALLOW_ACTION', [deps.turnHandlers.handlePlayerAllowAction]],
|
||||||
|
['PLAYER_TURN', [deps.turnHandlers.handlePlayerTurn]],
|
||||||
|
['NEXT_TURN', [deps.turnHandlers.handlePlayerTurn]],
|
||||||
|
['ACTION_ACK', [deps.statusHandlers.handleActionAck]],
|
||||||
|
['ACTION_ERROR', [deps.statusHandlers.handleActionError]],
|
||||||
|
['DING_QUE_COUNTDOWN', [deps.turnHandlers.handleDingQueCountdown]],
|
||||||
|
['PLAYER_READY', [deps.playerHandlers.handleReadyStateResponse]],
|
||||||
|
['PLAYER_DING_QUE', [deps.playerHandlers.handlePlayerDingQueResponse]],
|
||||||
|
])
|
||||||
|
|
||||||
|
function route(normalizedType: string, message: unknown): void {
|
||||||
|
const handlers = routes.get(normalizedType)
|
||||||
|
if (!handlers) {
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
handlers.forEach((handler) => handler(message))
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
route,
|
||||||
|
}
|
||||||
|
}
|
||||||
49
src/views/chengdu/socket/session/gameActionEffects.ts
Normal file
49
src/views/chengdu/socket/session/gameActionEffects.ts
Normal file
@@ -0,0 +1,49 @@
|
|||||||
|
import type { GameAction, RoomPlayerUpdatePayload, RoomTrusteePayload } from '../../../../game/actions'
|
||||||
|
import { readPlayerTurnPlayerId } from '../../../../game/chengdu/messageNormalizers'
|
||||||
|
import {
|
||||||
|
clearClaimAndTurnPending,
|
||||||
|
clearReadyTogglePending,
|
||||||
|
clearRoomCountdown,
|
||||||
|
clearSelectedDiscard,
|
||||||
|
clearStartGamePending,
|
||||||
|
completeDiscard,
|
||||||
|
} from './sessionStateAdapter'
|
||||||
|
import type { SocketHandlerContext } from '../types'
|
||||||
|
|
||||||
|
export function applyGameActionSessionEffects(
|
||||||
|
context: SocketHandlerContext,
|
||||||
|
gameAction: GameAction,
|
||||||
|
onRoomPlayerUpdate: (payload: RoomPlayerUpdatePayload) => void,
|
||||||
|
onRoomTrustee: (payload: RoomTrusteePayload) => void,
|
||||||
|
): void {
|
||||||
|
if (gameAction.type === 'GAME_START') {
|
||||||
|
clearStartGamePending(context.session)
|
||||||
|
clearRoomCountdown(context.session)
|
||||||
|
}
|
||||||
|
if (gameAction.type === 'PLAY_TILE' && gameAction.payload.playerId === context.session.loggedInUserId.value) {
|
||||||
|
completeDiscard(context.session)
|
||||||
|
}
|
||||||
|
if (
|
||||||
|
gameAction.type === 'PLAY_TILE' ||
|
||||||
|
gameAction.type === 'PENDING_CLAIM' ||
|
||||||
|
gameAction.type === 'CLAIM_RESOLVED'
|
||||||
|
) {
|
||||||
|
clearRoomCountdown(context.session)
|
||||||
|
}
|
||||||
|
if (gameAction.type === 'ROOM_PLAYER_UPDATE') {
|
||||||
|
onRoomPlayerUpdate(gameAction.payload)
|
||||||
|
clearReadyTogglePending(context.session)
|
||||||
|
}
|
||||||
|
if (gameAction.type === 'CLAIM_RESOLVED') {
|
||||||
|
clearClaimAndTurnPending(context.session)
|
||||||
|
}
|
||||||
|
if (gameAction.type === 'ROOM_TRUSTEE') {
|
||||||
|
onRoomTrustee(gameAction.payload)
|
||||||
|
}
|
||||||
|
if (
|
||||||
|
gameAction.type === 'PLAYER_TURN' &&
|
||||||
|
readPlayerTurnPlayerId(gameAction.payload as Record<string, unknown>) !== context.session.loggedInUserId.value
|
||||||
|
) {
|
||||||
|
clearSelectedDiscard(context.session)
|
||||||
|
}
|
||||||
|
}
|
||||||
79
src/views/chengdu/socket/session/sessionStateAdapter.ts
Normal file
79
src/views/chengdu/socket/session/sessionStateAdapter.ts
Normal file
@@ -0,0 +1,79 @@
|
|||||||
|
import type { PlayerActionTimer } from '../../types'
|
||||||
|
import type { useChengduGameSession } from '../../composables/useChengduGameSession'
|
||||||
|
|
||||||
|
type ChengduGameSession = ReturnType<typeof useChengduGameSession>
|
||||||
|
|
||||||
|
export function pushWsMessage(session: ChengduGameSession, message: string): void {
|
||||||
|
session.wsMessages.value.push(message)
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setWsError(session: ChengduGameSession, message: string): void {
|
||||||
|
session.wsError.value = message
|
||||||
|
}
|
||||||
|
|
||||||
|
export function syncCurrentUserId(session: ChengduGameSession, userId: string): void {
|
||||||
|
session.syncCurrentUserID(userId)
|
||||||
|
}
|
||||||
|
|
||||||
|
export function clearClaimAndTurnPending(session: ChengduGameSession): void {
|
||||||
|
session.claimActionPending.value = false
|
||||||
|
session.clearTurnActionPending()
|
||||||
|
}
|
||||||
|
|
||||||
|
export function clearTurnPending(session: ChengduGameSession): void {
|
||||||
|
session.clearTurnActionPending()
|
||||||
|
}
|
||||||
|
|
||||||
|
export function clearReadyTogglePending(session: ChengduGameSession): void {
|
||||||
|
session.readyTogglePending.value = false
|
||||||
|
}
|
||||||
|
|
||||||
|
export function clearStartGamePending(session: ChengduGameSession): void {
|
||||||
|
session.startGamePending.value = false
|
||||||
|
}
|
||||||
|
|
||||||
|
export function clearDingQuePending(session: ChengduGameSession): void {
|
||||||
|
session.dingQuePending.value = false
|
||||||
|
}
|
||||||
|
|
||||||
|
export function clearNextRoundPending(session: ChengduGameSession): void {
|
||||||
|
session.nextRoundPending.value = false
|
||||||
|
}
|
||||||
|
|
||||||
|
export function resetSettlementOverlayState(session: ChengduGameSession): void {
|
||||||
|
session.nextRoundPending.value = false
|
||||||
|
session.settlementOverlayDismissed.value = false
|
||||||
|
session.settlementDeadlineMs.value = null
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setSettlementDeadline(session: ChengduGameSession, deadlineMs: number | null): void {
|
||||||
|
session.settlementDeadlineMs.value = deadlineMs
|
||||||
|
}
|
||||||
|
|
||||||
|
export function clearRoomCountdown(session: ChengduGameSession): void {
|
||||||
|
session.roomCountdown.value = null
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setRoomCountdown(session: ChengduGameSession, countdown: PlayerActionTimer): void {
|
||||||
|
session.roomCountdown.value = countdown
|
||||||
|
}
|
||||||
|
|
||||||
|
export function completeDiscard(session: ChengduGameSession): void {
|
||||||
|
session.markDiscardCompleted()
|
||||||
|
}
|
||||||
|
|
||||||
|
export function clearSelectedDiscard(session: ChengduGameSession): void {
|
||||||
|
session.selectedDiscardTileId.value = null
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setSelfTurnAllowActions(session: ChengduGameSession, actions: string[]): void {
|
||||||
|
session.selfTurnAllowActions.value = actions
|
||||||
|
}
|
||||||
|
|
||||||
|
export function clearSelfTurnAllowActions(session: ChengduGameSession): void {
|
||||||
|
session.selfTurnAllowActions.value = []
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setTrustMode(session: ChengduGameSession, enabled: boolean): void {
|
||||||
|
session.isTrustMode.value = enabled
|
||||||
|
}
|
||||||
109
src/views/chengdu/socket/store/gameStoreAdapter.ts
Normal file
109
src/views/chengdu/socket/store/gameStoreAdapter.ts
Normal file
@@ -0,0 +1,109 @@
|
|||||||
|
import type { PendingClaimState, PlayerState, Tile } from '../../../../types/state'
|
||||||
|
import type { ChengduSocketGameStore } from '../types'
|
||||||
|
|
||||||
|
interface ApplyRoomSnapshotOptions {
|
||||||
|
roomId: string
|
||||||
|
players?: Record<string, PlayerState>
|
||||||
|
phase: string
|
||||||
|
wallCount?: number | null
|
||||||
|
dealerIndex?: number | null
|
||||||
|
currentTurn?: number | null
|
||||||
|
needDraw: boolean
|
||||||
|
pendingClaim?: PendingClaimState
|
||||||
|
scores?: Record<string, number>
|
||||||
|
winners?: string[]
|
||||||
|
currentRound?: number | null
|
||||||
|
totalRounds?: number | null
|
||||||
|
}
|
||||||
|
|
||||||
|
const phaseMap: Record<string, ChengduSocketGameStore['phase']> = {
|
||||||
|
waiting: 'waiting',
|
||||||
|
dealing: 'dealing',
|
||||||
|
ding_que: 'dealing',
|
||||||
|
playing: 'playing',
|
||||||
|
action: 'action',
|
||||||
|
settlement: 'settlement',
|
||||||
|
finished: 'settlement',
|
||||||
|
}
|
||||||
|
|
||||||
|
function normalizePhase(phase: string, fallback: ChengduSocketGameStore['phase']): ChengduSocketGameStore['phase'] {
|
||||||
|
return phaseMap[phase] ?? fallback
|
||||||
|
}
|
||||||
|
|
||||||
|
export function applyRoomSnapshot(gameStore: ChengduSocketGameStore, options: ApplyRoomSnapshotOptions): void {
|
||||||
|
gameStore.roomId = options.roomId
|
||||||
|
if (options.players && Object.keys(options.players).length > 0) {
|
||||||
|
gameStore.players = options.players
|
||||||
|
}
|
||||||
|
|
||||||
|
gameStore.phase = normalizePhase(options.phase, gameStore.phase)
|
||||||
|
|
||||||
|
if (typeof options.wallCount === 'number') {
|
||||||
|
gameStore.remainingTiles = options.wallCount
|
||||||
|
}
|
||||||
|
if (typeof options.dealerIndex === 'number') {
|
||||||
|
gameStore.dealerIndex = options.dealerIndex
|
||||||
|
}
|
||||||
|
if (typeof options.currentTurn === 'number') {
|
||||||
|
gameStore.currentTurn = options.currentTurn
|
||||||
|
}
|
||||||
|
|
||||||
|
gameStore.needDraw = options.needDraw
|
||||||
|
gameStore.pendingClaim = options.pendingClaim
|
||||||
|
gameStore.scores = options.scores ?? {}
|
||||||
|
gameStore.winners = options.winners ?? []
|
||||||
|
|
||||||
|
if (typeof options.currentRound === 'number') {
|
||||||
|
gameStore.currentRound = options.currentRound
|
||||||
|
}
|
||||||
|
if (typeof options.totalRounds === 'number') {
|
||||||
|
gameStore.totalRounds = options.totalRounds
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setPlayerReadyState(gameStore: ChengduSocketGameStore, playerId: string, ready: boolean): void {
|
||||||
|
const player = gameStore.players[playerId]
|
||||||
|
if (player) {
|
||||||
|
player.isReady = ready
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setPlayerHandState(
|
||||||
|
gameStore: ChengduSocketGameStore,
|
||||||
|
playerId: string,
|
||||||
|
handTiles: Tile[],
|
||||||
|
): void {
|
||||||
|
const player = gameStore.players[playerId]
|
||||||
|
if (player) {
|
||||||
|
player.handTiles = handTiles
|
||||||
|
player.handCount = handTiles.length
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setPlayerMissingSuit(
|
||||||
|
gameStore: ChengduSocketGameStore,
|
||||||
|
playerId: string,
|
||||||
|
missingSuit: string | null,
|
||||||
|
): void {
|
||||||
|
const player = gameStore.players[playerId]
|
||||||
|
if (player) {
|
||||||
|
player.missingSuit = missingSuit
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setPlayerTrusteeState(gameStore: ChengduSocketGameStore, playerId: string, trustee: boolean): void {
|
||||||
|
const player = gameStore.players[playerId]
|
||||||
|
if (player) {
|
||||||
|
player.isTrustee = trustee
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export function resetRoundResolutionState(gameStore: ChengduSocketGameStore): void {
|
||||||
|
gameStore.pendingClaim = undefined
|
||||||
|
gameStore.winners = []
|
||||||
|
|
||||||
|
Object.values(gameStore.players).forEach((player) => {
|
||||||
|
player.missingSuit = null
|
||||||
|
player.hasHu = false
|
||||||
|
})
|
||||||
|
}
|
||||||
63
src/views/chengdu/socket/types.ts
Normal file
63
src/views/chengdu/socket/types.ts
Normal file
@@ -0,0 +1,63 @@
|
|||||||
|
import type { ComputedRef, Ref } from 'vue'
|
||||||
|
import type { PlayerTurnPayload, RoomPlayerUpdatePayload, RoomTrusteePayload } from '../../../game/actions'
|
||||||
|
import type { RoomMetaSnapshotState } from '../../../store/state'
|
||||||
|
import type { PlayerState, Tile } from '../../../types/state'
|
||||||
|
import type { DisplayPlayer } from '../types'
|
||||||
|
import type { useChengduGameSession } from '../composables/useChengduGameSession'
|
||||||
|
|
||||||
|
export interface ChengduSocketGameStore {
|
||||||
|
roomId: string
|
||||||
|
phase: string
|
||||||
|
players: Record<string, PlayerState>
|
||||||
|
dealerIndex: number
|
||||||
|
currentTurn: number
|
||||||
|
remainingTiles: number
|
||||||
|
needDraw: boolean
|
||||||
|
pendingClaim?: unknown
|
||||||
|
scores: Record<string, number>
|
||||||
|
winners: string[]
|
||||||
|
currentRound: number
|
||||||
|
totalRounds: number
|
||||||
|
resetGame: () => void
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface SocketHandlerContext {
|
||||||
|
router: { push: (to: string) => Promise<unknown> | unknown }
|
||||||
|
gameStore: ChengduSocketGameStore
|
||||||
|
roomMeta: Ref<RoomMetaSnapshotState | null>
|
||||||
|
roomName: ComputedRef<string>
|
||||||
|
myHandTiles: ComputedRef<Tile[]>
|
||||||
|
myPlayer: ComputedRef<DisplayPlayer | undefined>
|
||||||
|
session: ReturnType<typeof useChengduGameSession>
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface ReadyStateApi {
|
||||||
|
applyPlayerReadyState: (playerId: string, ready: boolean) => void
|
||||||
|
syncReadyStatesFromRoomUpdate: (payload: RoomPlayerUpdatePayload) => void
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface RoomHandlerApi {
|
||||||
|
handleRoomStateResponse: (message: unknown) => void
|
||||||
|
handleRoomInfoResponse: (message: unknown) => void
|
||||||
|
hydrateFromActiveRoom: (routeRoomId: string) => void
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface PlayerHandlerApi extends ReadyStateApi {
|
||||||
|
handlePlayerHandResponse: (message: unknown) => void
|
||||||
|
handleReadyStateResponse: (message: unknown) => void
|
||||||
|
handlePlayerDingQueResponse: (message: unknown) => void
|
||||||
|
syncTrusteeState: (payload: RoomTrusteePayload) => void
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface TurnHandlerApi {
|
||||||
|
handleDingQueCountdown: (message: unknown) => void
|
||||||
|
handlePlayerAllowAction: (message: unknown) => void
|
||||||
|
handlePlayerTurn: (message: unknown) => void
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface StatusHandlerApi {
|
||||||
|
handleActionAck: (message: unknown) => void
|
||||||
|
handleActionError: (message: unknown) => void
|
||||||
|
}
|
||||||
|
|
||||||
|
export type TurnPayloadRecord = PlayerTurnPayload & Record<string, unknown>
|
||||||
116
src/views/chengdu/types.ts
Normal file
116
src/views/chengdu/types.ts
Normal file
@@ -0,0 +1,116 @@
|
|||||||
|
import type {ComputedRef, Ref} from 'vue'
|
||||||
|
import type {SeatPlayerCardModel} from '../../components/game/seat-player-card'
|
||||||
|
import type {SeatKey} from '../../game/seat'
|
||||||
|
import type {RoomMetaSnapshotState} from '../../store/state'
|
||||||
|
import type {PlayerState} from '../../types/state'
|
||||||
|
import type {Tile} from '../../types/tile'
|
||||||
|
|
||||||
|
export type DisplayPlayer = PlayerState & {
|
||||||
|
displayName?: string
|
||||||
|
missingSuit?: string | null
|
||||||
|
}
|
||||||
|
|
||||||
|
export type HandSuitLabel = '万' | '筒' | '条'
|
||||||
|
export type TableTileImageType = 'hand' | 'exposed' | 'covered'
|
||||||
|
|
||||||
|
export interface WallTileItem {
|
||||||
|
key: string
|
||||||
|
src: string
|
||||||
|
alt: string
|
||||||
|
imageType: TableTileImageType
|
||||||
|
isGroupStart?: boolean
|
||||||
|
showLackTag?: boolean
|
||||||
|
suit?: Tile['suit']
|
||||||
|
tile?: Tile
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface WallSeatState {
|
||||||
|
tiles: WallTileItem[]
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface DeskSeatState {
|
||||||
|
tiles: WallTileItem[]
|
||||||
|
hasHu: boolean
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface SeatViewModel {
|
||||||
|
key: SeatKey
|
||||||
|
player?: DisplayPlayer
|
||||||
|
isSelf: boolean
|
||||||
|
isTurn: boolean
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface PlayerActionTimer {
|
||||||
|
playerIds: string[]
|
||||||
|
actionDeadlineAt?: string | null
|
||||||
|
countdownSeconds: number
|
||||||
|
duration: number
|
||||||
|
remaining: number
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface ActionCountdownView {
|
||||||
|
playerLabel: string
|
||||||
|
remaining: number
|
||||||
|
duration: number
|
||||||
|
isSelf: boolean
|
||||||
|
progress: number
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface TableViewDeps {
|
||||||
|
roomMeta: Ref<RoomMetaSnapshotState | null>
|
||||||
|
gamePlayers: ComputedRef<DisplayPlayer[]>
|
||||||
|
gameStore: {
|
||||||
|
roomId: string
|
||||||
|
phase: string
|
||||||
|
remainingTiles: number
|
||||||
|
dealerIndex: number
|
||||||
|
currentTurn: number
|
||||||
|
currentRound: number
|
||||||
|
totalRounds: number
|
||||||
|
winners: string[]
|
||||||
|
scores: Record<string, number>
|
||||||
|
}
|
||||||
|
localCachedAvatarUrl: ComputedRef<string>
|
||||||
|
loggedInUserId: ComputedRef<string>
|
||||||
|
loggedInUserName: ComputedRef<string>
|
||||||
|
myHandTiles: ComputedRef<Tile[]>
|
||||||
|
myPlayer: ComputedRef<DisplayPlayer | undefined>
|
||||||
|
routeRoomName: ComputedRef<string>
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface TableViewResult {
|
||||||
|
roomName: ComputedRef<string>
|
||||||
|
roomState: ComputedRef<{
|
||||||
|
roomId: string
|
||||||
|
name: string
|
||||||
|
playerCount: number
|
||||||
|
maxPlayers: number
|
||||||
|
status: string
|
||||||
|
game: {
|
||||||
|
state: {
|
||||||
|
wall: string[]
|
||||||
|
dealerIndex: number
|
||||||
|
currentTurn: number
|
||||||
|
phase: string
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}>
|
||||||
|
seatViews: ComputedRef<SeatViewModel[]>
|
||||||
|
seatWinds: ComputedRef<Record<SeatKey, string>>
|
||||||
|
currentTurnSeat: ComputedRef<SeatKey | ''>
|
||||||
|
currentPhaseText: ComputedRef<string>
|
||||||
|
roomStatusText: ComputedRef<string>
|
||||||
|
roundText: ComputedRef<string>
|
||||||
|
visibleHandTileGroups: ComputedRef<Array<{ suit: HandSuitLabel; tiles: Tile[] }>>
|
||||||
|
sortedVisibleHandTiles: ComputedRef<Tile[]>
|
||||||
|
wallSeats: ComputedRef<Record<SeatKey, WallSeatState>>
|
||||||
|
deskSeats: ComputedRef<Record<SeatKey, DeskSeatState>>
|
||||||
|
seatDecor: ComputedRef<Record<SeatKey, SeatPlayerCardModel>>
|
||||||
|
settlementPlayers: ComputedRef<Array<{
|
||||||
|
playerId: string
|
||||||
|
displayName: string
|
||||||
|
score: number
|
||||||
|
isWinner: boolean
|
||||||
|
seatIndex: number
|
||||||
|
}>>
|
||||||
|
}
|
||||||
@@ -134,6 +134,7 @@ class WsClient {
|
|||||||
// 订阅状态变化
|
// 订阅状态变化
|
||||||
onStatusChange(handler: StatusHandler) {
|
onStatusChange(handler: StatusHandler) {
|
||||||
this.statusHandlers.push(handler)
|
this.statusHandlers.push(handler)
|
||||||
|
handler(this.status)
|
||||||
return () => {
|
return () => {
|
||||||
this.statusHandlers = this.statusHandlers.filter(fn => fn !== handler)
|
this.statusHandlers = this.statusHandlers.filter(fn => fn !== handler)
|
||||||
}
|
}
|
||||||
|
|||||||
Reference in New Issue
Block a user