Compare commits

..

7 Commits

34 changed files with 1966 additions and 49 deletions

View File

@@ -7,7 +7,7 @@ VITE_BASE_URL = /
VITE_API_URL = /api
# 代理目标地址(开发环境通过 Vite 代理转发请求到此地址,解决跨域问题)
VITE_API_PROXY_URL = http://127.0.0.1:6688
VITE_API_PROXY_URL = http://127.0.0.1:8989
# Delete console
VITE_DROP_CONSOLE = false

View File

@@ -0,0 +1,53 @@
/**
* 命令行:按「当前盘面 grid_number 排布」与 T1/T2/T4/T5 约束生成 DiceRewardConfig 表 JSON不含保存
* 用法pnpm tsx scripts/generate-dice-reward-index.ts [t1Fixed] [t2Min] [t4Fixed] [t5Fixed]
* 默认3 5 1 1T4/T5 为顺、逆加权条数固定值)
*
* 生成逻辑见 src/views/plugin/dice/reward_config/utils/generateIndexByRules.ts
*/
import {
buildRowsFromTiers,
computeBoardFrequencies,
DEFAULT_TIER_REAL_EV_STANDARDS,
generateTiers,
summarizeCounts
} from '../src/views/plugin/dice/reward_config/utils/generateIndexByRules'
const grids = [
20, 27, 24, 10, 5, 15, 8, 22, 30, 23, 16, 12, 13, 7, 17, 9, 21, 26, 6, 29, 19, 11, 25, 14, 28, 18
]
const args = process.argv.slice(2).map((x) => parseInt(x, 10))
const t1 = Number.isFinite(args[0]) ? args[0] : 3
const t2 = Number.isFinite(args[1]) ? args[1] : 5
const x4 = Number.isFinite(args[2]) ? args[2] : 1
const x5 = Number.isFinite(args[3]) ? args[3] : 1
const constraints = {
t1FixedCw: t1,
t2MinCw: t2,
t4FixedCw: x4,
t5FixedCw: x5,
t1FixedCcw: t1,
t2MinCcw: t2,
t4FixedCcw: x4,
t5FixedCcw: x5
}
const gen = generateTiers({ grids, constraints })
if (gen.ok === false) {
console.error(gen.message)
process.exit(1)
}
const board = computeBoardFrequencies(grids)
if (board === null) {
console.error('computeBoardFrequencies failed')
process.exit(1)
}
const rows = buildRowsFromTiers(grids, gen.tiers, DEFAULT_TIER_REAL_EV_STANDARDS)
const sc = summarizeCounts(board, gen.tiers)
console.log(JSON.stringify({ weighted: { cw: sc.cw, ccw: sc.ccw }, rows }, null, 2))

View File

@@ -0,0 +1,37 @@
{
"search": {
"name": "Name",
"title": "Title",
"isDefault": "Default",
"placeholderName": "Please enter name",
"placeholderTitle": "Please enter title",
"placeholderIsDefault": "Please select default status"
},
"table": {
"id": "ID",
"name": "Name",
"title": "Title",
"mult": "Ante Multiplier",
"isDefault": "Default Ante",
"defaultYes": "Yes",
"defaultNo": "No",
"createTime": "Create Time",
"updateTime": "Update Time"
},
"form": {
"titleAdd": "Add Ante Config",
"titleEdit": "Edit Ante Config",
"labelName": "Name",
"labelTitle": "Title",
"labelMult": "Ante Multiplier",
"labelIsDefault": "Default Ante",
"placeholderName": "Please enter name",
"placeholderTitle": "Please enter title",
"ruleNameRequired": "Please enter name",
"ruleTitleRequired": "Please enter title",
"ruleMultRequired": "Please enter ante multiplier",
"ruleDefaultRequired": "Please select default status",
"addSuccess": "Added successfully",
"editSuccess": "Updated successfully"
}
}

View File

@@ -64,6 +64,8 @@
"player": "Player",
"lotteryPoolConfig": "Lottery Pool Config",
"drawType": "Draw Type",
"ante": "Ante",
"paidAmount": "Paid Amount",
"isBigWin": "Is Big Win",
"winCoin": "Win Coin",
"superWinCoin": "Super Win Coin",

View File

@@ -50,7 +50,50 @@
"warnDupGrid": "Duplicate dice points in this table: {list}",
"warnNoBigwinToSave": "No BIGWIN rows to save",
"warnBigwinDupGrid": "Duplicate big-win points in this table: {list}",
"infoNoBigwin": "No BIGWIN rows. Set tier to BIGWIN in the Reward Index tab first."
"infoNoBigwin": "No BIGWIN rows. Set tier to BIGWIN in the Reward Index tab first.",
"btnRuleGenerate": "Generate by rules",
"ruleGenerateTitle": "Generate reward index by rules",
"ruleGenerateRules": "[Generation logic (same as Create Reward Reference)]\n• 26 cells ordered by id ascending are positions 025; each rows grid_number is 530 and unique.\n• Roll D (530): start at the cell whose grid_number equals D (start_index); clockwise landing = (start position + D) mod 26; counter-clockwise = start D (if negative, +26).\n• Each reference rows “dice points” column is the roll D; tier / real_ev / display text come from the config at the landing id.\n\n[Leopard rolls]\nFor rolls 5, 10, 15, 20, 25, 30, clockwise and counter-clockwise landing tiers must NOT be T4 or T5 (avoid leopard roll + penalty / try again).\n\n[real_ev vs tier]\nreal < 100 → T4; 100 < real < 0 → T3; 0 < real < 100 → T2; 100 < real < 500 → T1; T5 “try again” real_ev=0. Set per-tier real_ev standards below; values are written into the config and can be edited later.\n\n[Inputs]\nT1/T4/T5: fixed weighted counts. T2: minimum weighted count — clockwise and counter-clockwise must satisfy the corresponding constraints (one value per tier, applied to both directions). real_ev standards: one value per tier. Generated T1T4 use ui_text / ui_text_en = 100 + real_ev (same EN); T5 uses “try again” / “Once again”. Remarks still distinguish break-even vs small win where applicable.",
"ruleGenT1Row": "T1 (big prize)",
"ruleGenT2Row": "T2 (small win / break-even)",
"ruleGenT3RealEvOnly": "T3 (rake)",
"ruleGenT4Row": "T4 (penalty)",
"ruleGenT5Row": "T5 (try again)",
"ruleGenMinCount": "Min count",
"ruleGenFixedCount": "Fixed count (CW & CCW)",
"ruleGenRealEvStd": "real_ev standard",
"ruleGenRealEvEditHint": "After saving, you can still edit display text, EN, real_ev and remarks per row in the table above.",
"ruleGenInvalidT1RealEv": "T1 real_ev must satisfy 100 < value < 500",
"ruleGenInvalidT2RealEv": "T2 real_ev must satisfy 0 < value < 100",
"ruleGenInvalidT3RealEv": "T3 real_ev must satisfy -100 < value < 0",
"ruleGenInvalidT4RealEv": "T4 real_ev must satisfy value < -100",
"ruleGenInvalidT5RealEv": "T5 “try again” real_ev must be 0",
"ruleGenT1Min": "T1 fixed count (CW & CCW)",
"ruleGenT2Min": "T2 min (CW & CCW)",
"ruleGenT4Max": "T4 fixed count (CW & CCW)",
"ruleGenT5Max": "T5 fixed count (CW & CCW)",
"ruleGenScopeHint": "T1/T4/T5 are exact; T2 is minimum: clockwise and counter-clockwise weighted counts must satisfy each constraint.",
"ruleGenApply": "Generate and save",
"ruleGenNeedFullGrid": "Missing id 025 rows or incomplete grid_number; cannot generate",
"ruleGenFreqFail": "Cannot compute board frequencies; check grid_number",
"ruleGenUnknownId": "Unknown reward index id: {id}",
"ruleGenSuccess": "Generated and saved. Clockwise weighted: T1={cwT1} T2={cwT2} T4={cwT4} T5={cwT5}; counter-clockwise: T1={ccT1} T2={ccT2} T4={ccT4} T5={ccT5}",
"btnJsonImport": "JSON import",
"jsonImportTitle": "Reward index JSON import",
"jsonImportHint": "Current Reward Index rows (excluding BIGWIN) are filled below. Edit and submit; id must be 025, grid_number must be 530. Submit applies to the table and saves.",
"jsonImportParseFail": "Invalid JSON",
"jsonImportNotArray": "Root must be a JSON array",
"jsonImportItemInvalid": "Item {n} is not a valid object",
"jsonImportMissingField": "Item {n} is missing field: {field}",
"jsonImportIdRange": "id must be 025; item {n} has {v}",
"jsonImportGridRange": "grid_number must be 530; item {n} has {v}",
"jsonImportDupId": "Duplicate id in JSON: {list}",
"jsonImportDupGrid": "Duplicate grid_number in JSON: {list}",
"jsonImportFullIdSet": "For 26 rows, id must be exactly 025 once each",
"jsonImportFullGridSet": "For 26 rows, grid_number must be exactly 530 once each",
"jsonImportUnknownId": "Unknown id: {id} (export from the current list first)",
"jsonImportTierInvalid": "Invalid tier at item {n}",
"jsonImportEmpty": "Nothing to submit"
},
"weightRatio": {
"title": "T1T5 Weight Ratio (Clockwise / Counter-clockwise)",

View File

@@ -0,0 +1,37 @@
{
"search": {
"name": "名称",
"title": "标题",
"isDefault": "是否默认",
"placeholderName": "请输入名称",
"placeholderTitle": "请输入标题",
"placeholderIsDefault": "请选择是否默认"
},
"table": {
"id": "ID",
"name": "名称",
"title": "标题",
"mult": "底注倍率",
"isDefault": "默认底注",
"defaultYes": "是",
"defaultNo": "否",
"createTime": "创建时间",
"updateTime": "更新时间"
},
"form": {
"titleAdd": "新增底注配置",
"titleEdit": "编辑底注配置",
"labelName": "名称",
"labelTitle": "标题",
"labelMult": "底注倍率",
"labelIsDefault": "默认底注",
"placeholderName": "请输入名称",
"placeholderTitle": "请输入标题",
"ruleNameRequired": "请输入名称",
"ruleTitleRequired": "请输入标题",
"ruleMultRequired": "请输入底注倍率",
"ruleDefaultRequired": "请选择是否默认底注",
"addSuccess": "新增成功",
"editSuccess": "修改成功"
}
}

View File

@@ -64,6 +64,8 @@
"player": "玩家",
"lotteryPoolConfig": "彩金池配置",
"drawType": "抽奖类型",
"ante": "注数",
"paidAmount": "付费金额",
"isBigWin": "是否中大奖",
"winCoin": "赢取平台币",
"superWinCoin": "中大奖平台币",

View File

@@ -50,7 +50,50 @@
"warnDupGrid": "色子点数在本表内不能重复,重复的点数为:{list}",
"warnNoBigwinToSave": "暂无 BIGWIN 档位配置可保存",
"warnBigwinDupGrid": "大奖权重本表内点数不能重复,重复的点数为:{list}",
"infoNoBigwin": "暂无 BIGWIN 档位配置,请先在「奖励索引」中设置 tier 为 BIGWIN"
"infoNoBigwin": "暂无 BIGWIN 档位配置,请先在「奖励索引」中设置 tier 为 BIGWIN",
"btnRuleGenerate": "按规则生成",
"ruleGenerateTitle": "按规则生成奖励索引",
"ruleGenerateRules": "【生成逻辑(与创建奖励对照一致)】\n• 盘面 26 格按 id 升序为位置 025每条配置的 grid_number 为 530 且不重复。\n• 摇取点数 D530起点为「grid_number=D」所在格位的 id即 start_index顺时针落点位置 = (起点位置 + D) mod 26逆时针落点 = 起点位置 D若小于 0 则 +26。\n• 对照表每条记录的「色子点数」列为摇取点数 D档位、真实结算、显示文案取自落点格位对应 id 的配置。\n\n【豹子摇取点数】\n摇取点数为 5、10、15、20、25、30 时,其顺/逆时针落点档位不能为 T4、T5避免对照表上出现豹子点数 + 惩罚/再来一次)。\n\n【real_ev 与 tier】\nreal < 100 → T4100 < real < 0 → T30 < real < 100 → T2100 < real < 500 → T1T5「再来一次」real_ev=0。下方可为各档位填写统一的 real_ev 标准,生成时写入配置;细则可稍后在表格中再改。\n\n【本弹窗输入】\n条数T1/T4/T5「固定」T2「不少于」——顺时针与逆时针的加权条数每条摇取结果计一次须分别满足所填数值T1、T4 与 T5 分开填写。\nreal_ev 标准:同档位各格使用同一数值。生成时 T1T4 的 ui_text / ui_text_en 均为「100+真实结算」T5 固定为「再来一次」/「Once again」。备注仍区分完美回本/小赚等。",
"ruleGenT1Row": "T1 大奖",
"ruleGenT2Row": "T2 小赚/回本",
"ruleGenT3RealEvOnly": "T3 抽水",
"ruleGenT4Row": "T4 惩罚",
"ruleGenT5Row": "T5 再来一次",
"ruleGenMinCount": "最少条数",
"ruleGenFixedCount": "固定条数(顺/逆)",
"ruleGenRealEvStd": "real_ev 标准",
"ruleGenRealEvEditHint": "生成并保存后,仍可在本页表格中逐条修改显示文案、英文、真实结算与备注。",
"ruleGenInvalidT1RealEv": "T1 的 real_ev 须满足100 < 值 < 500",
"ruleGenInvalidT2RealEv": "T2 的 real_ev 须满足0 < 值 < 100",
"ruleGenInvalidT3RealEv": "T3 的 real_ev 须满足:-100 < 值 < 0",
"ruleGenInvalidT4RealEv": "T4 的 real_ev 须满足:值 < -100",
"ruleGenInvalidT5RealEv": "T5「再来一次」的 real_ev 须为 0",
"ruleGenT1Min": "T1 固定条数(顺/逆)",
"ruleGenT2Min": "T2 最少条数(顺/逆)",
"ruleGenT4Max": "T4 固定条数(顺/逆)",
"ruleGenT5Max": "T5 固定条数(顺/逆)",
"ruleGenScopeHint": "T1/T4/T5 为「恰好」T2 为「不少于」:顺时针与逆时针加权条数须分别满足对应约束。",
"ruleGenApply": "生成并保存",
"ruleGenNeedFullGrid": "当前列表缺少 id 025 的奖励索引行或色子点数不完整,无法生成",
"ruleGenFreqFail": "无法计算盘面频率,请检查 grid_number",
"ruleGenUnknownId": "不存在奖励索引 id{id}",
"ruleGenSuccess": "已按规则生成并保存。顺时针加权T1={cwT1} T2={cwT2} T4={cwT4} T5={cwT5}逆时针加权T1={ccT1} T2={ccT2} T4={ccT4} T5={ccT5}",
"btnJsonImport": "JSON 导入",
"jsonImportTitle": "奖励索引 JSON 导入",
"jsonImportHint": "当前「奖励索引」表数据(不含 BIGWIN已填入下方可编辑后提交奖励索引 id 须为 025色子点数 grid_number 须为 530。提交后将写入表格并保存。",
"jsonImportParseFail": "JSON 解析失败,请检查格式",
"jsonImportNotArray": "JSON 根节点必须为数组",
"jsonImportItemInvalid": "第 {n} 项不是有效对象",
"jsonImportMissingField": "第 {n} 项缺少字段:{field}",
"jsonImportIdRange": "奖励索引 id 须为 025第 {n} 项为 {v}",
"jsonImportGridRange": "色子点数 grid_number 须为 530第 {n} 项为 {v}",
"jsonImportDupId": "JSON 内奖励索引 id 重复:{list}",
"jsonImportDupGrid": "JSON 内色子点数重复:{list}",
"jsonImportFullIdSet": "共 26 条时,奖励索引 id 必须且仅能各出现一次025",
"jsonImportFullGridSet": "共 26 条时色子点数必须且仅能各出现一次530",
"jsonImportUnknownId": "不存在奖励索引 id{id}(请从当前列表导出后编辑)",
"jsonImportTierInvalid": "第 {n} 项所属档位 tier 无效",
"jsonImportEmpty": "没有可提交的条目"
},
"weightRatio": {
"title": "T1-T5 权重配比(顺时针/逆时针)",

View File

@@ -0,0 +1,139 @@
<template>
<div class="art-full-height">
<TableSearch v-model="searchForm" @search="handleSearch" @reset="resetSearchParams" />
<ElCard class="art-table-card" shadow="never">
<ArtTableHeader v-model:columns="columnChecks" :loading="loading" @refresh="refreshData">
<template #left>
<ElSpace wrap>
<ElButton v-permission="'dice:ante_config:index:save'" @click="showDialog('add')" v-ripple>
<template #icon>
<ArtSvgIcon icon="ri:add-fill" />
</template>
{{ $t('table.actions.add') }}
</ElButton>
<ElButton
v-permission="'dice:ante_config:index:destroy'"
:disabled="selectedRows.length === 0"
@click="deleteSelectedRows(api.delete, refreshData)"
v-ripple
>
<template #icon>
<ArtSvgIcon icon="ri:delete-bin-5-line" />
</template>
{{ $t('table.actions.delete') }}
</ElButton>
</ElSpace>
</template>
</ArtTableHeader>
<ArtTable
ref="tableRef"
rowKey="id"
:loading="loading"
:data="data"
:columns="columns"
:pagination="pagination"
@sort-change="handleSortChange"
@selection-change="handleSelectionChange"
@pagination:size-change="handleSizeChange"
@pagination:current-change="handleCurrentChange"
>
<template #is_default="{ row }">
<ElTag :type="row.is_default === 1 ? 'success' : 'info'" size="small">
{{ row.is_default === 1 ? $t('page.table.defaultYes') : $t('page.table.defaultNo') }}
</ElTag>
</template>
<template #operation="{ row }">
<div class="flex gap-2">
<SaButton
v-permission="'dice:ante_config:index:update'"
type="secondary"
@click="showDialog('edit', row)"
/>
<SaButton
v-permission="'dice:ante_config:index:destroy'"
type="error"
@click="deleteRow(row, api.delete, refreshData)"
/>
</div>
</template>
</ArtTable>
</ElCard>
<EditDialog
v-model="dialogVisible"
:dialog-type="dialogType"
:data="dialogData"
@success="refreshData"
/>
</div>
</template>
<script setup lang="ts">
import { useTable } from '@/hooks/core/useTable'
import { useSaiAdmin } from '@/composables/useSaiAdmin'
import api from '../../api/ante_config/index'
import TableSearch from './modules/table-search.vue'
import EditDialog from './modules/edit-dialog.vue'
const searchForm = ref({
name: undefined,
title: undefined,
is_default: undefined
})
const handleSearch = (params: Record<string, unknown>) => {
Object.assign(searchParams, params)
getData()
}
const {
columns,
columnChecks,
data,
loading,
getData,
searchParams,
pagination,
resetSearchParams,
handleSortChange,
handleSizeChange,
handleCurrentChange,
refreshData
} = useTable({
core: {
apiFn: api.list,
columnsFactory: () => [
{ type: 'selection' },
{ prop: 'id', label: 'page.table.id', width: 80, align: 'center' },
{ prop: 'name', label: 'page.table.name', align: 'center' },
{ prop: 'title', label: 'page.table.title', align: 'center' },
{ prop: 'mult', label: 'page.table.mult', align: 'center' },
{ prop: 'is_default', label: 'page.table.isDefault', width: 110, align: 'center', useSlot: true },
{ prop: 'create_time', label: 'page.table.createTime', width: 170, align: 'center' },
{ prop: 'update_time', label: 'page.table.updateTime', width: 170, align: 'center' },
{
prop: 'operation',
label: 'table.actions.operation',
width: 100,
align: 'center',
fixed: 'right',
useSlot: true
}
]
}
})
const {
dialogType,
dialogVisible,
dialogData,
showDialog,
deleteRow,
deleteSelectedRows,
handleSelectionChange,
selectedRows
} = useSaiAdmin()
</script>

View File

@@ -0,0 +1,126 @@
<template>
<el-dialog
v-model="visible"
:title="dialogType === 'add' ? $t('page.form.titleAdd') : $t('page.form.titleEdit')"
width="560px"
align-center
:close-on-click-modal="false"
@close="handleClose"
>
<el-form ref="formRef" :model="formData" :rules="rules" label-width="120px">
<el-form-item :label="$t('page.form.labelName')" prop="name">
<el-input v-model="formData.name" :placeholder="$t('page.form.placeholderName')" />
</el-form-item>
<el-form-item :label="$t('page.form.labelTitle')" prop="title">
<el-input v-model="formData.title" :placeholder="$t('page.form.placeholderTitle')" />
</el-form-item>
<el-form-item :label="$t('page.form.labelMult')" prop="mult">
<el-input-number v-model="formData.mult" :min="1" :step="1" style="width: 100%" />
</el-form-item>
<el-form-item :label="$t('page.form.labelIsDefault')" prop="is_default">
<el-radio-group v-model="formData.is_default">
<el-radio :value="1">{{ $t('page.table.defaultYes') }}</el-radio>
<el-radio :value="0">{{ $t('page.table.defaultNo') }}</el-radio>
</el-radio-group>
</el-form-item>
</el-form>
<template #footer>
<el-button @click="handleClose">{{ $t('common.cancel') }}</el-button>
<el-button type="primary" @click="handleSubmit">{{ $t('table.form.submit') }}</el-button>
</template>
</el-dialog>
</template>
<script setup lang="ts">
import api from '../../../api/ante_config/index'
import { ElMessage } from 'element-plus'
import type { FormInstance, FormRules } from 'element-plus'
import { useI18n } from 'vue-i18n'
const { t } = useI18n()
interface Props {
modelValue: boolean
dialogType: string
data?: Record<string, unknown>
}
interface Emits {
(e: 'update:modelValue', value: boolean): void
(e: 'success'): void
}
const props = withDefaults(defineProps<Props>(), {
modelValue: false,
dialogType: 'add',
data: undefined
})
const emit = defineEmits<Emits>()
const formRef = ref<FormInstance>()
const visible = computed({
get: () => props.modelValue,
set: (value) => emit('update:modelValue', value)
})
const rules = computed<FormRules>(() => ({
name: [{ required: true, message: t('page.form.ruleNameRequired'), trigger: 'blur' }],
title: [{ required: true, message: t('page.form.ruleTitleRequired'), trigger: 'blur' }],
mult: [{ required: true, message: t('page.form.ruleMultRequired'), trigger: 'blur' }],
is_default: [{ required: true, message: t('page.form.ruleDefaultRequired'), trigger: 'change' }]
}))
interface AnteFormData {
id: number | null
name: string
title: string
mult: number
is_default: number
}
const initialFormData: AnteFormData = {
id: null,
name: '',
title: '',
mult: 1,
is_default: 0
}
const formData = reactive({ ...initialFormData })
watch(
() => props.modelValue,
async (newVal) => {
if (!newVal) return
Object.assign(formData, initialFormData)
if (!props.data) return
await nextTick()
if (typeof props.data.id === 'number') formData.id = props.data.id
if (typeof props.data.name === 'string') formData.name = props.data.name
if (typeof props.data.title === 'string') formData.title = props.data.title
formData.mult = Number(props.data.mult ?? 1) || 1
formData.is_default = Number(props.data.is_default ?? 0) === 1 ? 1 : 0
}
)
function handleClose() {
visible.value = false
formRef.value?.resetFields()
}
async function handleSubmit() {
if (!formRef.value) return
try {
await formRef.value.validate()
if (props.dialogType === 'add') {
await api.save(formData)
ElMessage.success(t('page.form.addSuccess'))
} else {
await api.update(formData)
ElMessage.success(t('page.form.editSuccess'))
}
emit('success')
handleClose()
} catch (error) {
console.log(error)
}
}
</script>

View File

@@ -0,0 +1,68 @@
<template>
<sa-search-bar
ref="searchBarRef"
v-model="formData"
label-width="100px"
:showExpand="false"
@reset="handleReset"
@search="handleSearch"
>
<el-col v-bind="setSpan(6)">
<el-form-item :label="$t('page.search.name')" prop="name">
<el-input v-model="formData.name" :placeholder="$t('page.search.placeholderName')" clearable />
</el-form-item>
</el-col>
<el-col v-bind="setSpan(6)">
<el-form-item :label="$t('page.search.title')" prop="title">
<el-input v-model="formData.title" :placeholder="$t('page.search.placeholderTitle')" clearable />
</el-form-item>
</el-col>
<el-col v-bind="setSpan(6)">
<el-form-item :label="$t('page.search.isDefault')" prop="is_default">
<el-select v-model="formData.is_default" :placeholder="$t('page.search.placeholderIsDefault')" clearable>
<el-option :label="$t('page.table.defaultYes')" :value="1" />
<el-option :label="$t('page.table.defaultNo')" :value="0" />
</el-select>
</el-form-item>
</el-col>
</sa-search-bar>
</template>
<script setup lang="ts">
interface Props {
modelValue: Record<string, unknown>
}
interface Emits {
(e: 'update:modelValue', value: Record<string, unknown>): void
(e: 'search', params: Record<string, unknown>): void
(e: 'reset'): void
}
const props = defineProps<Props>()
const emit = defineEmits<Emits>()
const searchBarRef = ref()
const formData = computed({
get: () => props.modelValue,
set: (val) => emit('update:modelValue', val)
})
function handleReset() {
searchBarRef.value?.ref.resetFields()
emit('reset')
}
function handleSearch() {
emit('search', formData.value)
}
const setSpan = (span: number) => {
return {
span,
xs: 24,
sm: span >= 12 ? span : 12,
md: span >= 8 ? span : 8,
lg: span,
xl: span
}
}
</script>

View File

@@ -0,0 +1,40 @@
import request from '@/utils/http'
/**
* 底注配置 API
*/
export default {
list(params: Record<string, unknown>) {
return request.get<Api.Common.ApiPage>({
url: '/core/dice/ante_config/DiceAnteConfig/index',
params
})
},
read(id: number | string) {
return request.get<Api.Common.ApiData>({
url: '/core/dice/ante_config/DiceAnteConfig/read?id=' + id
})
},
save(params: Record<string, unknown>) {
return request.post({
url: '/core/dice/ante_config/DiceAnteConfig/save',
data: params
})
},
update(params: Record<string, unknown>) {
return request.put({
url: '/core/dice/ante_config/DiceAnteConfig/update',
data: params
})
},
delete(params: Record<string, unknown>) {
return request.del({
url: '/core/dice/ante_config/DiceAnteConfig/destroy',
data: params
})
}
}

View File

@@ -199,6 +199,8 @@
useSlot: true
},
{ prop: 'lottery_type', label: 'page.table.drawType', width: 100, useSlot: true },
{ prop: 'ante', label: 'page.table.ante', width: 80, align: 'center' },
{ prop: 'paid_amount', label: 'page.table.paidAmount', width: 110, align: 'center' },
{ prop: 'is_win', label: 'page.table.isBigWin', width: 100, useSlot: true },
{ prop: 'win_coin', label: 'page.table.winCoin', width: 110 },
{ prop: 'super_win_coin', label: 'page.table.superWinCoin', width: 120 },

View File

@@ -21,6 +21,16 @@
<ElTabPane :label="$t('page.configPage.tabIndex')" name="index">
<div class="tab-panel">
<div class="panel-tip">{{ $t('page.configPage.tipIndex') }}</div>
<div class="index-toolbar">
<ElButton
v-permission="'dice:reward_config:index:batchUpdate'"
type="default"
@click="openRuleGenerateDialog"
v-ripple
>
{{ $t('page.configPage.btnRuleGenerate') }}
</ElButton>
</div>
<div class="table-scroll-wrap">
<ElTable
v-loading="loading"
@@ -212,16 +222,194 @@
</ElTabPane>
</ElTabs>
</ElCard>
<ElDialog
v-model="ruleGenerateDialogVisible"
:title="$t('page.configPage.ruleGenerateTitle')"
:width="ruleGenDialogWidth"
:fullscreen="ruleGenFullscreen"
align-center
destroy-on-close
:close-on-click-modal="false"
class="rule-generate-dialog"
>
<div class="rule-generate-rules">{{ $t('page.configPage.ruleGenerateRules') }}</div>
<ElForm
:label-position="ruleGenFormLabelPosition"
:label-width="ruleGenFormLabelWidth"
class="rule-generate-form"
@submit.prevent
>
<ElFormItem :label="$t('page.configPage.ruleGenT1Row')">
<div class="rule-gen-row">
<div class="rule-gen-cell">
<span class="rule-gen-hint">{{ $t('page.configPage.ruleGenFixedCount') }}</span>
<ElInputNumber
v-model="ruleGenT1Fixed"
class="rule-gen-input-num"
:min="0"
:max="26"
:step="1"
:controls="ruleGenInputControls"
:size="ruleGenInputSize"
controls-position="right"
/>
</div>
<div class="rule-gen-cell">
<span class="rule-gen-hint">{{ $t('page.configPage.ruleGenRealEvStd') }}</span>
<ElInputNumber
v-model="ruleGenT1RealEv"
class="rule-gen-input-num"
:step="1"
:controls="ruleGenInputControls"
:size="ruleGenInputSize"
controls-position="right"
/>
</div>
</div>
</ElFormItem>
<ElFormItem :label="$t('page.configPage.ruleGenT2Row')">
<div class="rule-gen-row">
<div class="rule-gen-cell">
<span class="rule-gen-hint">{{ $t('page.configPage.ruleGenMinCount') }}</span>
<ElInputNumber
v-model="ruleGenT2Min"
class="rule-gen-input-num"
:min="0"
:max="26"
:step="1"
:controls="ruleGenInputControls"
:size="ruleGenInputSize"
controls-position="right"
/>
</div>
<div class="rule-gen-cell">
<span class="rule-gen-hint">{{ $t('page.configPage.ruleGenRealEvStd') }}</span>
<ElInputNumber
v-model="ruleGenT2RealEv"
class="rule-gen-input-num"
:step="1"
:controls="ruleGenInputControls"
:size="ruleGenInputSize"
controls-position="right"
/>
</div>
</div>
</ElFormItem>
<ElFormItem :label="$t('page.configPage.ruleGenT3RealEvOnly')">
<div class="rule-gen-row">
<div class="rule-gen-cell">
<span class="rule-gen-hint">{{ $t('page.configPage.ruleGenRealEvStd') }}</span>
<ElInputNumber
v-model="ruleGenT3RealEv"
class="rule-gen-input-num"
:step="1"
:controls="ruleGenInputControls"
:size="ruleGenInputSize"
controls-position="right"
/>
</div>
</div>
</ElFormItem>
<ElFormItem :label="$t('page.configPage.ruleGenT4Row')">
<div class="rule-gen-row">
<div class="rule-gen-cell">
<span class="rule-gen-hint">{{ $t('page.configPage.ruleGenFixedCount') }}</span>
<ElInputNumber
v-model="ruleGenT4Fixed"
class="rule-gen-input-num"
:min="0"
:max="26"
:step="1"
:controls="ruleGenInputControls"
:size="ruleGenInputSize"
controls-position="right"
/>
</div>
<div class="rule-gen-cell">
<span class="rule-gen-hint">{{ $t('page.configPage.ruleGenRealEvStd') }}</span>
<ElInputNumber
v-model="ruleGenT4RealEv"
class="rule-gen-input-num"
:step="1"
:controls="ruleGenInputControls"
:size="ruleGenInputSize"
controls-position="right"
/>
</div>
</div>
</ElFormItem>
<ElFormItem :label="$t('page.configPage.ruleGenT5Row')">
<div class="rule-gen-row">
<div class="rule-gen-cell">
<span class="rule-gen-hint">{{ $t('page.configPage.ruleGenFixedCount') }}</span>
<ElInputNumber
v-model="ruleGenT5Fixed"
class="rule-gen-input-num"
:min="0"
:max="26"
:step="1"
:controls="ruleGenInputControls"
:size="ruleGenInputSize"
controls-position="right"
/>
</div>
<div class="rule-gen-cell">
<span class="rule-gen-hint">{{ $t('page.configPage.ruleGenRealEvStd') }}</span>
<ElInputNumber
v-model="ruleGenT5RealEv"
class="rule-gen-input-num"
:disabled="true"
:step="1"
:controls="ruleGenInputControls"
:size="ruleGenInputSize"
controls-position="right"
/>
</div>
</div>
</ElFormItem>
<p class="rule-generate-scope">{{ $t('page.configPage.ruleGenScopeHint') }}</p>
<p class="rule-generate-scope">{{ $t('page.configPage.ruleGenRealEvEditHint') }}</p>
</ElForm>
<template #footer>
<div class="rule-gen-footer-btns">
<ElButton @click="ruleGenerateDialogVisible = false">{{ $t('common.cancel') }}</ElButton>
<ElButton type="primary" :loading="ruleGenSubmitting" @click="handleRuleGenerateApply">
{{ $t('page.configPage.ruleGenApply') }}
</ElButton>
</div>
</template>
</ElDialog>
</div>
</template>
<script setup lang="ts">
import { useWindowSize } from '@vueuse/core'
import { ElMessage, ElMessageBox } from 'element-plus'
import { useI18n } from 'vue-i18n'
import api from '../../api/reward_config/index'
import {
buildRowsFromTiers,
computeBoardFrequencies,
DEFAULT_TIER_REAL_EV_STANDARDS,
generateTiers,
summarizeCounts,
validateTierRealEvStandards
} from '../utils/generateIndexByRules'
const { t } = useI18n()
const { width: viewportWidth } = useWindowSize()
/** 窄屏:单列、标签置顶、全屏弹窗 */
const isRuleGenMobile = computed(() => viewportWidth.value < 640)
const ruleGenDialogWidth = computed(() => (isRuleGenMobile.value ? '100%' : 'min(880px, 92vw)'))
const ruleGenFullscreen = computed(() => isRuleGenMobile.value)
const ruleGenFormLabelPosition = computed(() => (isRuleGenMobile.value ? 'top' : 'right'))
const ruleGenFormLabelWidth = computed(() => (isRuleGenMobile.value ? undefined : '168px'))
/** 移动端隐藏步进按钮,避免误触;用系统数字键盘输入 */
const ruleGenInputControls = computed(() => !isRuleGenMobile.value)
const ruleGenInputSize = computed(() => (isRuleGenMobile.value ? 'large' : 'default'))
/** 第一页:奖励索引行(来自 DiceRewardConfig 表) */
interface IndexRow {
id: number
@@ -239,6 +427,31 @@
const savingIndex = ref(false)
const savingBigwin = ref(false)
const createRewardLoading = ref(false)
const ruleGenerateDialogVisible = ref(false)
const ruleGenSubmitting = ref(false)
const ruleGenT1Fixed = ref(3)
const ruleGenT2Min = ref(5)
const ruleGenT4Fixed = ref(1)
const ruleGenT5Fixed = ref(1)
const ruleGenT1RealEv = ref(DEFAULT_TIER_REAL_EV_STANDARDS.T1)
const ruleGenT2RealEv = ref(DEFAULT_TIER_REAL_EV_STANDARDS.T2)
const ruleGenT3RealEv = ref(DEFAULT_TIER_REAL_EV_STANDARDS.T3)
const ruleGenT4RealEv = ref(DEFAULT_TIER_REAL_EV_STANDARDS.T4)
const ruleGenT5RealEv = ref(DEFAULT_TIER_REAL_EV_STANDARDS.T5)
/** 奖励索引 id 与后端 DiceRewardConfigLogic 一致025 */
const REWARD_INDEX_MIN = 0
const REWARD_INDEX_MAX = 25
const ALLOWED_INDEX_TIERS = ['T1', 'T2', 'T3', 'T4', 'T5', 'BIGWIN'] as const
function isAllowedIndexTier(s: string): boolean {
for (let i = 0; i < ALLOWED_INDEX_TIERS.length; i++) {
if (ALLOWED_INDEX_TIERS[i] === s) {
return true
}
}
return false
}
/** 第一页数据(来自 api.list即 DiceRewardConfig 表) */
const indexRows = ref<IndexRow[]>([])
@@ -349,8 +562,8 @@
}
/** 奖励索引表单校验:仅对本表内的行(不含 BIGWIN校验点数 530 且本批内不重复 */
function validateIndexFormForSave(): string | null {
const toSave = indexRows.value.filter((r) => r.tier !== 'BIGWIN')
function validateIndexFormForSaveRows(rows: IndexRow[]): string | null {
const toSave = rows.filter((r) => r.tier !== 'BIGWIN')
if (toSave.length === 0) {
return t('page.configPage.warnNoIndexToSave')
}
@@ -370,6 +583,171 @@
return null
}
function validateIndexFormForSave(): string | null {
return validateIndexFormForSaveRows(indexRows.value)
}
/** 从当前表提取 id 025 的色子点数(不含 BIGWIN用于按规则生成 */
function extractGrids26(): number[] | null {
const map = new Map<number, number>()
for (const r of indexRows.value) {
if (r.tier === 'BIGWIN') {
continue
}
if (r.id >= REWARD_INDEX_MIN && r.id <= REWARD_INDEX_MAX) {
map.set(r.id, Number(r.grid_number))
}
}
const out: number[] = []
for (let id = REWARD_INDEX_MIN; id <= REWARD_INDEX_MAX; id++) {
if (!map.has(id)) {
return null
}
const gn = map.get(id)
if (gn === undefined || Number.isNaN(gn)) {
return null
}
out.push(gn)
}
return out
}
function openRuleGenerateDialog() {
ruleGenerateDialogVisible.value = true
}
function applyGeneratedRowsToIndex(
items: Array<{
id: number
grid_number: number
ui_text: string
ui_text_en: string
real_ev: number
tier: string
remark: string
}>
): string | null {
const next = indexRows.value.map((r) => ({ ...r }))
for (const item of items) {
const row = next.find((x) => x.id === item.id)
if (row === undefined) {
return t('page.configPage.ruleGenUnknownId', { id: item.id })
}
row.grid_number = item.grid_number
row.ui_text = item.ui_text
row.ui_text_en = item.ui_text_en
row.real_ev = item.real_ev
row.tier = item.tier
row.remark = item.remark
}
const err = validateIndexFormForSaveRows(next)
if (err) {
return err
}
indexRows.value = next
return null
}
async function handleRuleGenerateApply() {
const grids = extractGrids26()
if (grids === null) {
ElMessage.warning(t('page.configPage.ruleGenNeedFullGrid'))
return
}
const t1 = Math.max(0, Math.min(26, Math.floor(Number(ruleGenT1Fixed.value))))
const t2 = Math.max(0, Math.min(26, Math.floor(Number(ruleGenT2Min.value))))
const x4 = Math.max(0, Math.min(26, Math.floor(Number(ruleGenT4Fixed.value))))
const x5 = Math.max(0, Math.min(26, Math.floor(Number(ruleGenT5Fixed.value))))
const standards = {
T1: Number(ruleGenT1RealEv.value),
T2: Number(ruleGenT2RealEv.value),
T3: Number(ruleGenT3RealEv.value),
T4: Number(ruleGenT4RealEv.value),
T5: Number(ruleGenT5RealEv.value)
}
const invalidKey = validateTierRealEvStandards(standards)
if (invalidKey !== null) {
ElMessage.warning(t(`page.configPage.${invalidKey}`))
return
}
const constraints = {
t1FixedCw: t1,
t2MinCw: t2,
t4FixedCw: x4,
t5FixedCw: x5,
t1FixedCcw: t1,
t2MinCcw: t2,
t4FixedCcw: x4,
t5FixedCcw: x5
}
const gen = generateTiers({ grids, constraints })
if (!gen.ok) {
ElMessage.warning(gen.message)
return
}
const built = buildRowsFromTiers(grids, gen.tiers, standards)
const mergeErr = applyGeneratedRowsToIndex(built)
if (mergeErr) {
ElMessage.warning(mergeErr)
return
}
const board = computeBoardFrequencies(grids)
if (board === null) {
ElMessage.warning(t('page.configPage.ruleGenFreqFail'))
return
}
const sc = summarizeCounts(board, gen.tiers)
ruleGenSubmitting.value = true
try {
const indexPayload = built.map(
(r: {
id: number
grid_number: number
ui_text: string
ui_text_en: string
real_ev: number
tier: string
remark: string
}) => ({
id: r.id,
grid_number: r.grid_number,
ui_text: r.ui_text,
ui_text_en: r.ui_text_en,
real_ev: r.real_ev,
tier: r.tier,
remark: r.remark
})
)
await api.batchUpdate(indexPayload)
ElMessage.success(
t('page.configPage.ruleGenSuccess', {
cwT1: sc.cw.T1,
cwT2: sc.cw.T2,
cwT4: sc.cw.T4,
cwT5: sc.cw.T5,
ccT1: sc.ccw.T1,
ccT2: sc.ccw.T2,
ccT4: sc.ccw.T4,
ccT5: sc.ccw.T5
})
)
indexRowsSnapshot = indexRows.value.map((r) => ({ ...r }))
ruleGenerateDialogVisible.value = false
} catch (e: unknown) {
let msg = ''
if (e !== null && typeof e === 'object' && 'message' in e) {
const m = Reflect.get(e, 'message')
if (typeof m === 'string') {
msg = m
}
}
ElMessage.error(msg || t('page.configPage.saveFail'))
loadIndexList()
} finally {
ruleGenSubmitting.value = false
}
}
/** 奖励索引表单仅提交本表数据T1T5不包含大奖权重 */
async function handleSaveIndex() {
const err = validateIndexFormForSave()
@@ -551,6 +929,141 @@
margin-bottom: 12px;
line-height: 1.5;
}
.index-toolbar {
display: flex;
align-items: center;
justify-content: flex-end;
margin-bottom: 8px;
flex-shrink: 0;
}
.rule-generate-dialog {
:deep(.el-dialog__header) {
padding: 12px 16px;
margin-right: 0;
}
:deep(.el-dialog__body) {
padding: 12px 16px 8px;
}
:deep(.el-dialog__footer) {
padding: 12px 16px calc(16px + env(safe-area-inset-bottom, 0px));
}
.rule-generate-rules {
font-size: 12px;
color: var(--el-text-color-secondary);
line-height: 1.65;
white-space: pre-wrap;
margin: 0 0 12px;
padding: 12px;
background: var(--el-fill-color-light);
border-radius: 6px;
max-height: min(260px, 38vh);
overflow-y: auto;
-webkit-overflow-scrolling: touch;
}
.rule-generate-form {
margin-top: 4px;
:deep(.el-form-item) {
margin-bottom: 14px;
}
:deep(.el-form-item__label) {
line-height: 1.4;
align-items: flex-start;
}
}
.rule-generate-scope {
font-size: 12px;
color: var(--el-text-color-secondary);
margin: 8px 0 0;
line-height: 1.5;
}
.rule-gen-row {
display: flex;
flex-wrap: wrap;
align-items: flex-end;
gap: 12px 20px;
width: 100%;
}
.rule-gen-cell {
display: flex;
align-items: center;
gap: 8px;
flex: 1 1 200px;
min-width: 0;
}
.rule-gen-hint {
font-size: 12px;
color: var(--el-text-color-secondary);
white-space: nowrap;
flex-shrink: 0;
}
.rule-gen-input-num {
flex: 1;
min-width: 0;
width: 100%;
max-width: 100%;
}
.rule-gen-input-num :deep(.el-input__wrapper) {
min-height: 36px;
}
.rule-gen-footer-btns {
display: flex;
flex-wrap: wrap;
justify-content: flex-end;
gap: 10px;
width: 100%;
}
}
@media (max-width: 639px) {
.rule-generate-dialog {
:deep(.el-dialog) {
margin: 0;
max-height: 100%;
}
:deep(.el-dialog.is-fullscreen) {
display: flex;
flex-direction: column;
}
:deep(.el-dialog.is-fullscreen .el-dialog__body) {
flex: 1;
min-height: 0;
overflow-y: auto;
-webkit-overflow-scrolling: touch;
}
.rule-generate-rules {
max-height: min(200px, 32vh);
font-size: 11px;
}
.rule-gen-row {
flex-direction: column;
align-items: stretch;
gap: 12px;
}
.rule-gen-cell {
flex-direction: column;
align-items: stretch;
flex: none;
width: 100%;
}
.rule-gen-hint {
white-space: normal;
}
.rule-gen-input-num {
width: 100%;
}
.rule-gen-input-num :deep(.el-input__wrapper) {
min-height: 40px;
}
.rule-gen-footer-btns {
flex-direction: column-reverse;
align-items: stretch;
.el-button {
width: 100%;
margin: 0;
}
}
}
}
.config-table {
width: 100%;
.full-width {

View File

@@ -0,0 +1,413 @@
/**
* 按与后端 DiceRewardLogic 一致的环形规则,为盘面 26 格id 025求档位 tier
* 并生成 real_ev / ui 等字段。
*
* 摇取点数为 530起点为 grid_number==摇取点数 的格位下标,顺时针落点 (start+摇取)%26
* 逆时针落点 start-摇取(<0 则 +26
*/
export type IndexTier = 'T1' | 'T2' | 'T3' | 'T4' | 'T5'
/** 豹子摇取点数:这些摇取下落点不得为 T4/T5与 dice_reward 表中「点数」列一致) */
export const LEOPARD_ROLLS: readonly number[] = [5, 10, 15, 20, 25, 30]
const BOARD_SIZE = 26
const GRID_MIN = 5
const GRID_MAX = 30
const T_ALL: IndexTier[] = ['T1', 'T2', 'T3', 'T4', 'T5']
const T_NO_LEOPARD: IndexTier[] = ['T1', 'T2', 'T3']
export interface BoardFrequencies {
grids: number[]
freqCw: number[]
freqCcw: number[]
leopardLandCw: Set<number>
leopardLandCcw: Set<number>
leopardLandUnion: Set<number>
}
/**
* 条数约束T1/T4/T5 为「恰好」T2 为「不少于」(加权条数,与 dice_reward 中顺/逆各 26 条摇取结果一致)
*/
export interface TierCountConstraints {
t1FixedCw: number
t2MinCw: number
/** 顺时针方向 T4 加权条数固定为该值 */
t4FixedCw: number
/** 顺时针方向 T5 加权条数固定为该值 */
t5FixedCw: number
t1FixedCcw: number
t2MinCcw: number
/** 逆时针方向 T4 加权条数固定为该值 */
t4FixedCcw: number
/** 逆时针方向 T5 加权条数固定为该值 */
t5FixedCcw: number
}
/** 各档位统一 real_ev 标准(生成 DiceRewardConfig 时使用;细则可再到表格里改) */
export interface TierRealEvStandards {
T1: number
T2: number
T3: number
T4: number
T5: number
}
/** 默认标准与常见业务约定一致100&lt;T1&lt;500 */
export const DEFAULT_TIER_REAL_EV_STANDARDS: TierRealEvStandards = {
T1: 400,
T2: 50,
T3: -80,
T4: -140,
T5: 0
}
/**
* 校验档位与 real_ev 区间是否一致;通过返回 null否则返回 i18n 键名(不含 page.configPage. 前缀)
*/
export function validateTierRealEvStandards(s: TierRealEvStandards): string | null {
if (!Number.isFinite(s.T1) || !(s.T1 > 100 && s.T1 < 500)) {
return 'ruleGenInvalidT1RealEv'
}
if (!Number.isFinite(s.T2) || !(s.T2 > 0 && s.T2 < 100)) {
return 'ruleGenInvalidT2RealEv'
}
if (!Number.isFinite(s.T3) || !(-100 < s.T3 && s.T3 < 0)) {
return 'ruleGenInvalidT3RealEv'
}
if (!Number.isFinite(s.T4) || !(s.T4 < -100)) {
return 'ruleGenInvalidT4RealEv'
}
if (!Number.isFinite(s.T5) || s.T5 !== 0) {
return 'ruleGenInvalidT5RealEv'
}
return null
}
export interface GenerateTierInput {
grids: number[]
constraints: TierCountConstraints
}
export interface GenerateTierResultOk {
ok: true
tiers: IndexTier[]
}
export interface GenerateTierResultFail {
ok: false
message: string
}
export type GenerateTierResult = GenerateTierResultOk | GenerateTierResultFail
export function computeBoardFrequencies(grids: number[]): BoardFrequencies | null {
if (grids.length !== BOARD_SIZE) {
return null
}
const gridToPos: Record<number, number> = {}
for (let pos = 0; pos < BOARD_SIZE; pos++) {
const g = grids[pos]
if (g < GRID_MIN || g > GRID_MAX) {
return null
}
if (gridToPos[g] !== undefined) {
return null
}
gridToPos[g] = pos
}
const freqCw = new Array<number>(BOARD_SIZE).fill(0)
const freqCcw = new Array<number>(BOARD_SIZE).fill(0)
for (let roll = GRID_MIN; roll <= GRID_MAX; roll++) {
const startPos = gridToPos[roll]
const endCw = (startPos + roll) % BOARD_SIZE
const endCcw = startPos - roll >= 0 ? startPos - roll : BOARD_SIZE + startPos - roll
freqCw[endCw]++
freqCcw[endCcw]++
}
const leopardLandCw = new Set<number>()
const leopardLandCcw = new Set<number>()
for (let di = 0; di < LEOPARD_ROLLS.length; di++) {
const d = LEOPARD_ROLLS[di]
const sp = gridToPos[d]
leopardLandCw.add((sp + d) % BOARD_SIZE)
const eccw = sp - d >= 0 ? sp - d : BOARD_SIZE + sp - d
leopardLandCcw.add(eccw)
}
const leopardLandUnion = new Set<number>()
leopardLandCw.forEach((x) => leopardLandUnion.add(x))
leopardLandCcw.forEach((x) => leopardLandUnion.add(x))
return {
grids: [...grids],
freqCw,
freqCcw,
leopardLandCw,
leopardLandCcw,
leopardLandUnion
}
}
function sumWeighted(freq: number[], tiers: IndexTier[], tier: IndexTier): number {
let s = 0
for (let i = 0; i < BOARD_SIZE; i++) {
if (tiers[i] === tier) {
s += freq[i]
}
}
return s
}
function meetsConstraints(
tiers: IndexTier[],
freqCw: number[],
freqCcw: number[],
c: TierCountConstraints
): boolean {
const cw1 = sumWeighted(freqCw, tiers, 'T1')
const cw2 = sumWeighted(freqCw, tiers, 'T2')
const cw4 = sumWeighted(freqCw, tiers, 'T4')
const cw5 = sumWeighted(freqCw, tiers, 'T5')
const cc1 = sumWeighted(freqCcw, tiers, 'T1')
const cc2 = sumWeighted(freqCcw, tiers, 'T2')
const cc4 = sumWeighted(freqCcw, tiers, 'T4')
const cc5 = sumWeighted(freqCcw, tiers, 'T5')
return (
cw1 === c.t1FixedCw &&
cw2 >= c.t2MinCw &&
cw4 === c.t4FixedCw &&
cw5 === c.t5FixedCw &&
cc1 === c.t1FixedCcw &&
cc2 >= c.t2MinCcw &&
cc4 === c.t4FixedCcw &&
cc5 === c.t5FixedCcw
)
}
function nonLeopardTierChoices(c: TierCountConstraints): IndexTier[] {
const out: IndexTier[] = ['T1', 'T2', 'T3']
if (c.t4FixedCw > 0 || c.t4FixedCcw > 0) {
out.push('T4')
}
if (c.t5FixedCw > 0 || c.t5FixedCcw > 0) {
out.push('T5')
}
return out
}
function shuffleIndices(rand: () => number): number[] {
const a: number[] = []
for (let i = 0; i < BOARD_SIZE; i++) {
a.push(i)
}
for (let i = BOARD_SIZE - 1; i > 0; i--) {
const j = Math.floor(rand() * (i + 1))
const t = a[i]
a[i] = a[j]
a[j] = t
}
return a
}
function mulberry32(seed: number): () => number {
return () => {
let t = (seed += 0x6d2b79f5)
t = Math.imul(t ^ (t >>> 15), t | 1)
t ^= t + Math.imul(t ^ (t >>> 7), t | 61)
return ((t ^ (t >>> 14)) >>> 0) / 4294967296
}
}
/**
* 随机搜索可行档位:豹子落点禁 T4/T5T4/T5 顺/逆加权条数分别等于约束中的固定值(可多条 T4/T5 格位)。
*/
export function generateTiers(input: GenerateTierInput): GenerateTierResult {
const board = computeBoardFrequencies(input.grids)
if (board === null) {
return { ok: false, message: 'grid_number 须为 530 各出现一次且共 26 条' }
}
const { freqCw, freqCcw, leopardLandUnion } = board
const c = input.constraints
let seed = 0
for (let i = 0; i < BOARD_SIZE; i++) {
seed = (seed + input.grids[i] * 31 + i) | 0
}
const rand = mulberry32(seed === 0 ? 0x9e3779b9 : seed)
const needT5Cell = c.t5FixedCw > 0 || c.t5FixedCcw > 0
if (needT5Cell) {
let hasNonLeopard = false
for (let i = 0; i < BOARD_SIZE; i++) {
if (!leopardLandUnion.has(i)) {
hasNonLeopard = true
break
}
}
if (!hasNonLeopard) {
return { ok: false, message: '无可用 T5 格位(豹子摇取落点占满全盘,请调整 grid_number 排布)' }
}
}
const nonLeopardChoices = nonLeopardTierChoices(c)
const maxAttempts = 400000
for (let attempt = 0; attempt < maxAttempts; attempt++) {
const tiers: IndexTier[] = new Array(BOARD_SIZE).fill('T3')
const order = shuffleIndices(rand)
for (let oi = 0; oi < order.length; oi++) {
const pos = order[oi]
if (leopardLandUnion.has(pos)) {
tiers[pos] = T_NO_LEOPARD[Math.floor(rand() * T_NO_LEOPARD.length)]
} else {
tiers[pos] = nonLeopardChoices[Math.floor(rand() * nonLeopardChoices.length)]
}
}
if (meetsConstraints(tiers, freqCw, freqCcw, c)) {
return { ok: true, tiers }
}
}
return { ok: false, message: '在当前盘面与约束下未找到可行解,请调整 T1/T4/T5 固定条数或放宽 T2 下限后重试' }
}
/** 展示文案100 + 真实结算中英文相同T5 不使用 */
function uiTextFromRealEvPlus100(realEv: number): { ui_text: string; ui_text_en: string } {
const s = String(100 + realEv)
return { ui_text: s, ui_text_en: s }
}
/**
* 按 tier 生成展示字段。
* @param standards 若传入,则各档位统一使用对应 real_ev 标准;不传则使用内置随机占位(兼容脚本/旧逻辑)
*/
export function buildRowsFromTiers(
grids: number[],
tiers: IndexTier[],
standards?: TierRealEvStandards
): Array<{
id: number
grid_number: number
ui_text: string
ui_text_en: string
real_ev: number
tier: IndexTier
remark: string
}> {
const rows: Array<{
id: number
grid_number: number
ui_text: string
ui_text_en: string
real_ev: number
tier: IndexTier
remark: string
}> = []
let t4Seq = 0
for (let id = 0; id < BOARD_SIZE; id++) {
const tier = tiers[id]
const grid_number = grids[id]
let ui_text = ''
let ui_text_en = ''
let real_ev = 0
let remark = ''
if (standards !== undefined) {
if (tier === 'T1') {
real_ev = standards.T1
const f = uiTextFromRealEvPlus100(real_ev)
ui_text = f.ui_text
ui_text_en = f.ui_text_en
remark = '大奖格'
} else if (tier === 'T2') {
real_ev = standards.T2
const f = uiTextFromRealEvPlus100(real_ev)
ui_text = f.ui_text
ui_text_en = f.ui_text_en
remark = standards.T2 <= 1 ? '完美回本' : '小赚'
} else if (tier === 'T3') {
real_ev = standards.T3
const f = uiTextFromRealEvPlus100(real_ev)
ui_text = f.ui_text
ui_text_en = f.ui_text_en
remark = '抽水'
} else if (tier === 'T4') {
real_ev = standards.T4
const f = uiTextFromRealEvPlus100(real_ev)
ui_text = f.ui_text
ui_text_en = f.ui_text_en
remark = '惩罚'
} else {
real_ev = standards.T5
ui_text = '再来一次'
ui_text_en = 'Once again'
remark = '前端需要在播放一次动画(特殊)'
}
} else if (tier === 'T1') {
real_ev = 101 + ((id * 17 + grid_number * 3) % 398)
if (real_ev >= 500) {
real_ev = 498
}
const f = uiTextFromRealEvPlus100(real_ev)
ui_text = f.ui_text
ui_text_en = f.ui_text_en
remark = '大奖格'
} else if (tier === 'T2') {
if (id % 3 === 0) {
real_ev = 1
remark = '完美回本'
} else {
real_ev = 20 + ((id * 11) % 75)
if (real_ev <= 0) {
real_ev = 50
}
remark = '小赚'
}
const f = uiTextFromRealEvPlus100(real_ev)
ui_text = f.ui_text
ui_text_en = f.ui_text_en
} else if (tier === 'T3') {
real_ev = -72 - (id % 15)
const f = uiTextFromRealEvPlus100(real_ev)
ui_text = f.ui_text
ui_text_en = f.ui_text_en
remark = '抽水'
} else if (tier === 'T4') {
t4Seq++
real_ev = -101 - t4Seq * 15
const f = uiTextFromRealEvPlus100(real_ev)
ui_text = f.ui_text
ui_text_en = f.ui_text_en
remark = '惩罚'
} else {
real_ev = 0
ui_text = '再来一次'
ui_text_en = 'Once again'
remark = '前端需要在播放一次动画(特殊)'
}
rows.push({
id,
grid_number,
ui_text,
ui_text_en,
real_ev,
tier,
remark
})
}
return rows
}
export function summarizeCounts(
board: BoardFrequencies,
tiers: IndexTier[]
): { cw: Record<IndexTier, number>; ccw: Record<IndexTier, number> } {
const cw: Record<IndexTier, number> = { T1: 0, T2: 0, T3: 0, T4: 0, T5: 0 }
const ccw: Record<IndexTier, number> = { T1: 0, T2: 0, T3: 0, T4: 0, T5: 0 }
for (let k = 0; k < T_ALL.length; k++) {
const t = T_ALL[k]
cw[t] = sumWeighted(board.freqCw, tiers, t)
ccw[t] = sumWeighted(board.freqCcw, tiers, t)
}
return { cw, ccw }
}

View File

@@ -2,9 +2,9 @@
DB_TYPE=mysql
DB_HOST=127.0.0.1
DB_PORT=3306
DB_NAME=saiadmin
DB_USER=root
DB_PASSWORD=123456
DB_NAME=dafuweng-v3
DB_USER=dafuweng-v3
DB_PASSWORD=tA6rciKLKxpFNGAm
DB_PREFIX=
DB_POOL_MAX=32
DB_POOL_MIN=4
@@ -17,10 +17,10 @@ REDIS_POOL_MAX=32
REDIS_HOST=127.0.0.1
REDIS_PORT=6379
REDIS_PASSWORD=''
REDIS_DB=0
REDIS_DB=1
# 游戏地址,用于 /api/v1/getGameUrl 返回
GAME_URL=dice-game.yuliao666.top
GAME_URL=dice-game-v3.yuliao666.top
# API 鉴权与用户(可选,不填则用默认值)
# authToken 签名密钥(必填,与客户端约定,用于 signature 校验)

View File

@@ -11,6 +11,7 @@ use app\api\logic\GameLogic;
use app\api\logic\PlayStartLogic;
use app\api\util\ReturnCode;
use app\dice\model\config\DiceConfig;
use app\dice\model\ante_config\DiceAnteConfig;
use app\dice\model\play_record\DicePlayRecord;
use app\dice\model\player\DicePlayer;
use app\dice\model\reward\DiceRewardConfig;
@@ -134,6 +135,20 @@ class GameController extends BaseController
return $this->success($list);
}
/**
* 获取底注配置(全部)
* GET/any /api/game/anteConfig
* header: tokenTokenMiddleware 注入)
* 返回dice_ante_config 列表(包含 mult/is_default 等字段)
*/
public function anteConfig(Request $request): Response
{
// 用于后续抽奖校验:在接口中实例化 model后续逻辑可复用相同的数据读取方式。
$anteConfigModel = new DiceAnteConfig();
$rows = $anteConfigModel->order('id', 'asc')->select()->toArray();
return $this->success($rows);
}
/**
* 开始游戏(抽奖一局)
* POST /api/game/playStart
@@ -147,21 +162,21 @@ class GameController extends BaseController
if ($direction !== null) {
$direction = (int) $direction;
}
$ante = $request->post('ante');
if ($ante !== null) {
$ante = (int) $ante;
}
if (!in_array($direction, [0, 1], true)) {
return $this->fail('direction must be 0 or 1', ReturnCode::PARAMS_ERROR);
}
if (!is_int($ante) || $ante <= 0) {
return $this->fail('ante must be a positive integer', ReturnCode::PARAMS_ERROR);
}
$player = DicePlayer::find($userId);
if (!$player) {
return $this->fail('User not found', ReturnCode::NOT_FOUND);
}
$minEv = DiceRewardConfig::getCachedMinRealEv();
$minCoin = abs($minEv + 100);
$coin = (float) $player->coin;
if ($coin < $minCoin) {
$msg = ApiLang::translateParams('Balance %s is less than %s, cannot continue', [$coin, $minCoin], $request);
return $this->success([], $msg);
}
$lockName = 'play_start_' . $userId;
$lockResult = Db::query('SELECT GET_LOCK(?, 30) as l', [$lockName]);
@@ -170,7 +185,7 @@ class GameController extends BaseController
}
try {
$logic = new PlayStartLogic();
$data = $logic->run($userId, (int)$direction);
$data = $logic->run($userId, (int) $direction, $ante);
$lang = $request->header('lang', 'zh');
if (!is_string($lang) || $lang === '') {

View File

@@ -108,6 +108,7 @@ class GameLogic
'player_id' => $playerId,
'admin_id' => $adminId,
'use_coins' => $cost,
'ante' => 1,
'total_ticket_count' => $addTotal,
'paid_ticket_count' => $addPaid,
'free_ticket_count' => $addFree,

View File

@@ -8,6 +8,7 @@ use app\api\util\ApiLang;
use app\api\service\LotteryService;
use app\dice\model\lottery_pool_config\DiceLotteryPoolConfig;
use app\dice\model\play_record\DicePlayRecord;
use app\dice\model\ante_config\DiceAnteConfig;
use app\dice\model\player\DicePlayer;
use app\dice\model\player_ticket_record\DicePlayerTicketRecord;
use app\dice\model\player_wallet_record\DicePlayerWalletRecord;
@@ -34,8 +35,12 @@ class PlayStartLogic
/** 对局状态:超时/失败 */
public const RECORD_STATUS_TIMEOUT = 0;
/** 开启对局最低余额 = |DiceRewardConfig 最小 real_ev + 100| */
private const MIN_COIN_EXTRA = 100;
/** 单注费用(对应原票价 100 */
private const UNIT_COST = 100;
/** 免费抽奖注数缓存 key 前缀(用于强制下一局注数一致) */
private const FREE_ANTE_KEY_PREFIX = 'api:game:free_ante:';
/** 免费抽奖注数缓存过期(秒) */
private const FREE_ANTE_TTL = 86400 * 7;
/** 豹子号中大奖额外平台币(无 BIGWIN 配置时兜底) */
private const SUPER_WIN_BONUS = 500;
/** 可触发超级大奖的 grid_number5=全1 10=全2 15=全3 20=全4 25=全5 30=全6 */
@@ -47,36 +52,60 @@ class PlayStartLogic
* 执行一局游戏
* @param int $playerId 玩家ID
* @param int $direction 方向 0=无/顺时针 1=中奖/逆时针(前端 direction
* @param int $ante 注数(必须在 DiceAnteConfig.mult 中存在)
* @return array 成功返回 DicePlayRecord 数据;余额不足时抛 ApiExceptionmessage 为约定文案
*/
public function run(int $playerId, int $direction): array
public function run(int $playerId, int $direction, int $ante): array
{
$player = DicePlayer::find($playerId);
if (!$player) {
throw new ApiException('User not found');
}
$minEv = DiceRewardConfig::getCachedMinRealEv();
$minCoin = abs($minEv + self::MIN_COIN_EXTRA);
$coin = (float) $player->coin;
if ($coin < $minCoin) {
throw new ApiException(ApiLang::translateParams('当前玩家余额%s小于%s无法继续游戏', [$coin, $minCoin]));
if ($ante <= 0) {
throw new ApiException('ante must be a positive integer');
}
$paid = (int) ($player->paid_ticket_count ?? 0);
$free = (int) ($player->free_ticket_count ?? 0);
if ($paid + $free <= 0) {
throw new ApiException('Insufficient lottery tickets');
// 注数合规校验ante 必须存在于 dice_ante_config.mult
$anteConfigModel = new DiceAnteConfig();
$exists = $anteConfigModel->where('mult', $ante)->count();
if ($exists <= 0) {
throw new ApiException('当前注数不合规,请选择正确的注数');
}
// 免费抽奖:不再使用抽奖券作为开始条件,仅用 free_ticket_count 表示“免费抽奖次数”
$freeCount = (int) ($player->free_ticket_count ?? 0);
$isFree = $freeCount > 0;
$ticketType = $isFree ? self::LOTTERY_TYPE_FREE : self::LOTTERY_TYPE_PAID;
// 若为免费抽奖:注数必须与上一次触发免费抽奖时的注数一致
if ($isFree) {
$requiredAnte = Cache::get(self::FREE_ANTE_KEY_PREFIX . $playerId);
if ($requiredAnte !== null && $requiredAnte !== '' && (int) $requiredAnte !== $ante) {
throw new ApiException('免费抽奖注数必须与上一次一致,请修改注数后继续');
}
}
$lotteryService = LotteryService::getOrCreate($playerId);
$ticketType = LotteryService::drawTicketType($paid, $free);
$configType0 = DiceLotteryPoolConfig::where('name', 'default')->find();
$configType1 = DiceLotteryPoolConfig::where('name', 'killScore')->find();
if (!$configType0) {
throw new ApiException('Lottery pool config not found (name=default required)');
}
// 余额校验:统一校验 ante * min(real_ev)
$minEv = DiceRewardConfig::getCachedMinRealEv();
$needMinBalance = abs((float) $minEv) * $ante;
if ($coin < $needMinBalance) {
throw new ApiException('未达抽奖余额 ' . $needMinBalance . ',无法开始游戏');
}
// 付费抽奖:开始前扣除费用 ante * 100不足则提示余额不足
$paidAmount = $ticketType === self::LOTTERY_TYPE_PAID ? ($ante * self::UNIT_COST) : 0;
if ($ticketType === self::LOTTERY_TYPE_PAID && $coin < $paidAmount) {
throw new ApiException('余额不足');
}
// 彩金池累计盈利:用于判断是否触发杀分(不再依赖单个玩家累计盈利)
// 该值来自 dice_lottery_pool_config.profit_amount
$poolProfitTotal = $configType0->profit_amount ?? 0;
@@ -133,7 +162,8 @@ class PlayStartLogic
$rollNumber = (int) ($chosen['grid_number'] ?? 0);
$realEv = (float) ($chosen['real_ev'] ?? 0);
$isTierT5 = (string) ($chosen['tier'] ?? '') === 'T5';
$rewardWinCoin = $isTierT5 ? $realEv : (100 + $realEv);
// 玩家始终增加:(100 + real_ev) * ante费用已在开始前扣除免费抽奖同样按该口径结算
$rewardWinCoin = (self::UNIT_COST + $realEv) * $ante;
// 豹子判定5/30 必豹子10/15/20/25 按 DiceRewardConfig 中 BIGWIN 该点数的 weight 判定0-1000010000=100%
// 杀分档位不触发豹子5/30 已在上方抽取时排除10/15/20/25 仅生成非豹子组合
@@ -166,7 +196,8 @@ class PlayStartLogic
if ($doSuperWin) {
$rollArray = $this->getSuperWinRollArray($rollNumber);
$isWin = 1;
$superWinCoin = $bigWinRealEv > 0 ? $bigWinRealEv : self::SUPER_WIN_BONUS;
$bigWinEv = $bigWinRealEv > 0 ? $bigWinRealEv : self::SUPER_WIN_BONUS;
$superWinCoin = (self::UNIT_COST + $bigWinEv) * $ante;
// 中 BIGWIN 豹子:不走原奖励流程,不记录原奖励,不触发 T5 再来一次,仅发放豹子奖金
$rewardWinCoin = 0;
$realEv = 0;
@@ -203,6 +234,8 @@ class PlayStartLogic
$rewardId,
$configName,
$ticketType,
$ante,
$paidAmount,
$winCoin,
$superWinCoin,
$rewardWinCoin,
@@ -221,11 +254,13 @@ class PlayStartLogic
'admin_id' => $adminId,
'lottery_config_id' => $configId,
'lottery_type' => $ticketType,
'ante' => $ante,
'paid_amount' => $paidAmount,
'is_win' => $isWin,
'win_coin' => $winCoin,
'super_win_coin' => $superWinCoin,
'reward_win_coin' => $rewardWinCoin,
'use_coins' => 0,
'use_coins' => $paidAmount,
'direction' => $direction,
'reward_config_id' => $rewardId,
'start_index' => $startIndex,
@@ -241,34 +276,40 @@ class PlayStartLogic
throw new \RuntimeException('玩家不存在');
}
$coinBefore = (float) $p->coin;
$coinAfter = $coinBefore + $winCoin;
// 开始前先扣付费金额,再加中奖金额(免费抽奖 paid_amount=0
$coinAfter = $coinBefore - $paidAmount + $winCoin;
$p->coin = $coinAfter;
$p->total_ticket_count = max(0, (int) $p->total_ticket_count - 1);
if ($ticketType === self::LOTTERY_TYPE_PAID) {
$p->paid_ticket_count = max(0, (int) $p->paid_ticket_count - 1);
} else {
// 不再使用抽奖券作为抽奖条件:付费不扣抽奖次数;免费抽奖仅消耗 free_ticket_count
if ($ticketType === self::LOTTERY_TYPE_FREE) {
$p->free_ticket_count = max(0, (int) $p->free_ticket_count - 1);
}
// 若本局中奖档位为 T5则额外赠送 1 次免费抽奖次数(总次数也 +1并记录抽奖券获取记录
if ($isTierT5) {
$p->free_ticket_count = (int) $p->free_ticket_count + 1;
$p->total_ticket_count = (int) $p->total_ticket_count + 1;
DicePlayerTicketRecord::create([
'player_id' => $playerId,
'admin_id' => $adminId,
'ante' => $ante,
'free_ticket_count' => 1,
'remark' => '中奖结果为T5',
]);
// 记录免费抽奖注数,用于强制下一局注数一致
Cache::set(self::FREE_ANTE_KEY_PREFIX . $playerId, $ante, self::FREE_ANTE_TTL);
} else {
// 若本次消耗了最后一次免费抽奖,则清理注数锁
if ($ticketType === self::LOTTERY_TYPE_FREE && (int) $p->free_ticket_count <= 0) {
Cache::delete(self::FREE_ANTE_KEY_PREFIX . $playerId);
}
}
$p->save();
// 彩金池累计盈利累加在 name=default 彩金池上:
// 付费:每局按“当前中奖金额(含 BIGWIN - 抽奖费用 100”
// 付费:每局按“当前中奖金额(含 BIGWIN - 抽奖费用ante*100
// 免费券:取消票价成本 100只计入中奖金额
$perPlayProfit = ($ticketType === self::LOTTERY_TYPE_PAID) ? ($winCoin - 100.0) : $winCoin;
$perPlayProfit = ($ticketType === self::LOTTERY_TYPE_PAID) ? ($winCoin - (float) $paidAmount) : $winCoin;
$addProfit = $perPlayProfit;
try {
DiceLotteryPoolConfig::where('id', $type0ConfigId)->update([
@@ -285,7 +326,8 @@ class PlayStartLogic
DicePlayerWalletRecord::create([
'player_id' => $playerId,
'admin_id' => $adminId,
'coin' => $winCoin,
// 钱包流水记录本局净变化:-付费金额 + 中奖金额(免费抽奖付费金额为 0
'coin' => $winCoin - (float) $paidAmount,
'type' => self::WALLET_TYPE_DRAW,
'wallet_before' => $coinBefore,
'wallet_after' => $coinAfter,
@@ -336,7 +378,6 @@ class PlayStartLogic
$arr['tier'] = $tier ?? '';
// 记录完数据后返回当前玩家余额与抽奖次数
$arr['coin'] = $updated ? (float) $updated->coin : 0;
$arr['total_ticket_count'] = $updated ? (int) $updated->total_ticket_count : 0;
return $arr;
}

View File

@@ -0,0 +1,78 @@
<?php
// +----------------------------------------------------------------------
// | saiadmin [ saiadmin快速开发框架 ]
// +----------------------------------------------------------------------
// | Author: your name
// +----------------------------------------------------------------------
namespace app\dice\controller\ante_config;
use app\dice\logic\ante_config\DiceAnteConfigLogic;
use app\dice\validate\ante_config\DiceAnteConfigValidate;
use plugin\saiadmin\basic\BaseController;
use plugin\saiadmin\service\Permission;
use support\Request;
use support\Response;
/**
* 底注配置控制器
*/
class DiceAnteConfigController extends BaseController
{
public function __construct()
{
$this->logic = new DiceAnteConfigLogic();
$this->validate = new DiceAnteConfigValidate();
parent::__construct();
}
#[Permission('底注配置列表', 'dice:ante_config:index:index')]
public function index(Request $request): Response
{
$where = $request->more([
['name', ''],
['title', ''],
['is_default', ''],
]);
$query = $this->logic->search($where);
$data = $this->logic->getList($query);
return $this->success($data);
}
#[Permission('底注配置读取', 'dice:ante_config:index:read')]
public function read(Request $request): Response
{
$id = $request->input('id', '');
$model = $this->logic->read($id);
$data = is_array($model) ? $model : $model->toArray();
return $this->success($data);
}
#[Permission('底注配置添加', 'dice:ante_config:index:save')]
public function save(Request $request): Response
{
$data = $request->post();
$this->validate('save', $data);
$result = $this->logic->add($data);
return $result ? $this->success('add success') : $this->fail('add failed');
}
#[Permission('底注配置修改', 'dice:ante_config:index:update')]
public function update(Request $request): Response
{
$data = $request->post();
$this->validate('update', $data);
$result = $this->logic->edit($data['id'], $data);
return $result ? $this->success('update success') : $this->fail('update failed');
}
#[Permission('底注配置删除', 'dice:ante_config:index:destroy')]
public function destroy(Request $request): Response
{
$ids = $request->post('ids', '');
if (empty($ids)) {
return $this->fail('please select data to delete');
}
$result = $this->logic->destroy($ids);
return $result ? $this->success('delete success') : $this->fail('delete failed');
}
}

View File

@@ -64,9 +64,9 @@ class DicePlayRecordController extends BaseController
// 按当前筛选条件统计:平台总盈利 = 付费抽奖(lottery_type=0)次数×100 - 玩家总收益(win_coin 求和)
$sumQuery = clone $query;
$playerTotalWin = (float) $sumQuery->sum('win_coin');
$paidCountQuery = clone $query;
$paidCount = (int) $paidCountQuery->where('lottery_type', 0)->count();
$totalWinCoin = $paidCount * 100 - $playerTotalWin;
$paidAmountQuery = clone $query;
$paidAmount = (float) $paidAmountQuery->where('lottery_type', 0)->sum('paid_amount');
$totalWinCoin = $paidAmount - $playerTotalWin;
$data = $this->logic->getList($query);
$data['total_win_coin'] = $totalWinCoin;

View File

@@ -0,0 +1,90 @@
<?php
// +----------------------------------------------------------------------
// | saiadmin [ saiadmin快速开发框架 ]
// +----------------------------------------------------------------------
// | Author: your name
// +----------------------------------------------------------------------
namespace app\dice\logic\ante_config;
use app\dice\model\ante_config\DiceAnteConfig;
use plugin\saiadmin\basic\think\BaseLogic;
/**
* 底注配置逻辑层
*/
class DiceAnteConfigLogic extends BaseLogic
{
public function __construct()
{
$this->model = new DiceAnteConfig();
}
public function add(array $data): mixed
{
return $this->transaction(function () use ($data) {
$this->normalizeDefaultField($data);
if ((int) ($data['is_default'] ?? 0) === 1) {
$this->clearOtherDefaults();
}
return parent::add($data);
});
}
public function edit($id, array $data): mixed
{
return $this->transaction(function () use ($id, $data) {
$this->normalizeDefaultField($data);
if ((int) ($data['is_default'] ?? 0) === 1) {
$this->clearOtherDefaults((int) $id);
}
return parent::edit($id, $data);
});
}
/**
* 防止删除后全表无默认:若删除了默认项,自动把最小 id 设为默认。
*/
public function destroy($ids): bool
{
return $this->transaction(function () use ($ids) {
$idList = is_array($ids) ? $ids : explode(',', (string) $ids);
$intIds = [];
foreach ($idList as $v) {
$iv = (int) $v;
if ($iv > 0) {
$intIds[] = $iv;
}
}
if ($intIds === []) {
return false;
}
$deletedDefaultCount = $this->model->whereIn('id', $intIds)->where('is_default', 1)->count();
$result = $this->model->destroy($intIds);
if ($result && $deletedDefaultCount > 0) {
$first = $this->model->order('id', 'asc')->find();
if ($first) {
$this->model->where('id', (int) $first['id'])->update(['is_default' => 1]);
}
}
return (bool) $result;
});
}
private function normalizeDefaultField(array &$data): void
{
if (!array_key_exists('is_default', $data)) {
return;
}
$data['is_default'] = ((int) $data['is_default']) === 1 ? 1 : 0;
}
private function clearOtherDefaults(?int $excludeId = null): void
{
$query = $this->model->where('is_default', 1);
if ($excludeId !== null && $excludeId > 0) {
$query->where('id', '<>', $excludeId);
}
$query->update(['is_default' => 0]);
}
}

View File

@@ -0,0 +1,48 @@
<?php
// +----------------------------------------------------------------------
// | saiadmin [ saiadmin快速开发框架 ]
// +----------------------------------------------------------------------
// | Author: your name
// +----------------------------------------------------------------------
namespace app\dice\model\ante_config;
use plugin\saiadmin\basic\think\BaseModel;
/**
* 底注配置模型
*
* @property int $id ID
* @property string $name 名称
* @property string $title 标题
* @property int $is_default 是否默认底注0否 1是全表仅允许一条为1
* @property int $mult 底注倍率
* @property string $create_time 创建时间
* @property string $update_time 更新时间
*/
class DiceAnteConfig extends BaseModel
{
protected $pk = 'id';
protected $table = 'dice_ante_config';
public function searchNameAttr($query, $value): void
{
if ($value !== '' && $value !== null) {
$query->where('name', 'like', '%' . $value . '%');
}
}
public function searchTitleAttr($query, $value): void
{
if ($value !== '' && $value !== null) {
$query->where('title', 'like', '%' . $value . '%');
}
}
public function searchIsDefaultAttr($query, $value): void
{
if ($value !== '' && $value !== null) {
$query->where('is_default', (int) $value);
}
}
}

View File

@@ -22,10 +22,13 @@ use think\model\relation\BelongsTo;
* @property $admin_id 关联玩家所属管理员IDDicePlayer.admin_id
* @property $lottery_config_id 彩金池配置
* @property $lottery_type 抽奖类型
* @property $ante 底注/注数dice_ante_config.mult
* @property $paid_amount 付费金额(付费局=ante*100免费局=0
* @property $is_win 是否中大奖:豹子号[1,1,1,1,1]~[6,6,6,6,6]为1否则0
* @property $win_coin 赢取平台币(= super_win_coin + reward_win_coin
* @property $super_win_coin 中大奖平台币(豹子时发放)
* @property $reward_win_coin 摇色子中奖平台币
* @property $use_coins 消耗平台币(兼容字段:付费局=paid_amount免费局=0
* @property $direction 方向:0=顺时针,1=逆时针
* @property $reward_config_id 奖励配置id
* @property $lottery_id 奖池

View File

@@ -19,6 +19,7 @@ use think\model\relation\BelongsTo;
* @property $player_id 玩家id
* @property $admin_id 关联玩家所属管理员IDDicePlayer.admin_id
* @property $use_coins 消耗硬币
* @property $ante 底注/注数历史购买记录默认为1T5再来一次写入本次注数
* @property $total_ticket_count 总抽奖次数
* @property $paid_ticket_count 购买抽奖次数
* @property $free_ticket_count 赠送抽奖次数

View File

@@ -0,0 +1,34 @@
<?php
// +----------------------------------------------------------------------
// | saiadmin [ saiadmin快速开发框架 ]
// +----------------------------------------------------------------------
// | Author: your name
// +----------------------------------------------------------------------
namespace app\dice\validate\ante_config;
use plugin\saiadmin\basic\BaseValidate;
/**
* 底注配置验证器
*/
class DiceAnteConfigValidate extends BaseValidate
{
protected $rule = [
'name' => 'require|max:64',
'title' => 'require|max:255',
'is_default' => 'require|in:0,1',
'mult' => 'require|integer|gt:0',
];
protected $message = [
'name' => '名称必须填写',
'title' => '标题必须填写',
'is_default' => '默认底注标记必须为 0 或 1',
'mult' => '底注倍率必须为大于 0 的整数',
];
protected $scene = [
'save' => ['name', 'title', 'is_default', 'mult'],
'update' => ['name', 'title', 'is_default', 'mult'],
];
}

View File

@@ -22,7 +22,7 @@ return [
'dirname' => function () {
return date('Ymd');
},
'domain' => 'http://127.0.0.1:6688',
'domain' => 'http://127.0.0.1:8989',
'uri' => '/runtime', // 如果 domain + uri 不在 public 目录下请做好软链接否则生成的url无法访问
'algo' => 'sha1',
],

View File

@@ -21,7 +21,7 @@ global $argv;
return [
'webman' => [
'handler' => Http::class,
'listen' => 'http://0.0.0.0:6688',
'listen' => 'http://0.0.0.0:8989',
'count' => cpu_count() * 4,
'user' => '',
'group' => '',

View File

@@ -48,6 +48,7 @@ Route::group('/api', function () {
Route::any('/game/config', [app\api\controller\GameController::class, 'config']);
Route::any('/game/buyLotteryTickets', [app\api\controller\GameController::class, 'buyLotteryTickets']);
Route::any('/game/lotteryPool', [app\api\controller\GameController::class, 'lotteryPool']);
Route::any('/game/anteConfig', [app\api\controller\GameController::class, 'anteConfig']);
Route::any('/game/playStart', [app\api\controller\GameController::class, 'playStart']);
})->middleware([
TokenMiddleware::class,

View File

@@ -0,0 +1,17 @@
-- 底注配置表
CREATE TABLE IF NOT EXISTS `dice_ante_config` (
`id` int unsigned NOT NULL AUTO_INCREMENT COMMENT '主键ID',
`name` varchar(64) NOT NULL COMMENT '名称',
`title` varchar(255) NOT NULL COMMENT '标题',
`is_default` tinyint(1) NOT NULL DEFAULT 0 COMMENT '是否默认底注0否 1是全表只允许一条',
`mult` int NOT NULL DEFAULT 1 COMMENT '底注倍率',
`create_time` datetime DEFAULT CURRENT_TIMESTAMP COMMENT '创建时间',
`update_time` datetime DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP COMMENT '更新时间',
PRIMARY KEY (`id`),
KEY `idx_is_default` (`is_default`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COMMENT='Dice 底注配置表';
-- 可选初始化数据(保留一条默认底注)
INSERT INTO `dice_ante_config` (`name`, `title`, `is_default`, `mult`)
SELECT 'default', '默认底注', 1, 1
WHERE NOT EXISTS (SELECT 1 FROM `dice_ante_config` LIMIT 1);

View File

@@ -0,0 +1,62 @@
-- 底注配置菜单与权限
-- 说明默认挂载在「大富翁」目录path=/dice若不存在则自动创建目录。
SET @now = NOW();
-- 1) 找到或创建 Dice 顶级目录
SET @dice_root_id = (
SELECT `id` FROM `sa_system_menu`
WHERE `path` = '/dice' AND `type` = 1
ORDER BY `id` ASC LIMIT 1
);
INSERT INTO `sa_system_menu`
(`parent_id`,`name`,`code`,`slug`,`type`,`path`,`component`,`method`,`icon`,`sort`,`is_iframe`,`is_keep_alive`,`is_hidden`,`is_fixed_tab`,`is_full_page`,`generate_id`,`generate_key`,`status`,`create_time`,`update_time`)
SELECT 0, '大富翁', 'Dice', NULL, 1, '/dice', NULL, NULL, 'ri:gamepad-line', 100, 2, 2, 2, 2, 2, 0, NULL, 1, @now, @now
WHERE @dice_root_id IS NULL;
SET @dice_root_id = (
SELECT `id` FROM `sa_system_menu`
WHERE `path` = '/dice' AND `type` = 1
ORDER BY `id` ASC LIMIT 1
);
-- 2) 创建底注配置菜单
INSERT INTO `sa_system_menu`
(`parent_id`,`name`,`code`,`slug`,`type`,`path`,`component`,`method`,`icon`,`sort`,`is_iframe`,`is_keep_alive`,`is_hidden`,`is_fixed_tab`,`is_full_page`,`generate_id`,`generate_key`,`status`,`create_time`,`update_time`)
SELECT @dice_root_id, '底注配置', 'AnteConfig', NULL, 2, 'ante_config', '/dice/ante_config/index', NULL, 'ri:coins-line', 92, 2, 2, 2, 2, 2, 0, NULL, 1, @now, @now
WHERE NOT EXISTS (
SELECT 1 FROM `sa_system_menu` WHERE `path` = 'ante_config' AND `component` = '/dice/ante_config/index' AND `type` = 2
);
SET @ante_menu_id = (
SELECT `id` FROM `sa_system_menu`
WHERE `path` = 'ante_config' AND `component` = '/dice/ante_config/index' AND `type` = 2
ORDER BY `id` ASC LIMIT 1
);
-- 3) 创建按钮权限
INSERT INTO `sa_system_menu`
(`parent_id`,`name`,`code`,`slug`,`type`,`path`,`component`,`method`,`sort`,`is_iframe`,`is_keep_alive`,`is_hidden`,`is_fixed_tab`,`is_full_page`,`generate_id`,`generate_key`,`status`,`create_time`,`update_time`)
SELECT @ante_menu_id, '数据列表', '', 'dice:ante_config:index:index', 3, '', '', '', 100, 2, 2, 2, 2, 2, 0, NULL, 1, @now, @now
WHERE NOT EXISTS (SELECT 1 FROM `sa_system_menu` WHERE `slug` = 'dice:ante_config:index:index' AND `type` = 3);
INSERT INTO `sa_system_menu`
(`parent_id`,`name`,`code`,`slug`,`type`,`path`,`component`,`method`,`sort`,`is_iframe`,`is_keep_alive`,`is_hidden`,`is_fixed_tab`,`is_full_page`,`generate_id`,`generate_key`,`status`,`create_time`,`update_time`)
SELECT @ante_menu_id, '读取', '', 'dice:ante_config:index:read', 3, '', '', '', 100, 2, 2, 2, 2, 2, 0, NULL, 1, @now, @now
WHERE NOT EXISTS (SELECT 1 FROM `sa_system_menu` WHERE `slug` = 'dice:ante_config:index:read' AND `type` = 3);
INSERT INTO `sa_system_menu`
(`parent_id`,`name`,`code`,`slug`,`type`,`path`,`component`,`method`,`sort`,`is_iframe`,`is_keep_alive`,`is_hidden`,`is_fixed_tab`,`is_full_page`,`generate_id`,`generate_key`,`status`,`create_time`,`update_time`)
SELECT @ante_menu_id, '添加', '', 'dice:ante_config:index:save', 3, '', '', '', 100, 2, 2, 2, 2, 2, 0, NULL, 1, @now, @now
WHERE NOT EXISTS (SELECT 1 FROM `sa_system_menu` WHERE `slug` = 'dice:ante_config:index:save' AND `type` = 3);
INSERT INTO `sa_system_menu`
(`parent_id`,`name`,`code`,`slug`,`type`,`path`,`component`,`method`,`sort`,`is_iframe`,`is_keep_alive`,`is_hidden`,`is_fixed_tab`,`is_full_page`,`generate_id`,`generate_key`,`status`,`create_time`,`update_time`)
SELECT @ante_menu_id, '修改', '', 'dice:ante_config:index:update', 3, '', '', '', 100, 2, 2, 2, 2, 2, 0, NULL, 1, @now, @now
WHERE NOT EXISTS (SELECT 1 FROM `sa_system_menu` WHERE `slug` = 'dice:ante_config:index:update' AND `type` = 3);
INSERT INTO `sa_system_menu`
(`parent_id`,`name`,`code`,`slug`,`type`,`path`,`component`,`method`,`sort`,`is_iframe`,`is_keep_alive`,`is_hidden`,`is_fixed_tab`,`is_full_page`,`generate_id`,`generate_key`,`status`,`create_time`,`update_time`)
SELECT @ante_menu_id, '删除', '', 'dice:ante_config:index:destroy', 3, '', '', '', 100, 2, 2, 2, 2, 2, 0, NULL, 1, @now, @now
WHERE NOT EXISTS (SELECT 1 FROM `sa_system_menu` WHERE `slug` = 'dice:ante_config:index:destroy' AND `type` = 3);

View File

@@ -0,0 +1,4 @@
-- DicePlayRecord 新增注数与付费金额字段
ALTER TABLE `dice_play_record`
ADD COLUMN `ante` int unsigned NOT NULL DEFAULT 1 COMMENT '底注/注数(必须为 dice_ante_config.mult 中存在的值)' AFTER `lottery_type`,
ADD COLUMN `paid_amount` int unsigned NOT NULL DEFAULT 0 COMMENT '付费金额(付费局=ante*100免费局=0' AFTER `ante`;

View File

@@ -0,0 +1,3 @@
-- DicePlayerTicketRecord 新增注数字段(用于记录“再来一次”免费抽奖的注数)
ALTER TABLE `dice_player_ticket_record`
ADD COLUMN `ante` int unsigned NOT NULL DEFAULT 1 COMMENT '底注/注数历史购买记录默认为1' AFTER `use_coins`;

View File

@@ -118,6 +118,7 @@ Route::group('/core', function () {
Route::post('/dice/reward_config/DiceRewardConfig/batchUpdate', [\app\dice\controller\reward_config\DiceRewardConfigController::class, 'batchUpdate']);
Route::post('/dice/reward_config/DiceRewardConfig/createRewardReference', [\app\dice\controller\reward_config\DiceRewardConfigController::class, 'createRewardReference']);
Route::post('/dice/reward_config/DiceRewardConfig/runWeightTest', [\app\dice\controller\reward_config\DiceRewardConfigController::class, 'runWeightTest']);
fastRoute('dice/ante_config/DiceAnteConfig', \app\dice\controller\ante_config\DiceAnteConfigController::class);
fastRoute('dice/lottery_pool_config/DiceLotteryPoolConfig', \app\dice\controller\lottery_pool_config\DiceLotteryPoolConfigController::class);
Route::get('/dice/lottery_pool_config/DiceLotteryPoolConfig/getOptions', [\app\dice\controller\lottery_pool_config\DiceLotteryPoolConfigController::class, 'getOptions']);
Route::get('/dice/lottery_pool_config/DiceLotteryPoolConfig/getCurrentPool', [\app\dice\controller\lottery_pool_config\DiceLotteryPoolConfigController::class, 'getCurrentPool']);