commit 653e84562f80f77ffc550ea6674efc013d4d4555 Author: lihanqi <13868246742@163.com> Date: Fri Aug 1 19:03:57 2025 +0800 彩票助手版本1.0 diff --git a/Controller.txt b/Controller.txt new file mode 100644 index 0000000..52b4119 --- /dev/null +++ b/Controller.txt @@ -0,0 +1,402 @@ +package com.xy.xyaicpzs.controller; + +import com.xy.xyaicpzs.common.ErrorCode; +import com.xy.xyaicpzs.common.ResultUtils; +import com.xy.xyaicpzs.common.response.ApiResponse; +import com.xy.xyaicpzs.domain.entity.LotteryDraws; +import com.xy.xyaicpzs.domain.entity.PredictRecord; +import com.xy.xyaicpzs.service.BallAnalysisService; +import com.xy.xyaicpzs.service.LotteryDrawsService; +import com.xy.xyaicpzs.service.PredictRecordService; +import io.swagger.v3.oas.annotations.Operation; +import io.swagger.v3.oas.annotations.Parameter; +import io.swagger.v3.oas.annotations.tags.Tag; +import lombok.extern.slf4j.Slf4j; +import org.springframework.beans.factory.annotation.Autowired; +import org.springframework.format.annotation.DateTimeFormat; +import org.springframework.web.bind.annotation.*; + +import java.util.Arrays; +import java.util.Date; +import java.util.List; + +/** + * 球号分析控制器 + * 提供球号分析算法的API接口 + */ +@Slf4j +@RestController +@RequestMapping("/ball-analysis") +@Tag(name = "球号分析", description = "球号分析算法API") +public class BallAnalysisController { + + @Autowired + private BallAnalysisService ballAnalysisService; + + @Autowired + private LotteryDrawsService lotteryDrawsService; + + @Autowired + private PredictRecordService predictRecordService; + + @GetMapping("/predict-records/{userId}") + @Operation(summary = "获取用户推测记录", description = "根据用户ID获取该用户的所有推测记录,按推测时间倒序排列") + public ApiResponse> getPredictRecordsByUserId( + @Parameter(description = "用户ID,例如:1001", required = true) + @PathVariable Long userId + , HttpServletRequest request) { + User loginUser = userService.getLoginUser(request); + if (loginUser == null){ + return ResultUtils.error(ErrorCode.NOT_LOGIN_ERROR, "用户未登录"); + } + + try { + log.info("接收到获取用户推测记录请求:用户ID={}", userId); + + // 调用服务获取用户推测记录 + List result = predictRecordService.getPredictRecordsByUserId(userId); + + log.info("获取用户推测记录完成,用户ID:{},返回{}条记录", userId, result.size()); + return ResultUtils.success(result); + + } catch (Exception e) { + log.error("获取用户推测记录失败:{}", e.getMessage(), e); + return ResultUtils.error(ErrorCode.SYSTEM_ERROR, "获取用户推测记录失败:" + e.getMessage()); + } + } + + + /** + * 获取近期开奖信息 + * @param limit 获取条数,可选参数,默认15条 + * @return 近期开奖信息列表 + */ + @GetMapping("/recent-draws") + @Operation(summary = "获取近期开奖信息", description = "获取最近的开奖信息,默认返回15条,按开奖期号倒序排列") + public ApiResponse> getRecentDraws( + @Parameter(description = "获取条数,默认15条", required = false) + @RequestParam(required = false, defaultValue = "15") Integer limit) { + + try { + log.info("接收到获取近期开奖信息请求:条数={}", limit); + + // 调用服务获取近期开奖信息 + List result = lotteryDrawsService.getRecentDraws(limit); + + log.info("获取近期开奖信息完成,返回{}条记录", result.size()); + return ResultUtils.success(result); + + } catch (Exception e) { + log.error("获取近期开奖信息失败:{}", e.getMessage(), e); + return ResultUtils.error(ErrorCode.SYSTEM_ERROR, "获取近期开奖信息失败:" + e.getMessage()); + } + } + + /** + * 根据日期范围查询开奖信息 + * @param startDate 开始日期(可选,格式:yyyy-MM-dd) + * @param endDate 结束日期(可选,格式:yyyy-MM-dd) + * @return 开奖信息列表 + */ + @GetMapping("/query-draws") + @Operation(summary = "按日期范围查询开奖信息", description = "根据日期范围查询开奖信息,支持单边日期查询") + public ApiResponse> queryDraws( + @Parameter(description = "开始日期,格式:yyyy-MM-dd,例如:2025-01-01", required = false) + @RequestParam(required = false) @DateTimeFormat(pattern = "yyyy-MM-dd") Date startDate, + + @Parameter(description = "结束日期,格式:yyyy-MM-dd,例如:2025-01-31", required = false) + @RequestParam(required = false) @DateTimeFormat(pattern = "yyyy-MM-dd") Date endDate) { + + try { + log.info("接收到按日期范围查询开奖信息请求:开始日期={},结束日期={}", startDate, endDate); + + // 日期范围验证 + if (startDate != null && endDate != null && startDate.after(endDate)) { + return ResultUtils.error(ErrorCode.PARAMS_ERROR, "开始日期不能晚于结束日期"); + } + + // 调用服务按日期范围查询开奖信息 + List result = lotteryDrawsService.getByDateRange(startDate, endDate); + + log.info("按日期范围查询开奖信息完成,返回{}条记录", result.size()); + return ResultUtils.success(result); + + } catch (Exception e) { + log.error("按日期范围查询开奖信息失败:{}", e.getMessage(), e); + return ResultUtils.error(ErrorCode.SYSTEM_ERROR, "查询开奖信息失败:" + e.getMessage()); + } + } + + /** + * 根据期号精准查询单条开奖信息 + * @param drawId 开奖期号 + * @return 开奖信息 + */ + @GetMapping("/draw/{drawId}") + @Operation(summary = "根据期号查询开奖信息", description = "根据期号精准查询单条开奖信息") + public ApiResponse getDrawById( + @Parameter(description = "开奖期号,例如:2025056", required = true) + @PathVariable Long drawId) { + + try { + log.info("接收到根据期号查询开奖信息请求:期号={}", drawId); + + // 调用服务查询开奖信息 + LotteryDraws result = lotteryDrawsService.getByDrawId(drawId); + + if (result == null) { + log.warn("未找到期号为{}的开奖信息", drawId); + return ResultUtils.error(ErrorCode.NOT_FOUND_ERROR, "未找到期号为" + drawId + "的开奖信息"); + } + + log.info("根据期号查询开奖信息完成:{}", result.getDrawId()); + return ResultUtils.success(result); + + } catch (Exception e) { + log.error("根据期号查询开奖信息失败:{}", e.getMessage(), e); + return ResultUtils.error(ErrorCode.SYSTEM_ERROR, "查询开奖信息失败:" + e.getMessage()); + } + } + + /** + * 创建推测记录 + * @param userId 用户ID + * @param drawId 开奖期号 + * @param drawDate 开奖日期 + * @param redBalls 6个红球号码,用逗号分隔 + * @param blueBall 蓝球号码 + * @return 创建的推测记录 + */ + @PostMapping("/create-predict") + @Operation(summary = "创建推测记录", description = "向predict_record表插入一条推测记录数据") + public ApiResponse createPredictRecord( + @Parameter(description = "用户ID,例如:1001", required = true) + @RequestParam Long userId, + + @Parameter(description = "开奖期号,例如:2025056", required = true) + @RequestParam Long drawId, + + @Parameter(description = "开奖日期,格式:yyyy-MM-dd", required = true) + @RequestParam @DateTimeFormat(pattern = "yyyy-MM-dd") Date drawDate, + + @Parameter(description = "6个红球号码,用逗号分隔,例如:1,5,12,18,25,33", required = true) + @RequestParam String redBalls, + + @Parameter(description = "蓝球号码,例如:8", required = true) + @RequestParam Integer blueBall) { + + try { + log.info("接收到创建推测记录请求:用户ID={},期号={},开奖日期={},红球={},蓝球={}", + userId, drawId, drawDate, redBalls, blueBall); + + // 解析红球号码 + List redBallList = parseRedBalls(redBalls, 6, "红球"); + + // 调用服务创建推测记录 + PredictRecord result = predictRecordService.createPredictRecord(userId, drawId, drawDate, redBallList, blueBall); + + log.info("创建推测记录完成,用户ID:{},记录ID:{}", userId, result.getId()); + return ResultUtils.success(result); + + } catch (Exception e) { + log.error("创建推测记录失败:{}", e.getMessage(), e); + return ResultUtils.error(ErrorCode.SYSTEM_ERROR, "创建推测记录失败:" + e.getMessage()); + } + } + + /** + * 球号分析算法 + * @param level 高位/中位/低位标识 (H/M/L) + * @param redBalls 6个红球号码,用逗号分隔 + * @param blueBall 蓝球号码 + * @return 分析结果:出现频率最高的前11位数字 + */ + @PostMapping("/analyze") + @Operation(summary = "首球算法", description = "根据输入的级别、红球和蓝球,分析出现频率最高的前11位数字") + public ApiResponse> analyzeBalls( + @Parameter(description = "级别:H(高位)/M(中位)/L(低位)", required = true) + @RequestParam String level, + + @Parameter(description = "6个红球号码,用逗号分隔,例如:1,5,12,18,25,33", required = true) + @RequestParam String redBalls, + + @Parameter(description = "蓝球号码,例如:8", required = true) + @RequestParam Integer blueBall) { + + try { + log.info("接收到球号分析请求:级别={},红球={},蓝球={}", level, redBalls, blueBall); + + // 解析红球号码 + List redBallList = parseRedBalls(redBalls, 6, "红球"); + + // 调用分析服务 + List result = ballAnalysisService.analyzeBalls(level, redBallList, blueBall); + + log.info("球号分析完成,结果:{}", result); + return ResultUtils.success(result); + + } catch (Exception e) { + log.error("球号分析失败:{}", e.getMessage(), e); + return ResultUtils.error(ErrorCode.SYSTEM_ERROR, "球号分析失败:" + e.getMessage()); + } + } + + /** + * 跟随球号分析算法 + * @param level 高位/中位/低位标识 (H/M/L) + * @param firstThreeRedBalls 前3个红球号码,用逗号分隔 + * @param lastSixRedBalls 后6个红球号码,用逗号分隔 + * @param blueBall 蓝球号码 + * @return 分析结果:出现频率最高的前8位数字 + */ + @PostMapping("/fallow") + @Operation(summary = "跟随球号分析算法", description = "根据输入的级别、前3个红球、后6个红球和蓝球,分析出现频率最高的前8位数字") + public ApiResponse> fallowBallAnalysis( + @Parameter(description = "级别:H(高位)/M(中位)/L(低位)", required = true) + @RequestParam String level, + + @Parameter(description = "前3个红球号码,用逗号分隔,例如:7,24,27", required = true) + @RequestParam String firstThreeRedBalls, + + @Parameter(description = "后6个红球号码,用逗号分隔,例如:21,10,5,15,23,28", required = true) + @RequestParam String lastSixRedBalls, + + @Parameter(description = "蓝球号码,例如:16", required = true) + @RequestParam Integer blueBall) { + + try { + log.info("接收到跟随球号分析请求:级别={},前3个红球={},后6个红球={},蓝球={}", + level, firstThreeRedBalls, lastSixRedBalls, blueBall); + + // 解析红球号码 + List firstThreeRedBallList = parseRedBalls(firstThreeRedBalls, 3, "前3个红球"); + List lastSixRedBallList = parseRedBalls(lastSixRedBalls, 6, "后6个红球"); + + // 调用分析服务 + List result = ballAnalysisService.fallowBallAnalysis(level, firstThreeRedBallList, lastSixRedBallList, blueBall); + + log.info("跟随球号分析完成,结果:{}", result); + return ResultUtils.success(result); + + } catch (Exception e) { + log.error("跟随球号分析失败:{}", e.getMessage(), e); + return ResultUtils.error(ErrorCode.SYSTEM_ERROR, "跟随球号分析失败:" + e.getMessage()); + } + } + + /** + * 解析红球号码字符串 + */ + private List parseRedBalls(String redBalls, int expectedCount, String ballType) { + if (redBalls == null || redBalls.trim().isEmpty()) { + throw new IllegalArgumentException(ballType + "号码不能为空"); + } + + try { + String[] parts = redBalls.split(","); + if (parts.length != expectedCount) { + throw new IllegalArgumentException(ballType + "数量必须为" + expectedCount + "个,实际:" + parts.length); + } + + List result = Arrays.stream(parts) + .map(String::trim) + .map(Integer::parseInt) + .collect(java.util.stream.Collectors.toList()); + + // 验证红球号码范围 + for (Integer ball : result) { + if (ball < 1 || ball > 33) { + throw new IllegalArgumentException(ballType + "号码必须在1-33范围内,错误值:" + ball); + } + } + + return result; + + } catch (NumberFormatException e) { + throw new IllegalArgumentException(ballType + "号码格式错误,请使用逗号分隔的数字"); + } + } + + /** + * 蓝球分析算法 + * @param level 高位/中位/低位标识 (H/M/L) + * @param predictedRedBalls 6个推测红球号码,用逗号分隔 + * @param predictedBlueBalls 2个推测蓝球号码,用逗号分隔 + * @param lastRedBalls 6个上期红球号码,用逗号分隔 + * @param lastBlueBall 上期蓝球号码 + * @return 分析结果:频率最高的前4个蓝球号码 + */ + @PostMapping("/blue-ball") + @Operation(summary = "蓝球分析算法", description = "根据输入的级别、推测红球、推测蓝球、上期红球和上期蓝球,分析出频率最高的前4个蓝球号码") + public ApiResponse> blueBallAnalysis( + @Parameter(description = "级别:H(高位)/M(中位)/L(低位)", required = true) + @RequestParam String level, + + @Parameter(description = "6个推测红球号码,用逗号分隔,例如:26,20,18,32,10,14", required = true) + @RequestParam String predictedRedBalls, + + @Parameter(description = "2个推测蓝球号码,用逗号分隔,例如:5,8", required = true) + @RequestParam String predictedBlueBalls, + + @Parameter(description = "6个上期红球号码,用逗号分隔,例如:7,24,27,21,10,5", required = true) + @RequestParam String lastRedBalls, + + @Parameter(description = "上期蓝球号码,例如:16", required = true) + @RequestParam Integer lastBlueBall) { + + try { + log.info("接收到蓝球分析请求:级别={},推测红球={},推测蓝球={},上期红球={},上期蓝球={}", + level, predictedRedBalls, predictedBlueBalls, lastRedBalls, lastBlueBall); + + // 解析球号 + List predictedRedBallList = parseRedBalls(predictedRedBalls, 6, "推测红球"); + List predictedBlueBallList = parseBlueBalls(predictedBlueBalls, 2, "推测蓝球"); + List lastRedBallList = parseRedBalls(lastRedBalls, 6, "上期红球"); + + // 调用分析服务 + List result = ballAnalysisService.blueBallAnalysis( + level, predictedRedBallList, predictedBlueBallList, lastRedBallList, lastBlueBall); + + log.info("蓝球分析完成,结果:{}", result); + return ResultUtils.success(result); + + } catch (Exception e) { + log.error("蓝球分析失败:{}", e.getMessage(), e); + return ResultUtils.error(ErrorCode.SYSTEM_ERROR, "蓝球分析失败:" + e.getMessage()); + } + } + + /** + * 解析蓝球号码字符串 + */ + private List parseBlueBalls(String blueBalls, int expectedCount, String ballType) { + if (blueBalls == null || blueBalls.trim().isEmpty()) { + throw new IllegalArgumentException(ballType + "号码不能为空"); + } + + try { + String[] parts = blueBalls.split(","); + if (parts.length != expectedCount) { + throw new IllegalArgumentException(ballType + "数量必须为" + expectedCount + "个,实际:" + parts.length); + } + + List result = Arrays.stream(parts) + .map(String::trim) + .map(Integer::parseInt) + .collect(java.util.stream.Collectors.toList()); + + // 验证蓝球号码范围 + for (Integer ball : result) { + if (ball < 1 || ball > 16) { + throw new IllegalArgumentException(ballType + "号码必须在1-16范围内,错误值:" + ball); + } + } + + return result; + + } catch (NumberFormatException e) { + throw new IllegalArgumentException(ballType + "号码格式错误,请使用逗号分隔的数字"); + } + } + +} \ No newline at end of file diff --git a/lottery-app.zip b/lottery-app.zip new file mode 100644 index 0000000..6ee33b8 Binary files /dev/null and b/lottery-app.zip differ diff --git a/lottery-app/.gitignore b/lottery-app/.gitignore new file mode 100644 index 0000000..8ee54e8 --- /dev/null +++ b/lottery-app/.gitignore @@ -0,0 +1,30 @@ +# Logs +logs +*.log +npm-debug.log* +yarn-debug.log* +yarn-error.log* +pnpm-debug.log* +lerna-debug.log* + +node_modules +.DS_Store +dist +dist-ssr +coverage +*.local + +/cypress/videos/ +/cypress/screenshots/ + +# Editor directories and files +.vscode/* +!.vscode/extensions.json +.idea +*.suo +*.ntvs* +*.njsproj +*.sln +*.sw? + +*.tsbuildinfo diff --git a/lottery-app/.vscode/extensions.json b/lottery-app/.vscode/extensions.json new file mode 100644 index 0000000..a7cea0b --- /dev/null +++ b/lottery-app/.vscode/extensions.json @@ -0,0 +1,3 @@ +{ + "recommendations": ["Vue.volar"] +} diff --git a/lottery-app/README.md b/lottery-app/README.md new file mode 100644 index 0000000..645c982 --- /dev/null +++ b/lottery-app/README.md @@ -0,0 +1,134 @@ +# 双色球智能推测系统 + +这是一个基于Vue 3开发的双色球智能推测前端应用,提供智能算法分析、开奖信息查询等功能。 + +## 功能特性 + +### 🎯 主要功能 +- **智能推测**: 5步推测流程,包含首球算法、跟随球分析、蓝球分析 +- **开奖查询**: 支持期号查询和日期范围查询 +- **用户中心**: 个人信息管理和会员权益展示 + +### 📱 页面结构 +1. **首页** - 智能推测功能 + - 选择算法级别(高位/中位/低位) + - 输入上期开奖号码 + - 首球算法分析 + - 跟随球分析 + - 蓝球分析 + - 最终号码确认 + +2. **开奖信息** - 查询历史开奖 + - 期号精确查询 + - 日期范围查询 + - 近期开奖记录展示 + +3. **我的页面** - 用户信息管理 + - 用户信息展示 + - 会员权益介绍 + - 功能菜单导航 + - 使用统计数据 + +## 技术栈 + +- **框架**: Vue 3 +- **路由**: Vue Router 4 +- **HTTP客户端**: Axios +- **构建工具**: Vite +- **CSS**: 原生CSS + Scoped Styles + +## 后端接口 + +应用连接到SpringBoot后端服务,接口前缀:`http://localhost:8123/api` + +### 主要接口 +- `GET /ball-analysis/recent-draws` - 获取近期开奖信息 +- `GET /ball-analysis/query-draws` - 按日期范围查询 +- `GET /ball-analysis/draw/{drawId}` - 根据期号查询 +- `POST /ball-analysis/analyze` - 首球算法分析 +- `POST /ball-analysis/fallow` - 跟随球分析 +- `POST /ball-analysis/blue-ball` - 蓝球分析 +- `POST /ball-analysis/create-predict` - 创建推测记录 + +## 快速开始 + +### 安装依赖 +```bash +npm install +``` + +### 开发环境运行 +```bash +npm run dev +``` + +### 构建生产版本 +```bash +npm run build +``` + +### 预览生产构建 +```bash +npm run preview +``` + +## 项目结构 + +``` +src/ +├── api/ +│ └── index.js # API接口封装 +├── components/ # 公共组件 +├── router/ +│ └── index.js # 路由配置 +├── views/ +│ ├── Home.vue # 主页 - 智能推测 +│ ├── LotteryInfo.vue # 开奖信息页 +│ └── Profile.vue # 我的页面 +├── App.vue # 根组件 +└── main.js # 入口文件 +``` + +## 使用说明 + +### 推测流程 + +1. **第一步**: 选择推测级别(高位/中位/低位),输入开奖期号、日期和上期中奖号码 +2. **第二步**: 查看首球算法推荐的11个红球号码,选择1个首球和2个随球 +3. **第三步**: 查看跟随球分析推荐的8个号码,组合完整的6个红球 +4. **第四步**: 选择2个蓝球进行分析,获得4个推荐蓝球,选择最终蓝球 +5. **第五步**: 确认推测号码并提交 + +### 开奖查询 + +- **期号查询**: 输入具体期号(如2025056)进行精确查询 +- **日期查询**: 设置日期范围进行批量查询 +- **历史记录**: 自动加载最近15期开奖信息 + +## 注意事项 + +⚠️ **重要提醒**: 彩票开奖系统随机,本应用提供的推测结果仅供参考,不保证中奖。投注需谨慎,请理性购彩。 + +## 浏览器支持 + +- Chrome >= 87 +- Firefox >= 78 +- Safari >= 14 +- Edge >= 88 + +## 开发指南 + +### 代码规范 +- 使用ES6+语法 +- 组件采用SFC(Single File Component)格式 +- CSS使用scoped样式避免污染 +- 遵循Vue 3 Composition API最佳实践 + +### API集成 +所有API调用都封装在`src/api/index.js`中,统一处理请求和响应。 + +### 样式规范 +- 采用移动端优先的响应式设计 +- 主色调:红色(#e53e3e),蓝色(#3182ce) +- 遵循Material Design设计原则 + diff --git a/lottery-app/index.html b/lottery-app/index.html new file mode 100644 index 0000000..599987d --- /dev/null +++ b/lottery-app/index.html @@ -0,0 +1,13 @@ + + + + + + + 精彩数据 + + +
+ + + diff --git a/lottery-app/jsconfig.json b/lottery-app/jsconfig.json new file mode 100644 index 0000000..5a1f2d2 --- /dev/null +++ b/lottery-app/jsconfig.json @@ -0,0 +1,8 @@ +{ + "compilerOptions": { + "paths": { + "@/*": ["./src/*"] + } + }, + "exclude": ["node_modules", "dist"] +} diff --git a/lottery-app/package-lock.json b/lottery-app/package-lock.json new file mode 100644 index 0000000..0cb9e30 --- /dev/null +++ b/lottery-app/package-lock.json @@ -0,0 +1,3662 @@ +{ + "name": "lottery-app", + "version": "0.0.0", + "lockfileVersion": 3, + "requires": true, + "packages": { + "": { + "name": "lottery-app", + "version": "0.0.0", + "dependencies": { + "@element-plus/icons-vue": "^2.3.1", + "axios": "^1.10.0", + "element-plus": "^2.10.4", + "qrcode": "^1.5.4", + "vue": "^3.5.13", + "vue-router": "^4.5.1", + "vue-toastification": "^2.0.0-rc.5" + }, + "devDependencies": { + "@vitejs/plugin-vue": "^5.2.3", + "vite": "^6.2.4", + "vite-plugin-vue-devtools": "^7.7.2" + } + }, + "node_modules/@ampproject/remapping": { + "version": "2.3.0", + "resolved": "https://registry.npmmirror.com/@ampproject/remapping/-/remapping-2.3.0.tgz", + "integrity": "sha512-30iZtAPgz+LTIYoeivqYo853f02jBYSd5uGnGpkFV0M3xOt9aN73erkgYAmZU43x4VfqcnLxW9Kpg3R5LC4YYw==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@jridgewell/gen-mapping": "^0.3.5", + "@jridgewell/trace-mapping": "^0.3.24" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@antfu/utils": { + "version": "0.7.10", + "resolved": "https://registry.npmmirror.com/@antfu/utils/-/utils-0.7.10.tgz", + "integrity": "sha512-+562v9k4aI80m1+VuMHehNJWLOFjBnXn3tdOitzD0il5b7smkSBal4+a3oKiQTbrwMmN/TBUMDvbdoWDehgOww==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/antfu" + } + }, + "node_modules/@babel/code-frame": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/code-frame/-/code-frame-7.27.1.tgz", + "integrity": "sha512-cjQ7ZlQ0Mv3b47hABuTevyTuYN4i+loJKGeV9flcCgIK37cCXRh+L1bd3iBHlynerhQ7BhCkn2BPbQUL+rGqFg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-validator-identifier": "^7.27.1", + "js-tokens": "^4.0.0", + "picocolors": "^1.1.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/compat-data": { + "version": "7.27.5", + "resolved": "https://registry.npmmirror.com/@babel/compat-data/-/compat-data-7.27.5.tgz", + "integrity": "sha512-KiRAp/VoJaWkkte84TvUd9qjdbZAdiqyvMxrGl1N6vzFogKmaLgoM3L1kgtLicp2HP5fBJS8JrZKLVIZGVJAVg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/core": { + "version": "7.27.4", + "resolved": "https://registry.npmmirror.com/@babel/core/-/core-7.27.4.tgz", + "integrity": "sha512-bXYxrXFubeYdvB0NhD/NBB3Qi6aZeV20GOWVI47t2dkecCEoneR4NPVcb7abpXDEvejgrUfFtG6vG/zxAKmg+g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@ampproject/remapping": "^2.2.0", + "@babel/code-frame": "^7.27.1", + "@babel/generator": "^7.27.3", + "@babel/helper-compilation-targets": "^7.27.2", + "@babel/helper-module-transforms": "^7.27.3", + "@babel/helpers": "^7.27.4", + "@babel/parser": "^7.27.4", + "@babel/template": "^7.27.2", + "@babel/traverse": "^7.27.4", + "@babel/types": "^7.27.3", + "convert-source-map": "^2.0.0", + "debug": "^4.1.0", + "gensync": "^1.0.0-beta.2", + "json5": "^2.2.3", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/babel" + } + }, + "node_modules/@babel/generator": { + "version": "7.27.5", + "resolved": "https://registry.npmmirror.com/@babel/generator/-/generator-7.27.5.tgz", + "integrity": "sha512-ZGhA37l0e/g2s1Cnzdix0O3aLYm66eF8aufiVteOgnwxgnRP8GoyMj7VWsgWnQbVKXyge7hqrFh2K2TQM6t1Hw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.27.5", + "@babel/types": "^7.27.3", + "@jridgewell/gen-mapping": "^0.3.5", + "@jridgewell/trace-mapping": "^0.3.25", + "jsesc": "^3.0.2" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-annotate-as-pure": { + "version": "7.27.3", + "resolved": "https://registry.npmmirror.com/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.27.3.tgz", + "integrity": "sha512-fXSwMQqitTGeHLBC08Eq5yXz2m37E4pJX1qAU1+2cNedz/ifv/bVXft90VeSav5nFO61EcNgwr0aJxbyPaWBPg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.27.3" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-compilation-targets": { + "version": "7.27.2", + "resolved": "https://registry.npmmirror.com/@babel/helper-compilation-targets/-/helper-compilation-targets-7.27.2.tgz", + "integrity": "sha512-2+1thGUUWWjLTYTHZWK1n8Yga0ijBz1XAhUXcKy81rd5g6yh7hGqMp45v7cadSbEHc9G3OTv45SyneRN3ps4DQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/compat-data": "^7.27.2", + "@babel/helper-validator-option": "^7.27.1", + "browserslist": "^4.24.0", + "lru-cache": "^5.1.1", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-create-class-features-plugin": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.27.1.tgz", + "integrity": "sha512-QwGAmuvM17btKU5VqXfb+Giw4JcN0hjuufz3DYnpeVDvZLAObloM77bhMXiqry3Iio+Ai4phVRDwl6WU10+r5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.27.1", + "@babel/helper-member-expression-to-functions": "^7.27.1", + "@babel/helper-optimise-call-expression": "^7.27.1", + "@babel/helper-replace-supers": "^7.27.1", + "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1", + "@babel/traverse": "^7.27.1", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-member-expression-to-functions": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.27.1.tgz", + "integrity": "sha512-E5chM8eWjTp/aNoVpcbfM7mLxu9XGLWYise2eBKGQomAk/Mb4XoxyqXTZbuTohbsl8EKqdlMhnDI2CCLfcs9wA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/traverse": "^7.27.1", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-module-imports": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/helper-module-imports/-/helper-module-imports-7.27.1.tgz", + "integrity": "sha512-0gSFWUPNXNopqtIPQvlD5WgXYI5GY2kP2cCvoT8kczjbfcfuIljTbcWrulD1CIPIX2gt1wghbDy08yE1p+/r3w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/traverse": "^7.27.1", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-module-transforms": { + "version": "7.27.3", + "resolved": "https://registry.npmmirror.com/@babel/helper-module-transforms/-/helper-module-transforms-7.27.3.tgz", + "integrity": "sha512-dSOvYwvyLsWBeIRyOeHXp5vPj5l1I011r52FM1+r1jCERv+aFXYk4whgQccYEGYxK2H3ZAIA8nuPkQ0HaUo3qg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-module-imports": "^7.27.1", + "@babel/helper-validator-identifier": "^7.27.1", + "@babel/traverse": "^7.27.3" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-optimise-call-expression": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.27.1.tgz", + "integrity": "sha512-URMGH08NzYFhubNSGJrpUEphGKQwMQYBySzat5cAByY1/YgIRkULnIy3tAMeszlL/so2HbeilYloUmSpd7GdVw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-plugin-utils": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/helper-plugin-utils/-/helper-plugin-utils-7.27.1.tgz", + "integrity": "sha512-1gn1Up5YXka3YYAHGKpbideQ5Yjf1tDa9qYcgysz+cNCXukyLl6DjPXhD3VRwSb8c0J9tA4b2+rHEZtc6R0tlw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-replace-supers": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/helper-replace-supers/-/helper-replace-supers-7.27.1.tgz", + "integrity": "sha512-7EHz6qDZc8RYS5ElPoShMheWvEgERonFCs7IAonWLLUTXW59DP14bCZt89/GKyreYn8g3S83m21FelHKbeDCKA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-member-expression-to-functions": "^7.27.1", + "@babel/helper-optimise-call-expression": "^7.27.1", + "@babel/traverse": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-skip-transparent-expression-wrappers": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.27.1.tgz", + "integrity": "sha512-Tub4ZKEXqbPjXgWLl2+3JpQAYBJ8+ikpQ2Ocj/q/r0LwE3UhENh7EUabyHjz2kCEsrRY83ew2DQdHluuiDQFzg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/traverse": "^7.27.1", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-string-parser": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz", + "integrity": "sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA==", + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-validator-identifier": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz", + "integrity": "sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow==", + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-validator-option": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/helper-validator-option/-/helper-validator-option-7.27.1.tgz", + "integrity": "sha512-YvjJow9FxbhFFKDSuFnVCe2WxXk1zWc22fFePVNEaWJEu8IrZVlda6N0uHwzZrUM1il7NC9Mlp4MaJYbYd9JSg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helpers": { + "version": "7.27.6", + "resolved": "https://registry.npmmirror.com/@babel/helpers/-/helpers-7.27.6.tgz", + "integrity": "sha512-muE8Tt8M22638HU31A3CgfSUciwz1fhATfoVai05aPXGor//CdWDCbnlY1yvBPo07njuVOCNGCSp/GTt12lIug==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/template": "^7.27.2", + "@babel/types": "^7.27.6" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/parser": { + "version": "7.27.5", + "resolved": "https://registry.npmmirror.com/@babel/parser/-/parser-7.27.5.tgz", + "integrity": "sha512-OsQd175SxWkGlzbny8J3K8TnnDD0N3lrIUtB92xwyRpzaenGZhxDvxN/JgU00U3CDZNj9tPuDJ5H0WS4Nt3vKg==", + "license": "MIT", + "dependencies": { + "@babel/types": "^7.27.3" + }, + "bin": { + "parser": "bin/babel-parser.js" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@babel/plugin-proposal-decorators": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/plugin-proposal-decorators/-/plugin-proposal-decorators-7.27.1.tgz", + "integrity": "sha512-DTxe4LBPrtFdsWzgpmbBKevg3e9PBy+dXRt19kSbucbZvL2uqtdqwwpluL1jfxYE0wIDTFp1nTy/q6gNLsxXrg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-create-class-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/plugin-syntax-decorators": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-decorators": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/plugin-syntax-decorators/-/plugin-syntax-decorators-7.27.1.tgz", + "integrity": "sha512-YMq8Z87Lhl8EGkmb0MwYkt36QnxC+fzCgrl66ereamPlYToRpIk5nUjKUY3QKLWq8mwUB1BgbeXcTJhZOCDg5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-import-attributes": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/plugin-syntax-import-attributes/-/plugin-syntax-import-attributes-7.27.1.tgz", + "integrity": "sha512-oFT0FrKHgF53f4vOsZGi2Hh3I35PfSmVs4IBFLFj4dnafP+hIWDLg3VyKmUHfLoLHlyxY4C7DGtmHuJgn+IGww==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-import-meta": { + "version": "7.10.4", + "resolved": "https://registry.npmmirror.com/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz", + "integrity": "sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-jsx": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.27.1.tgz", + "integrity": "sha512-y8YTNIeKoyhGd9O0Jiyzyyqk8gdjnumGTQPsz0xOZOQ2RmkVJeZ1vmmfIvFEKqucBG6axJGBZDE/7iI5suUI/w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-typescript": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.27.1.tgz", + "integrity": "sha512-xfYCBMxveHrRMnAWl1ZlPXOZjzkN82THFvLhQhFXFt81Z5HnN+EtUkZhv/zcKpmT3fzmWZB0ywiBrbC3vogbwQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-typescript": { + "version": "7.27.1", + "resolved": "https://registry.npmmirror.com/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.27.1.tgz", + "integrity": "sha512-Q5sT5+O4QUebHdbwKedFBEwRLb02zJ7r4A5Gg2hUoLuU3FjdMcyqcywqUrLCaDsFCxzokf7u9kuy7qz51YUuAg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.27.1", + "@babel/helper-create-class-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1", + "@babel/plugin-syntax-typescript": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/template": { + "version": "7.27.2", + "resolved": "https://registry.npmmirror.com/@babel/template/-/template-7.27.2.tgz", + "integrity": "sha512-LPDZ85aEJyYSd18/DkjNh4/y1ntkE5KwUHWTiqgRxruuZL2F1yuHligVHLvcHY2vMHXttKFpJn6LwfI7cw7ODw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.27.1", + "@babel/parser": "^7.27.2", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/traverse": { + "version": "7.27.4", + "resolved": "https://registry.npmmirror.com/@babel/traverse/-/traverse-7.27.4.tgz", + "integrity": "sha512-oNcu2QbHqts9BtOWJosOVJapWjBDSxGCpFvikNR5TGDYDQf3JwpIoMzIKrvfoti93cLfPJEG4tH9SPVeyCGgdA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.27.1", + "@babel/generator": "^7.27.3", + "@babel/parser": "^7.27.4", + "@babel/template": "^7.27.2", + "@babel/types": "^7.27.3", + "debug": "^4.3.1", + "globals": "^11.1.0" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/types": { + "version": "7.27.6", + "resolved": "https://registry.npmmirror.com/@babel/types/-/types-7.27.6.tgz", + "integrity": "sha512-ETyHEk2VHHvl9b9jZP5IHPavHYk57EhanlRRuae9XCpb/j5bDCbPPMOBfCWhnl/7EDJz0jEMCi/RhccCE8r1+Q==", + "license": "MIT", + "dependencies": { + "@babel/helper-string-parser": "^7.27.1", + "@babel/helper-validator-identifier": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@ctrl/tinycolor": { + "version": "3.6.1", + "resolved": "https://registry.npmmirror.com/@ctrl/tinycolor/-/tinycolor-3.6.1.tgz", + "integrity": "sha512-SITSV6aIXsuVNV3f3O0f2n/cgyEDWoSqtZMYiAmcsYHydcKrOz3gUxB/iXd/Qf08+IZX4KpgNbvUdMBmWz+kcA==", + "license": "MIT", + "engines": { + "node": ">=10" + } + }, + "node_modules/@element-plus/icons-vue": { + "version": "2.3.1", + "resolved": "https://registry.npmmirror.com/@element-plus/icons-vue/-/icons-vue-2.3.1.tgz", + "integrity": "sha512-XxVUZv48RZAd87ucGS48jPf6pKu0yV5UCg9f4FFwtrYxXOwWuVJo6wOvSLKEoMQKjv8GsX/mhP6UsC1lRwbUWg==", + "license": "MIT", + "peerDependencies": { + "vue": "^3.2.0" + } + }, + "node_modules/@esbuild/aix-ppc64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/aix-ppc64/-/aix-ppc64-0.25.5.tgz", + "integrity": "sha512-9o3TMmpmftaCMepOdA5k/yDw8SfInyzWWTjYTFCX3kPSDJMROQTb8jg+h9Cnwnmm1vOzvxN7gIfB5V2ewpjtGA==", + "cpu": [ + "ppc64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "aix" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/android-arm": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/android-arm/-/android-arm-0.25.5.tgz", + "integrity": "sha512-AdJKSPeEHgi7/ZhuIPtcQKr5RQdo6OO2IL87JkianiMYMPbCtot9fxPbrMiBADOWWm3T2si9stAiVsGbTQFkbA==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/android-arm64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/android-arm64/-/android-arm64-0.25.5.tgz", + "integrity": "sha512-VGzGhj4lJO+TVGV1v8ntCZWJktV7SGCs3Pn1GRWI1SBFtRALoomm8k5E9Pmwg3HOAal2VDc2F9+PM/rEY6oIDg==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/android-x64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/android-x64/-/android-x64-0.25.5.tgz", + "integrity": "sha512-D2GyJT1kjvO//drbRT3Hib9XPwQeWd9vZoBJn+bu/lVsOZ13cqNdDeqIF/xQ5/VmWvMduP6AmXvylO/PIc2isw==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/darwin-arm64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/darwin-arm64/-/darwin-arm64-0.25.5.tgz", + "integrity": "sha512-GtaBgammVvdF7aPIgH2jxMDdivezgFu6iKpmT+48+F8Hhg5J/sfnDieg0aeG/jfSvkYQU2/pceFPDKlqZzwnfQ==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/darwin-x64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/darwin-x64/-/darwin-x64-0.25.5.tgz", + "integrity": "sha512-1iT4FVL0dJ76/q1wd7XDsXrSW+oLoquptvh4CLR4kITDtqi2e/xwXwdCVH8hVHU43wgJdsq7Gxuzcs6Iq/7bxQ==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/freebsd-arm64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/freebsd-arm64/-/freebsd-arm64-0.25.5.tgz", + "integrity": "sha512-nk4tGP3JThz4La38Uy/gzyXtpkPW8zSAmoUhK9xKKXdBCzKODMc2adkB2+8om9BDYugz+uGV7sLmpTYzvmz6Sw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "freebsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/freebsd-x64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/freebsd-x64/-/freebsd-x64-0.25.5.tgz", + "integrity": "sha512-PrikaNjiXdR2laW6OIjlbeuCPrPaAl0IwPIaRv+SMV8CiM8i2LqVUHFC1+8eORgWyY7yhQY+2U2fA55mBzReaw==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "freebsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-arm": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/linux-arm/-/linux-arm-0.25.5.tgz", + "integrity": "sha512-cPzojwW2okgh7ZlRpcBEtsX7WBuqbLrNXqLU89GxWbNt6uIg78ET82qifUy3W6OVww6ZWobWub5oqZOVtwolfw==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-arm64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/linux-arm64/-/linux-arm64-0.25.5.tgz", + "integrity": "sha512-Z9kfb1v6ZlGbWj8EJk9T6czVEjjq2ntSYLY2cw6pAZl4oKtfgQuS4HOq41M/BcoLPzrUbNd+R4BXFyH//nHxVg==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-ia32": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/linux-ia32/-/linux-ia32-0.25.5.tgz", + "integrity": "sha512-sQ7l00M8bSv36GLV95BVAdhJ2QsIbCuCjh/uYrWiMQSUuV+LpXwIqhgJDcvMTj+VsQmqAHL2yYaasENvJ7CDKA==", + "cpu": [ + "ia32" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-loong64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/linux-loong64/-/linux-loong64-0.25.5.tgz", + "integrity": "sha512-0ur7ae16hDUC4OL5iEnDb0tZHDxYmuQyhKhsPBV8f99f6Z9KQM02g33f93rNH5A30agMS46u2HP6qTdEt6Q1kg==", + "cpu": [ + "loong64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-mips64el": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/linux-mips64el/-/linux-mips64el-0.25.5.tgz", + "integrity": "sha512-kB/66P1OsHO5zLz0i6X0RxlQ+3cu0mkxS3TKFvkb5lin6uwZ/ttOkP3Z8lfR9mJOBk14ZwZ9182SIIWFGNmqmg==", + "cpu": [ + "mips64el" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-ppc64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/linux-ppc64/-/linux-ppc64-0.25.5.tgz", + "integrity": "sha512-UZCmJ7r9X2fe2D6jBmkLBMQetXPXIsZjQJCjgwpVDz+YMcS6oFR27alkgGv3Oqkv07bxdvw7fyB71/olceJhkQ==", + "cpu": [ + "ppc64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-riscv64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/linux-riscv64/-/linux-riscv64-0.25.5.tgz", + "integrity": "sha512-kTxwu4mLyeOlsVIFPfQo+fQJAV9mh24xL+y+Bm6ej067sYANjyEw1dNHmvoqxJUCMnkBdKpvOn0Ahql6+4VyeA==", + "cpu": [ + "riscv64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-s390x": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/linux-s390x/-/linux-s390x-0.25.5.tgz", + "integrity": "sha512-K2dSKTKfmdh78uJ3NcWFiqyRrimfdinS5ErLSn3vluHNeHVnBAFWC8a4X5N+7FgVE1EjXS1QDZbpqZBjfrqMTQ==", + "cpu": [ + "s390x" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/linux-x64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/linux-x64/-/linux-x64-0.25.5.tgz", + "integrity": "sha512-uhj8N2obKTE6pSZ+aMUbqq+1nXxNjZIIjCjGLfsWvVpy7gKCOL6rsY1MhRh9zLtUtAI7vpgLMK6DxjO8Qm9lJw==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/netbsd-arm64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/netbsd-arm64/-/netbsd-arm64-0.25.5.tgz", + "integrity": "sha512-pwHtMP9viAy1oHPvgxtOv+OkduK5ugofNTVDilIzBLpoWAM16r7b/mxBvfpuQDpRQFMfuVr5aLcn4yveGvBZvw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "netbsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/netbsd-x64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/netbsd-x64/-/netbsd-x64-0.25.5.tgz", + "integrity": "sha512-WOb5fKrvVTRMfWFNCroYWWklbnXH0Q5rZppjq0vQIdlsQKuw6mdSihwSo4RV/YdQ5UCKKvBy7/0ZZYLBZKIbwQ==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "netbsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/openbsd-arm64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/openbsd-arm64/-/openbsd-arm64-0.25.5.tgz", + "integrity": "sha512-7A208+uQKgTxHd0G0uqZO8UjK2R0DDb4fDmERtARjSHWxqMTye4Erz4zZafx7Di9Cv+lNHYuncAkiGFySoD+Mw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "openbsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/openbsd-x64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/openbsd-x64/-/openbsd-x64-0.25.5.tgz", + "integrity": "sha512-G4hE405ErTWraiZ8UiSoesH8DaCsMm0Cay4fsFWOOUcz8b8rC6uCvnagr+gnioEjWn0wC+o1/TAHt+It+MpIMg==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "openbsd" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/sunos-x64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/sunos-x64/-/sunos-x64-0.25.5.tgz", + "integrity": "sha512-l+azKShMy7FxzY0Rj4RCt5VD/q8mG/e+mDivgspo+yL8zW7qEwctQ6YqKX34DTEleFAvCIUviCFX1SDZRSyMQA==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "sunos" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/win32-arm64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/win32-arm64/-/win32-arm64-0.25.5.tgz", + "integrity": "sha512-O2S7SNZzdcFG7eFKgvwUEZ2VG9D/sn/eIiz8XRZ1Q/DO5a3s76Xv0mdBzVM5j5R639lXQmPmSo0iRpHqUUrsxw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/win32-ia32": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/win32-ia32/-/win32-ia32-0.25.5.tgz", + "integrity": "sha512-onOJ02pqs9h1iMJ1PQphR+VZv8qBMQ77Klcsqv9CNW2w6yLqoURLcgERAIurY6QE63bbLuqgP9ATqajFLK5AMQ==", + "cpu": [ + "ia32" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@esbuild/win32-x64": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/@esbuild/win32-x64/-/win32-x64-0.25.5.tgz", + "integrity": "sha512-TXv6YnJ8ZMVdX+SXWVBo/0p8LTcrUYngpWjvm91TMjjBQii7Oz11Lw5lbDV5Y0TzuhSJHwiH4hEtC1I42mMS0g==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ], + "engines": { + "node": ">=18" + } + }, + "node_modules/@floating-ui/core": { + "version": "1.7.2", + "resolved": "https://registry.npmmirror.com/@floating-ui/core/-/core-1.7.2.tgz", + "integrity": "sha512-wNB5ooIKHQc+Kui96jE/n69rHFWAVoxn5CAzL1Xdd8FG03cgY3MLO+GF9U3W737fYDSgPWA6MReKhBQBop6Pcw==", + "license": "MIT", + "dependencies": { + "@floating-ui/utils": "^0.2.10" + } + }, + "node_modules/@floating-ui/dom": { + "version": "1.7.2", + "resolved": "https://registry.npmmirror.com/@floating-ui/dom/-/dom-1.7.2.tgz", + "integrity": "sha512-7cfaOQuCS27HD7DX+6ib2OrnW+b4ZBwDNnCcT0uTyidcmyWb03FnQqJybDBoCnpdxwBSfA94UAYlRCt7mV+TbA==", + "license": "MIT", + "dependencies": { + "@floating-ui/core": "^1.7.2", + "@floating-ui/utils": "^0.2.10" + } + }, + "node_modules/@floating-ui/utils": { + "version": "0.2.10", + "resolved": "https://registry.npmmirror.com/@floating-ui/utils/-/utils-0.2.10.tgz", + "integrity": "sha512-aGTxbpbg8/b5JfU1HXSrbH3wXZuLPJcNEcZQFMxLs3oSzgtVu6nFPkbbGGUvBcUjKV2YyB9Wxxabo+HEH9tcRQ==", + "license": "MIT" + }, + "node_modules/@jridgewell/gen-mapping": { + "version": "0.3.8", + "resolved": "https://registry.npmmirror.com/@jridgewell/gen-mapping/-/gen-mapping-0.3.8.tgz", + "integrity": "sha512-imAbBGkb+ebQyxKgzv5Hu2nmROxoDOXHh80evxdoXNOrvAnVx7zimzc1Oo5h9RlfV4vPXaE2iM5pOFbvOCClWA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/set-array": "^1.2.1", + "@jridgewell/sourcemap-codec": "^1.4.10", + "@jridgewell/trace-mapping": "^0.3.24" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/resolve-uri": { + "version": "3.1.2", + "resolved": "https://registry.npmmirror.com/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz", + "integrity": "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/set-array": { + "version": "1.2.1", + "resolved": "https://registry.npmmirror.com/@jridgewell/set-array/-/set-array-1.2.1.tgz", + "integrity": "sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/sourcemap-codec": { + "version": "1.5.0", + "resolved": "https://registry.npmmirror.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.5.0.tgz", + "integrity": "sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==", + "license": "MIT" + }, + "node_modules/@jridgewell/trace-mapping": { + "version": "0.3.25", + "resolved": "https://registry.npmmirror.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.25.tgz", + "integrity": "sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/resolve-uri": "^3.1.0", + "@jridgewell/sourcemap-codec": "^1.4.14" + } + }, + "node_modules/@polka/url": { + "version": "1.0.0-next.29", + "resolved": "https://registry.npmmirror.com/@polka/url/-/url-1.0.0-next.29.tgz", + "integrity": "sha512-wwQAWhWSuHaag8c4q/KN/vCoeOJYshAIvMQwD4GpSb3OiZklFfvAgmj0VCBBImRpuF/aFgIRzllXlVX93Jevww==", + "dev": true, + "license": "MIT" + }, + "node_modules/@popperjs/core": { + "name": "@sxzz/popperjs-es", + "version": "2.11.7", + "resolved": "https://registry.npmmirror.com/@sxzz/popperjs-es/-/popperjs-es-2.11.7.tgz", + "integrity": "sha512-Ccy0NlLkzr0Ex2FKvh2X+OyERHXJ88XJ1MXtsI9y9fGexlaXaVTPzBCRBwIxFkORuOb+uBqeu+RqnpgYTEZRUQ==", + "license": "MIT", + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/popperjs" + } + }, + "node_modules/@rollup/pluginutils": { + "version": "5.1.4", + "resolved": "https://registry.npmmirror.com/@rollup/pluginutils/-/pluginutils-5.1.4.tgz", + "integrity": "sha512-USm05zrsFxYLPdWWq+K3STlWiT/3ELn3RcV5hJMghpeAIhxfsUIg6mt12CBJBInWMV4VneoV7SfGv8xIwo2qNQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/estree": "^1.0.0", + "estree-walker": "^2.0.2", + "picomatch": "^4.0.2" + }, + "engines": { + "node": ">=14.0.0" + }, + "peerDependencies": { + "rollup": "^1.20.0||^2.0.0||^3.0.0||^4.0.0" + }, + "peerDependenciesMeta": { + "rollup": { + "optional": true + } + } + }, + "node_modules/@rollup/rollup-android-arm-eabi": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-android-arm-eabi/-/rollup-android-arm-eabi-4.43.0.tgz", + "integrity": "sha512-Krjy9awJl6rKbruhQDgivNbD1WuLb8xAclM4IR4cN5pHGAs2oIMMQJEiC3IC/9TZJ+QZkmZhlMO/6MBGxPidpw==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ] + }, + "node_modules/@rollup/rollup-android-arm64": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-android-arm64/-/rollup-android-arm64-4.43.0.tgz", + "integrity": "sha512-ss4YJwRt5I63454Rpj+mXCXicakdFmKnUNxr1dLK+5rv5FJgAxnN7s31a5VchRYxCFWdmnDWKd0wbAdTr0J5EA==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "android" + ] + }, + "node_modules/@rollup/rollup-darwin-arm64": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-darwin-arm64/-/rollup-darwin-arm64-4.43.0.tgz", + "integrity": "sha512-eKoL8ykZ7zz8MjgBenEF2OoTNFAPFz1/lyJ5UmmFSz5jW+7XbH1+MAgCVHy72aG59rbuQLcJeiMrP8qP5d/N0A==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ] + }, + "node_modules/@rollup/rollup-darwin-x64": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-darwin-x64/-/rollup-darwin-x64-4.43.0.tgz", + "integrity": "sha512-SYwXJgaBYW33Wi/q4ubN+ldWC4DzQY62S4Ll2dgfr/dbPoF50dlQwEaEHSKrQdSjC6oIe1WgzosoaNoHCdNuMg==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ] + }, + "node_modules/@rollup/rollup-freebsd-arm64": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-freebsd-arm64/-/rollup-freebsd-arm64-4.43.0.tgz", + "integrity": "sha512-SV+U5sSo0yujrjzBF7/YidieK2iF6E7MdF6EbYxNz94lA+R0wKl3SiixGyG/9Klab6uNBIqsN7j4Y/Fya7wAjQ==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "freebsd" + ] + }, + "node_modules/@rollup/rollup-freebsd-x64": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-freebsd-x64/-/rollup-freebsd-x64-4.43.0.tgz", + "integrity": "sha512-J7uCsiV13L/VOeHJBo5SjasKiGxJ0g+nQTrBkAsmQBIdil3KhPnSE9GnRon4ejX1XDdsmK/l30IYLiAaQEO0Cg==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "freebsd" + ] + }, + "node_modules/@rollup/rollup-linux-arm-gnueabihf": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-linux-arm-gnueabihf/-/rollup-linux-arm-gnueabihf-4.43.0.tgz", + "integrity": "sha512-gTJ/JnnjCMc15uwB10TTATBEhK9meBIY+gXP4s0sHD1zHOaIh4Dmy1X9wup18IiY9tTNk5gJc4yx9ctj/fjrIw==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-arm-musleabihf": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-linux-arm-musleabihf/-/rollup-linux-arm-musleabihf-4.43.0.tgz", + "integrity": "sha512-ZJ3gZynL1LDSIvRfz0qXtTNs56n5DI2Mq+WACWZ7yGHFUEirHBRt7fyIk0NsCKhmRhn7WAcjgSkSVVxKlPNFFw==", + "cpu": [ + "arm" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-arm64-gnu": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-linux-arm64-gnu/-/rollup-linux-arm64-gnu-4.43.0.tgz", + "integrity": "sha512-8FnkipasmOOSSlfucGYEu58U8cxEdhziKjPD2FIa0ONVMxvl/hmONtX/7y4vGjdUhjcTHlKlDhw3H9t98fPvyA==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-arm64-musl": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-linux-arm64-musl/-/rollup-linux-arm64-musl-4.43.0.tgz", + "integrity": "sha512-KPPyAdlcIZ6S9C3S2cndXDkV0Bb1OSMsX0Eelr2Bay4EsF9yi9u9uzc9RniK3mcUGCLhWY9oLr6er80P5DE6XA==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-loongarch64-gnu": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-linux-loongarch64-gnu/-/rollup-linux-loongarch64-gnu-4.43.0.tgz", + "integrity": "sha512-HPGDIH0/ZzAZjvtlXj6g+KDQ9ZMHfSP553za7o2Odegb/BEfwJcR0Sw0RLNpQ9nC6Gy8s+3mSS9xjZ0n3rhcYg==", + "cpu": [ + "loong64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-powerpc64le-gnu": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-linux-powerpc64le-gnu/-/rollup-linux-powerpc64le-gnu-4.43.0.tgz", + "integrity": "sha512-gEmwbOws4U4GLAJDhhtSPWPXUzDfMRedT3hFMyRAvM9Mrnj+dJIFIeL7otsv2WF3D7GrV0GIewW0y28dOYWkmw==", + "cpu": [ + "ppc64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-riscv64-gnu": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-linux-riscv64-gnu/-/rollup-linux-riscv64-gnu-4.43.0.tgz", + "integrity": "sha512-XXKvo2e+wFtXZF/9xoWohHg+MuRnvO29TI5Hqe9xwN5uN8NKUYy7tXUG3EZAlfchufNCTHNGjEx7uN78KsBo0g==", + "cpu": [ + "riscv64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-riscv64-musl": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-linux-riscv64-musl/-/rollup-linux-riscv64-musl-4.43.0.tgz", + "integrity": "sha512-ruf3hPWhjw6uDFsOAzmbNIvlXFXlBQ4nk57Sec8E8rUxs/AI4HD6xmiiasOOx/3QxS2f5eQMKTAwk7KHwpzr/Q==", + "cpu": [ + "riscv64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-s390x-gnu": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-linux-s390x-gnu/-/rollup-linux-s390x-gnu-4.43.0.tgz", + "integrity": "sha512-QmNIAqDiEMEvFV15rsSnjoSmO0+eJLoKRD9EAa9rrYNwO/XRCtOGM3A5A0X+wmG+XRrw9Fxdsw+LnyYiZWWcVw==", + "cpu": [ + "s390x" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-x64-gnu": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-linux-x64-gnu/-/rollup-linux-x64-gnu-4.43.0.tgz", + "integrity": "sha512-jAHr/S0iiBtFyzjhOkAics/2SrXE092qyqEg96e90L3t9Op8OTzS6+IX0Fy5wCt2+KqeHAkti+eitV0wvblEoQ==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-linux-x64-musl": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-linux-x64-musl/-/rollup-linux-x64-musl-4.43.0.tgz", + "integrity": "sha512-3yATWgdeXyuHtBhrLt98w+5fKurdqvs8B53LaoKD7P7H7FKOONLsBVMNl9ghPQZQuYcceV5CDyPfyfGpMWD9mQ==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "linux" + ] + }, + "node_modules/@rollup/rollup-win32-arm64-msvc": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-win32-arm64-msvc/-/rollup-win32-arm64-msvc-4.43.0.tgz", + "integrity": "sha512-wVzXp2qDSCOpcBCT5WRWLmpJRIzv23valvcTwMHEobkjippNf+C3ys/+wf07poPkeNix0paTNemB2XrHr2TnGw==", + "cpu": [ + "arm64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ] + }, + "node_modules/@rollup/rollup-win32-ia32-msvc": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-win32-ia32-msvc/-/rollup-win32-ia32-msvc-4.43.0.tgz", + "integrity": "sha512-fYCTEyzf8d+7diCw8b+asvWDCLMjsCEA8alvtAutqJOJp/wL5hs1rWSqJ1vkjgW0L2NB4bsYJrpKkiIPRR9dvw==", + "cpu": [ + "ia32" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ] + }, + "node_modules/@rollup/rollup-win32-x64-msvc": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/@rollup/rollup-win32-x64-msvc/-/rollup-win32-x64-msvc-4.43.0.tgz", + "integrity": "sha512-SnGhLiE5rlK0ofq8kzuDkM0g7FN1s5VYY+YSMTibP7CqShxCQvqtNxTARS4xX4PFJfHjG0ZQYX9iGzI3FQh5Aw==", + "cpu": [ + "x64" + ], + "dev": true, + "license": "MIT", + "optional": true, + "os": [ + "win32" + ] + }, + "node_modules/@sec-ant/readable-stream": { + "version": "0.4.1", + "resolved": "https://registry.npmmirror.com/@sec-ant/readable-stream/-/readable-stream-0.4.1.tgz", + "integrity": "sha512-831qok9r2t8AlxLko40y2ebgSDhenenCatLVeW/uBtnHPyhHOvG0C7TvfgecV+wHzIm5KUICgzmVpWS+IMEAeg==", + "dev": true, + "license": "MIT" + }, + "node_modules/@sindresorhus/merge-streams": { + "version": "4.0.0", + "resolved": "https://registry.npmmirror.com/@sindresorhus/merge-streams/-/merge-streams-4.0.0.tgz", + "integrity": "sha512-tlqY9xq5ukxTUZBmoOp+m61cqwQD5pHJtFY3Mn8CA8ps6yghLH/Hw8UPdqg4OLmFW3IFlcXnQNmo/dh8HzXYIQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/@types/estree": { + "version": "1.0.7", + "resolved": "https://registry.npmmirror.com/@types/estree/-/estree-1.0.7.tgz", + "integrity": "sha512-w28IoSUCJpidD/TGviZwwMJckNESJZXFu7NBZ5YJ4mEUnNraUn9Pm8HSZm/jDF1pDWYKspWE7oVphigUPRakIQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/lodash": { + "version": "4.17.20", + "resolved": "https://registry.npmmirror.com/@types/lodash/-/lodash-4.17.20.tgz", + "integrity": "sha512-H3MHACvFUEiujabxhaI/ImO6gUrd8oOurg7LQtS7mbwIXA/cUqWrvBsaeJ23aZEPk1TAYkurjfMbSELfoCXlGA==", + "license": "MIT" + }, + "node_modules/@types/lodash-es": { + "version": "4.17.12", + "resolved": "https://registry.npmmirror.com/@types/lodash-es/-/lodash-es-4.17.12.tgz", + "integrity": "sha512-0NgftHUcV4v34VhXm8QBSftKVXtbkBG3ViCjs6+eJ5a6y6Mi/jiFGPc1sC7QK+9BFhWrURE3EOggmWaSxL9OzQ==", + "license": "MIT", + "dependencies": { + "@types/lodash": "*" + } + }, + "node_modules/@types/web-bluetooth": { + "version": "0.0.16", + "resolved": "https://registry.npmmirror.com/@types/web-bluetooth/-/web-bluetooth-0.0.16.tgz", + "integrity": "sha512-oh8q2Zc32S6gd/j50GowEjKLoOVOwHP/bWVjKJInBwQqdOYMdPrf1oVlelTlyfFK3CKxL1uahMDAr+vy8T7yMQ==", + "license": "MIT" + }, + "node_modules/@vitejs/plugin-vue": { + "version": "5.2.4", + "resolved": "https://registry.npmmirror.com/@vitejs/plugin-vue/-/plugin-vue-5.2.4.tgz", + "integrity": "sha512-7Yx/SXSOcQq5HiiV3orevHUFn+pmMB4cgbEkDYgnkUWb0WfeQ/wa2yFv6D5ICiCQOVpjA7vYDXrC7AGO8yjDHA==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^18.0.0 || >=20.0.0" + }, + "peerDependencies": { + "vite": "^5.0.0 || ^6.0.0", + "vue": "^3.2.25" + } + }, + "node_modules/@vue/babel-helper-vue-transform-on": { + "version": "1.4.0", + "resolved": "https://registry.npmmirror.com/@vue/babel-helper-vue-transform-on/-/babel-helper-vue-transform-on-1.4.0.tgz", + "integrity": "sha512-mCokbouEQ/ocRce/FpKCRItGo+013tHg7tixg3DUNS+6bmIchPt66012kBMm476vyEIJPafrvOf4E5OYj3shSw==", + "dev": true, + "license": "MIT" + }, + "node_modules/@vue/babel-plugin-jsx": { + "version": "1.4.0", + "resolved": "https://registry.npmmirror.com/@vue/babel-plugin-jsx/-/babel-plugin-jsx-1.4.0.tgz", + "integrity": "sha512-9zAHmwgMWlaN6qRKdrg1uKsBKHvnUU+Py+MOCTuYZBoZsopa90Di10QRjB+YPnVss0BZbG/H5XFwJY1fTxJWhA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-module-imports": "^7.25.9", + "@babel/helper-plugin-utils": "^7.26.5", + "@babel/plugin-syntax-jsx": "^7.25.9", + "@babel/template": "^7.26.9", + "@babel/traverse": "^7.26.9", + "@babel/types": "^7.26.9", + "@vue/babel-helper-vue-transform-on": "1.4.0", + "@vue/babel-plugin-resolve-type": "1.4.0", + "@vue/shared": "^3.5.13" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + }, + "peerDependenciesMeta": { + "@babel/core": { + "optional": true + } + } + }, + "node_modules/@vue/babel-plugin-resolve-type": { + "version": "1.4.0", + "resolved": "https://registry.npmmirror.com/@vue/babel-plugin-resolve-type/-/babel-plugin-resolve-type-1.4.0.tgz", + "integrity": "sha512-4xqDRRbQQEWHQyjlYSgZsWj44KfiF6D+ktCuXyZ8EnVDYV3pztmXJDf1HveAjUAXxAnR8daCQT51RneWWxtTyQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.26.2", + "@babel/helper-module-imports": "^7.25.9", + "@babel/helper-plugin-utils": "^7.26.5", + "@babel/parser": "^7.26.9", + "@vue/compiler-sfc": "^3.5.13" + }, + "funding": { + "url": "https://github.com/sponsors/sxzz" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@vue/compiler-core": { + "version": "3.5.16", + "resolved": "https://registry.npmmirror.com/@vue/compiler-core/-/compiler-core-3.5.16.tgz", + "integrity": "sha512-AOQS2eaQOaaZQoL1u+2rCJIKDruNXVBZSiUD3chnUrsoX5ZTQMaCvXlWNIfxBJuU15r1o7+mpo5223KVtIhAgQ==", + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.27.2", + "@vue/shared": "3.5.16", + "entities": "^4.5.0", + "estree-walker": "^2.0.2", + "source-map-js": "^1.2.1" + } + }, + "node_modules/@vue/compiler-dom": { + "version": "3.5.16", + "resolved": "https://registry.npmmirror.com/@vue/compiler-dom/-/compiler-dom-3.5.16.tgz", + "integrity": "sha512-SSJIhBr/teipXiXjmWOVWLnxjNGo65Oj/8wTEQz0nqwQeP75jWZ0n4sF24Zxoht1cuJoWopwj0J0exYwCJ0dCQ==", + "license": "MIT", + "dependencies": { + "@vue/compiler-core": "3.5.16", + "@vue/shared": "3.5.16" + } + }, + "node_modules/@vue/compiler-sfc": { + "version": "3.5.16", + "resolved": "https://registry.npmmirror.com/@vue/compiler-sfc/-/compiler-sfc-3.5.16.tgz", + "integrity": "sha512-rQR6VSFNpiinDy/DVUE0vHoIDUF++6p910cgcZoaAUm3POxgNOOdS/xgoll3rNdKYTYPnnbARDCZOyZ+QSe6Pw==", + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.27.2", + "@vue/compiler-core": "3.5.16", + "@vue/compiler-dom": "3.5.16", + "@vue/compiler-ssr": "3.5.16", + "@vue/shared": "3.5.16", + "estree-walker": "^2.0.2", + "magic-string": "^0.30.17", + "postcss": "^8.5.3", + "source-map-js": "^1.2.1" + } + }, + "node_modules/@vue/compiler-ssr": { + "version": "3.5.16", + "resolved": "https://registry.npmmirror.com/@vue/compiler-ssr/-/compiler-ssr-3.5.16.tgz", + "integrity": "sha512-d2V7kfxbdsjrDSGlJE7my1ZzCXViEcqN6w14DOsDrUCHEA6vbnVCpRFfrc4ryCP/lCKzX2eS1YtnLE/BuC9f/A==", + "license": "MIT", + "dependencies": { + "@vue/compiler-dom": "3.5.16", + "@vue/shared": "3.5.16" + } + }, + "node_modules/@vue/devtools-api": { + "version": "6.6.4", + "resolved": "https://registry.npmmirror.com/@vue/devtools-api/-/devtools-api-6.6.4.tgz", + "integrity": "sha512-sGhTPMuXqZ1rVOk32RylztWkfXTRhuS7vgAKv0zjqk8gbsHkJ7xfFf+jbySxt7tWObEJwyKaHMikV/WGDiQm8g==", + "license": "MIT" + }, + "node_modules/@vue/devtools-core": { + "version": "7.7.6", + "resolved": "https://registry.npmmirror.com/@vue/devtools-core/-/devtools-core-7.7.6.tgz", + "integrity": "sha512-ghVX3zjKPtSHu94Xs03giRIeIWlb9M+gvDRVpIZ/cRIxKHdW6HE/sm1PT3rUYS3aV92CazirT93ne+7IOvGUWg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@vue/devtools-kit": "^7.7.6", + "@vue/devtools-shared": "^7.7.6", + "mitt": "^3.0.1", + "nanoid": "^5.1.0", + "pathe": "^2.0.3", + "vite-hot-client": "^2.0.4" + }, + "peerDependencies": { + "vue": "^3.0.0" + } + }, + "node_modules/@vue/devtools-core/node_modules/nanoid": { + "version": "5.1.5", + "resolved": "https://registry.npmmirror.com/nanoid/-/nanoid-5.1.5.tgz", + "integrity": "sha512-Ir/+ZpE9fDsNH0hQ3C68uyThDXzYcim2EqcZ8zn8Chtt1iylPT9xXJB0kPCnqzgcEGikO9RxSrh63MsmVCU7Fw==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "bin": { + "nanoid": "bin/nanoid.js" + }, + "engines": { + "node": "^18 || >=20" + } + }, + "node_modules/@vue/devtools-kit": { + "version": "7.7.7", + "resolved": "https://registry.npmmirror.com/@vue/devtools-kit/-/devtools-kit-7.7.7.tgz", + "integrity": "sha512-wgoZtxcTta65cnZ1Q6MbAfePVFxfM+gq0saaeytoph7nEa7yMXoi6sCPy4ufO111B9msnw0VOWjPEFCXuAKRHA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@vue/devtools-shared": "^7.7.7", + "birpc": "^2.3.0", + "hookable": "^5.5.3", + "mitt": "^3.0.1", + "perfect-debounce": "^1.0.0", + "speakingurl": "^14.0.1", + "superjson": "^2.2.2" + } + }, + "node_modules/@vue/devtools-shared": { + "version": "7.7.7", + "resolved": "https://registry.npmmirror.com/@vue/devtools-shared/-/devtools-shared-7.7.7.tgz", + "integrity": "sha512-+udSj47aRl5aKb0memBvcUG9koarqnxNM5yjuREvqwK6T3ap4mn3Zqqc17QrBFTqSMjr3HK1cvStEZpMDpfdyw==", + "dev": true, + "license": "MIT", + "dependencies": { + "rfdc": "^1.4.1" + } + }, + "node_modules/@vue/reactivity": { + "version": "3.5.16", + "resolved": "https://registry.npmmirror.com/@vue/reactivity/-/reactivity-3.5.16.tgz", + "integrity": "sha512-FG5Q5ee/kxhIm1p2bykPpPwqiUBV3kFySsHEQha5BJvjXdZTUfmya7wP7zC39dFuZAcf/PD5S4Lni55vGLMhvA==", + "license": "MIT", + "dependencies": { + "@vue/shared": "3.5.16" + } + }, + "node_modules/@vue/runtime-core": { + "version": "3.5.16", + "resolved": "https://registry.npmmirror.com/@vue/runtime-core/-/runtime-core-3.5.16.tgz", + "integrity": "sha512-bw5Ykq6+JFHYxrQa7Tjr+VSzw7Dj4ldR/udyBZbq73fCdJmyy5MPIFR9IX/M5Qs+TtTjuyUTCnmK3lWWwpAcFQ==", + "license": "MIT", + "dependencies": { + "@vue/reactivity": "3.5.16", + "@vue/shared": "3.5.16" + } + }, + "node_modules/@vue/runtime-dom": { + "version": "3.5.16", + "resolved": "https://registry.npmmirror.com/@vue/runtime-dom/-/runtime-dom-3.5.16.tgz", + "integrity": "sha512-T1qqYJsG2xMGhImRUV9y/RseB9d0eCYZQ4CWca9ztCuiPj/XWNNN+lkNBuzVbia5z4/cgxdL28NoQCvC0Xcfww==", + "license": "MIT", + "dependencies": { + "@vue/reactivity": "3.5.16", + "@vue/runtime-core": "3.5.16", + "@vue/shared": "3.5.16", + "csstype": "^3.1.3" + } + }, + "node_modules/@vue/server-renderer": { + "version": "3.5.16", + "resolved": "https://registry.npmmirror.com/@vue/server-renderer/-/server-renderer-3.5.16.tgz", + "integrity": "sha512-BrX0qLiv/WugguGsnQUJiYOE0Fe5mZTwi6b7X/ybGB0vfrPH9z0gD/Y6WOR1sGCgX4gc25L1RYS5eYQKDMoNIg==", + "license": "MIT", + "dependencies": { + "@vue/compiler-ssr": "3.5.16", + "@vue/shared": "3.5.16" + }, + "peerDependencies": { + "vue": "3.5.16" + } + }, + "node_modules/@vue/shared": { + "version": "3.5.16", + "resolved": "https://registry.npmmirror.com/@vue/shared/-/shared-3.5.16.tgz", + "integrity": "sha512-c/0fWy3Jw6Z8L9FmTyYfkpM5zklnqqa9+a6dz3DvONRKW2NEbh46BP0FHuLFSWi2TnQEtp91Z6zOWNrU6QiyPg==", + "license": "MIT" + }, + "node_modules/@vueuse/core": { + "version": "9.13.0", + "resolved": "https://registry.npmmirror.com/@vueuse/core/-/core-9.13.0.tgz", + "integrity": "sha512-pujnclbeHWxxPRqXWmdkKV5OX4Wk4YeK7wusHqRwU0Q7EFusHoqNA/aPhB6KCh9hEqJkLAJo7bb0Lh9b+OIVzw==", + "license": "MIT", + "dependencies": { + "@types/web-bluetooth": "^0.0.16", + "@vueuse/metadata": "9.13.0", + "@vueuse/shared": "9.13.0", + "vue-demi": "*" + }, + "funding": { + "url": "https://github.com/sponsors/antfu" + } + }, + "node_modules/@vueuse/core/node_modules/vue-demi": { + "version": "0.14.10", + "resolved": "https://registry.npmmirror.com/vue-demi/-/vue-demi-0.14.10.tgz", + "integrity": "sha512-nMZBOwuzabUO0nLgIcc6rycZEebF6eeUfaiQx9+WSk8e29IbLvPU9feI6tqW4kTo3hvoYAJkMh8n8D0fuISphg==", + "hasInstallScript": true, + "license": "MIT", + "bin": { + "vue-demi-fix": "bin/vue-demi-fix.js", + "vue-demi-switch": "bin/vue-demi-switch.js" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/antfu" + }, + "peerDependencies": { + "@vue/composition-api": "^1.0.0-rc.1", + "vue": "^3.0.0-0 || ^2.6.0" + }, + "peerDependenciesMeta": { + "@vue/composition-api": { + "optional": true + } + } + }, + "node_modules/@vueuse/metadata": { + "version": "9.13.0", + "resolved": "https://registry.npmmirror.com/@vueuse/metadata/-/metadata-9.13.0.tgz", + "integrity": "sha512-gdU7TKNAUVlXXLbaF+ZCfte8BjRJQWPCa2J55+7/h+yDtzw3vOoGQDRXzI6pyKyo6bXFT5/QoPE4hAknExjRLQ==", + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/antfu" + } + }, + "node_modules/@vueuse/shared": { + "version": "9.13.0", + "resolved": "https://registry.npmmirror.com/@vueuse/shared/-/shared-9.13.0.tgz", + "integrity": "sha512-UrnhU+Cnufu4S6JLCPZnkWh0WwZGUp72ktOF2DFptMlOs3TOdVv8xJN53zhHGARmVOsz5KqOls09+J1NR6sBKw==", + "license": "MIT", + "dependencies": { + "vue-demi": "*" + }, + "funding": { + "url": "https://github.com/sponsors/antfu" + } + }, + "node_modules/@vueuse/shared/node_modules/vue-demi": { + "version": "0.14.10", + "resolved": "https://registry.npmmirror.com/vue-demi/-/vue-demi-0.14.10.tgz", + "integrity": "sha512-nMZBOwuzabUO0nLgIcc6rycZEebF6eeUfaiQx9+WSk8e29IbLvPU9feI6tqW4kTo3hvoYAJkMh8n8D0fuISphg==", + "hasInstallScript": true, + "license": "MIT", + "bin": { + "vue-demi-fix": "bin/vue-demi-fix.js", + "vue-demi-switch": "bin/vue-demi-switch.js" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/antfu" + }, + "peerDependencies": { + "@vue/composition-api": "^1.0.0-rc.1", + "vue": "^3.0.0-0 || ^2.6.0" + }, + "peerDependenciesMeta": { + "@vue/composition-api": { + "optional": true + } + } + }, + "node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmmirror.com/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/ansi-styles": { + "version": "4.3.0", + "resolved": "https://registry.npmmirror.com/ansi-styles/-/ansi-styles-4.3.0.tgz", + "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", + "license": "MIT", + "dependencies": { + "color-convert": "^2.0.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/async-validator": { + "version": "4.2.5", + "resolved": "https://registry.npmmirror.com/async-validator/-/async-validator-4.2.5.tgz", + "integrity": "sha512-7HhHjtERjqlNbZtqNqy2rckN/SpOOlmDliet+lP7k+eKZEjPk3DgyeU9lIXLdeLz0uBbbVp+9Qdow9wJWgwwfg==", + "license": "MIT" + }, + "node_modules/asynckit": { + "version": "0.4.0", + "resolved": "https://registry.npmmirror.com/asynckit/-/asynckit-0.4.0.tgz", + "integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==", + "license": "MIT" + }, + "node_modules/axios": { + "version": "1.10.0", + "resolved": "https://registry.npmmirror.com/axios/-/axios-1.10.0.tgz", + "integrity": "sha512-/1xYAC4MP/HEG+3duIhFr4ZQXR4sQXOIe+o6sdqzeykGLx6Upp/1p8MHqhINOvGeP7xyNHe7tsiJByc4SSVUxw==", + "license": "MIT", + "dependencies": { + "follow-redirects": "^1.15.6", + "form-data": "^4.0.0", + "proxy-from-env": "^1.1.0" + } + }, + "node_modules/birpc": { + "version": "2.4.0", + "resolved": "https://registry.npmmirror.com/birpc/-/birpc-2.4.0.tgz", + "integrity": "sha512-5IdNxTyhXHv2UlgnPHQ0h+5ypVmkrYHzL8QT+DwFZ//2N/oNV8Ch+BCRmTJ3x6/z9Axo/cXYBc9eprsUVK/Jsg==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/antfu" + } + }, + "node_modules/browserslist": { + "version": "4.25.0", + "resolved": "https://registry.npmmirror.com/browserslist/-/browserslist-4.25.0.tgz", + "integrity": "sha512-PJ8gYKeS5e/whHBh8xrwYK+dAvEj7JXtz6uTucnMRB8OiGTsKccFekoRrjajPBHV8oOY+2tI4uxeceSimKwMFA==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "caniuse-lite": "^1.0.30001718", + "electron-to-chromium": "^1.5.160", + "node-releases": "^2.0.19", + "update-browserslist-db": "^1.1.3" + }, + "bin": { + "browserslist": "cli.js" + }, + "engines": { + "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" + } + }, + "node_modules/bundle-name": { + "version": "4.1.0", + "resolved": "https://registry.npmmirror.com/bundle-name/-/bundle-name-4.1.0.tgz", + "integrity": "sha512-tjwM5exMg6BGRI+kNmTntNsvdZS1X8BFYS6tnJ2hdH0kVxM6/eVZ2xy+FqStSWvYmtfFMDLIxurorHwDKfDz5Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "run-applescript": "^7.0.0" + }, + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/call-bind-apply-helpers": { + "version": "1.0.2", + "resolved": "https://registry.npmmirror.com/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz", + "integrity": "sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/camelcase": { + "version": "5.3.1", + "resolved": "https://registry.npmmirror.com/camelcase/-/camelcase-5.3.1.tgz", + "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==", + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/caniuse-lite": { + "version": "1.0.30001723", + "resolved": "https://registry.npmmirror.com/caniuse-lite/-/caniuse-lite-1.0.30001723.tgz", + "integrity": "sha512-1R/elMjtehrFejxwmexeXAtae5UO9iSyFn6G/I806CYC/BLyyBk1EPhrKBkWhy6wM6Xnm47dSJQec+tLJ39WHw==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/caniuse-lite" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "CC-BY-4.0" + }, + "node_modules/cliui": { + "version": "6.0.0", + "resolved": "https://registry.npmmirror.com/cliui/-/cliui-6.0.0.tgz", + "integrity": "sha512-t6wbgtoCXvAzst7QgXxJYqPt0usEfbgQdftEPbLL/cvv6HPE5VgvqCuAIDR0NgU52ds6rFwqrgakNLrHEjCbrQ==", + "license": "ISC", + "dependencies": { + "string-width": "^4.2.0", + "strip-ansi": "^6.0.0", + "wrap-ansi": "^6.2.0" + } + }, + "node_modules/color-convert": { + "version": "2.0.1", + "resolved": "https://registry.npmmirror.com/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "license": "MIT", + "dependencies": { + "color-name": "~1.1.4" + }, + "engines": { + "node": ">=7.0.0" + } + }, + "node_modules/color-name": { + "version": "1.1.4", + "resolved": "https://registry.npmmirror.com/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", + "license": "MIT" + }, + "node_modules/combined-stream": { + "version": "1.0.8", + "resolved": "https://registry.npmmirror.com/combined-stream/-/combined-stream-1.0.8.tgz", + "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", + "license": "MIT", + "dependencies": { + "delayed-stream": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/convert-source-map": { + "version": "2.0.0", + "resolved": "https://registry.npmmirror.com/convert-source-map/-/convert-source-map-2.0.0.tgz", + "integrity": "sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==", + "dev": true, + "license": "MIT" + }, + "node_modules/copy-anything": { + "version": "3.0.5", + "resolved": "https://registry.npmmirror.com/copy-anything/-/copy-anything-3.0.5.tgz", + "integrity": "sha512-yCEafptTtb4bk7GLEQoM8KVJpxAfdBJYaXyzQEgQQQgYrZiDp8SJmGKlYza6CYjEDNstAdNdKA3UuoULlEbS6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-what": "^4.1.8" + }, + "engines": { + "node": ">=12.13" + }, + "funding": { + "url": "https://github.com/sponsors/mesqueeb" + } + }, + "node_modules/cross-spawn": { + "version": "7.0.6", + "resolved": "https://registry.npmmirror.com/cross-spawn/-/cross-spawn-7.0.6.tgz", + "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/csstype": { + "version": "3.1.3", + "resolved": "https://registry.npmmirror.com/csstype/-/csstype-3.1.3.tgz", + "integrity": "sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==", + "license": "MIT" + }, + "node_modules/dayjs": { + "version": "1.11.13", + "resolved": "https://registry.npmmirror.com/dayjs/-/dayjs-1.11.13.tgz", + "integrity": "sha512-oaMBel6gjolK862uaPQOVTA7q3TZhuSvuMQAAglQDOWYO9A91IrAOUJEyKVlqJlHE0vq5p5UXxzdPfMH/x6xNg==", + "license": "MIT" + }, + "node_modules/debug": { + "version": "4.4.1", + "resolved": "https://registry.npmmirror.com/debug/-/debug-4.4.1.tgz", + "integrity": "sha512-KcKCqiftBJcZr++7ykoDIEwSa3XWowTfNPo92BYxjXiyYEVrUQh2aLyhxBCwww+heortUFxEJYcRzosstTEBYQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "^2.1.3" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/decamelize": { + "version": "1.2.0", + "resolved": "https://registry.npmmirror.com/decamelize/-/decamelize-1.2.0.tgz", + "integrity": "sha512-z2S+W9X73hAUUki+N+9Za2lBlun89zigOyGrsax+KUQ6wKW4ZoWpEYBkGhQjwAjjDCkWxhY0VKEhk8wzY7F5cA==", + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/default-browser": { + "version": "5.2.1", + "resolved": "https://registry.npmmirror.com/default-browser/-/default-browser-5.2.1.tgz", + "integrity": "sha512-WY/3TUME0x3KPYdRRxEJJvXRHV4PyPoUsxtZa78lwItwRQRHhd2U9xOscaT/YTf8uCXIAjeJOFBVEh/7FtD8Xg==", + "dev": true, + "license": "MIT", + "dependencies": { + "bundle-name": "^4.1.0", + "default-browser-id": "^5.0.0" + }, + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/default-browser-id": { + "version": "5.0.0", + "resolved": "https://registry.npmmirror.com/default-browser-id/-/default-browser-id-5.0.0.tgz", + "integrity": "sha512-A6p/pu/6fyBcA1TRz/GqWYPViplrftcW2gZC9q79ngNCKAeR/X3gcEdXQHl4KNXV+3wgIJ1CPkJQ3IHM6lcsyA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/define-lazy-prop": { + "version": "3.0.0", + "resolved": "https://registry.npmmirror.com/define-lazy-prop/-/define-lazy-prop-3.0.0.tgz", + "integrity": "sha512-N+MeXYoqr3pOgn8xfyRPREN7gHakLYjhsHhWGT3fWAiL4IkAt0iDw14QiiEm2bE30c5XX5q0FtAA3CK5f9/BUg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/delayed-stream": { + "version": "1.0.0", + "resolved": "https://registry.npmmirror.com/delayed-stream/-/delayed-stream-1.0.0.tgz", + "integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==", + "license": "MIT", + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/dijkstrajs": { + "version": "1.0.3", + "resolved": "https://registry.npmmirror.com/dijkstrajs/-/dijkstrajs-1.0.3.tgz", + "integrity": "sha512-qiSlmBq9+BCdCA/L46dw8Uy93mloxsPSbwnm5yrKn2vMPiy8KyAskTF6zuV/j5BMsmOGZDPs7KjU+mjb670kfA==", + "license": "MIT" + }, + "node_modules/dunder-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmmirror.com/dunder-proto/-/dunder-proto-1.0.1.tgz", + "integrity": "sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==", + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.1", + "es-errors": "^1.3.0", + "gopd": "^1.2.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/electron-to-chromium": { + "version": "1.5.167", + "resolved": "https://registry.npmmirror.com/electron-to-chromium/-/electron-to-chromium-1.5.167.tgz", + "integrity": "sha512-LxcRvnYO5ez2bMOFpbuuVuAI5QNeY1ncVytE/KXaL6ZNfzX1yPlAO0nSOyIHx2fVAuUprMqPs/TdVhUFZy7SIQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/element-plus": { + "version": "2.10.4", + "resolved": "https://registry.npmmirror.com/element-plus/-/element-plus-2.10.4.tgz", + "integrity": "sha512-UD4elWHrCnp1xlPhbXmVcaKFLCRaRAY6WWRwemGfGW3ceIjXm9fSYc9RNH3AiOEA6Ds1p9ZvhCs76CR9J8Vd+A==", + "license": "MIT", + "dependencies": { + "@ctrl/tinycolor": "^3.4.1", + "@element-plus/icons-vue": "^2.3.1", + "@floating-ui/dom": "^1.0.1", + "@popperjs/core": "npm:@sxzz/popperjs-es@^2.11.7", + "@types/lodash": "^4.14.182", + "@types/lodash-es": "^4.17.6", + "@vueuse/core": "^9.1.0", + "async-validator": "^4.2.5", + "dayjs": "^1.11.13", + "escape-html": "^1.0.3", + "lodash": "^4.17.21", + "lodash-es": "^4.17.21", + "lodash-unified": "^1.0.2", + "memoize-one": "^6.0.0", + "normalize-wheel-es": "^1.2.0" + }, + "peerDependencies": { + "vue": "^3.2.0" + } + }, + "node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmmirror.com/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "license": "MIT" + }, + "node_modules/entities": { + "version": "4.5.0", + "resolved": "https://registry.npmmirror.com/entities/-/entities-4.5.0.tgz", + "integrity": "sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==", + "license": "BSD-2-Clause", + "engines": { + "node": ">=0.12" + }, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/error-stack-parser-es": { + "version": "0.1.5", + "resolved": "https://registry.npmmirror.com/error-stack-parser-es/-/error-stack-parser-es-0.1.5.tgz", + "integrity": "sha512-xHku1X40RO+fO8yJ8Wh2f2rZWVjqyhb1zgq1yZ8aZRQkv6OOKhKWRUaht3eSCUbAOBaKIgM+ykwFLE+QUxgGeg==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/antfu" + } + }, + "node_modules/es-define-property": { + "version": "1.0.1", + "resolved": "https://registry.npmmirror.com/es-define-property/-/es-define-property-1.0.1.tgz", + "integrity": "sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-errors": { + "version": "1.3.0", + "resolved": "https://registry.npmmirror.com/es-errors/-/es-errors-1.3.0.tgz", + "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-object-atoms": { + "version": "1.1.1", + "resolved": "https://registry.npmmirror.com/es-object-atoms/-/es-object-atoms-1.1.1.tgz", + "integrity": "sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-set-tostringtag": { + "version": "2.1.0", + "resolved": "https://registry.npmmirror.com/es-set-tostringtag/-/es-set-tostringtag-2.1.0.tgz", + "integrity": "sha512-j6vWzfrGVfyXxge+O0x5sh6cvxAog0a/4Rdd2K36zCMV5eJ+/+tOAngRO8cODMNWbVRdVlmGZQL2YS3yR8bIUA==", + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.6", + "has-tostringtag": "^1.0.2", + "hasown": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/esbuild": { + "version": "0.25.5", + "resolved": "https://registry.npmmirror.com/esbuild/-/esbuild-0.25.5.tgz", + "integrity": "sha512-P8OtKZRv/5J5hhz0cUAdu/cLuPIKXpQl1R9pZtvmHWQvrAUVd0UNIPT4IB4W3rNOqVO0rlqHmCIbSwxh/c9yUQ==", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "bin": { + "esbuild": "bin/esbuild" + }, + "engines": { + "node": ">=18" + }, + "optionalDependencies": { + "@esbuild/aix-ppc64": "0.25.5", + "@esbuild/android-arm": "0.25.5", + "@esbuild/android-arm64": "0.25.5", + "@esbuild/android-x64": "0.25.5", + "@esbuild/darwin-arm64": "0.25.5", + "@esbuild/darwin-x64": "0.25.5", + "@esbuild/freebsd-arm64": "0.25.5", + "@esbuild/freebsd-x64": "0.25.5", + "@esbuild/linux-arm": "0.25.5", + "@esbuild/linux-arm64": "0.25.5", + "@esbuild/linux-ia32": "0.25.5", + "@esbuild/linux-loong64": "0.25.5", + "@esbuild/linux-mips64el": "0.25.5", + "@esbuild/linux-ppc64": "0.25.5", + "@esbuild/linux-riscv64": "0.25.5", + "@esbuild/linux-s390x": "0.25.5", + "@esbuild/linux-x64": "0.25.5", + "@esbuild/netbsd-arm64": "0.25.5", + "@esbuild/netbsd-x64": "0.25.5", + "@esbuild/openbsd-arm64": "0.25.5", + "@esbuild/openbsd-x64": "0.25.5", + "@esbuild/sunos-x64": "0.25.5", + "@esbuild/win32-arm64": "0.25.5", + "@esbuild/win32-ia32": "0.25.5", + "@esbuild/win32-x64": "0.25.5" + } + }, + "node_modules/escalade": { + "version": "3.2.0", + "resolved": "https://registry.npmmirror.com/escalade/-/escalade-3.2.0.tgz", + "integrity": "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/escape-html": { + "version": "1.0.3", + "resolved": "https://registry.npmmirror.com/escape-html/-/escape-html-1.0.3.tgz", + "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==", + "license": "MIT" + }, + "node_modules/estree-walker": { + "version": "2.0.2", + "resolved": "https://registry.npmmirror.com/estree-walker/-/estree-walker-2.0.2.tgz", + "integrity": "sha512-Rfkk/Mp/DL7JVje3u18FxFujQlTNR2q6QfMSMB7AvCBx91NGj/ba3kCfza0f6dVDbw7YlRf/nDrn7pQrCCyQ/w==", + "license": "MIT" + }, + "node_modules/execa": { + "version": "9.6.0", + "resolved": "https://registry.npmmirror.com/execa/-/execa-9.6.0.tgz", + "integrity": "sha512-jpWzZ1ZhwUmeWRhS7Qv3mhpOhLfwI+uAX4e5fOcXqwMR7EcJ0pj2kV1CVzHVMX/LphnKWD3LObjZCoJ71lKpHw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@sindresorhus/merge-streams": "^4.0.0", + "cross-spawn": "^7.0.6", + "figures": "^6.1.0", + "get-stream": "^9.0.0", + "human-signals": "^8.0.1", + "is-plain-obj": "^4.1.0", + "is-stream": "^4.0.1", + "npm-run-path": "^6.0.0", + "pretty-ms": "^9.2.0", + "signal-exit": "^4.1.0", + "strip-final-newline": "^4.0.0", + "yoctocolors": "^2.1.1" + }, + "engines": { + "node": "^18.19.0 || >=20.5.0" + }, + "funding": { + "url": "https://github.com/sindresorhus/execa?sponsor=1" + } + }, + "node_modules/fdir": { + "version": "6.4.6", + "resolved": "https://registry.npmmirror.com/fdir/-/fdir-6.4.6.tgz", + "integrity": "sha512-hiFoqpyZcfNm1yc4u8oWCf9A2c4D3QjCrks3zmoVKVxpQRzmPNar1hUJcBG2RQHvEVGDN+Jm81ZheVLAQMK6+w==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "picomatch": "^3 || ^4" + }, + "peerDependenciesMeta": { + "picomatch": { + "optional": true + } + } + }, + "node_modules/figures": { + "version": "6.1.0", + "resolved": "https://registry.npmmirror.com/figures/-/figures-6.1.0.tgz", + "integrity": "sha512-d+l3qxjSesT4V7v2fh+QnmFnUWv9lSpjarhShNTgBOfA0ttejbQUAlHLitbjkoRiDulW0OPoQPYIGhIC8ohejg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-unicode-supported": "^2.0.0" + }, + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/find-up": { + "version": "4.1.0", + "resolved": "https://registry.npmmirror.com/find-up/-/find-up-4.1.0.tgz", + "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", + "license": "MIT", + "dependencies": { + "locate-path": "^5.0.0", + "path-exists": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/follow-redirects": { + "version": "1.15.9", + "resolved": "https://registry.npmmirror.com/follow-redirects/-/follow-redirects-1.15.9.tgz", + "integrity": "sha512-gew4GsXizNgdoRyqmyfMHyAmXsZDk6mHkSxZFCzW9gwlbtOW44CDtYavM+y+72qD/Vq2l550kMF52DT8fOLJqQ==", + "funding": [ + { + "type": "individual", + "url": "https://github.com/sponsors/RubenVerborgh" + } + ], + "license": "MIT", + "engines": { + "node": ">=4.0" + }, + "peerDependenciesMeta": { + "debug": { + "optional": true + } + } + }, + "node_modules/form-data": { + "version": "4.0.3", + "resolved": "https://registry.npmmirror.com/form-data/-/form-data-4.0.3.tgz", + "integrity": "sha512-qsITQPfmvMOSAdeyZ+12I1c+CKSstAFAwu+97zrnWAbIr5u8wfsExUzCesVLC8NgHuRUqNN4Zy6UPWUTRGslcA==", + "license": "MIT", + "dependencies": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.8", + "es-set-tostringtag": "^2.1.0", + "hasown": "^2.0.2", + "mime-types": "^2.1.12" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/fs-extra": { + "version": "11.3.0", + "resolved": "https://registry.npmmirror.com/fs-extra/-/fs-extra-11.3.0.tgz", + "integrity": "sha512-Z4XaCL6dUDHfP/jT25jJKMmtxvuwbkrD1vNSMFlo9lNLY2c5FHYSQgHPRZUjAB26TpDEoW9HCOgplrdbaPV/ew==", + "dev": true, + "license": "MIT", + "dependencies": { + "graceful-fs": "^4.2.0", + "jsonfile": "^6.0.1", + "universalify": "^2.0.0" + }, + "engines": { + "node": ">=14.14" + } + }, + "node_modules/fsevents": { + "version": "2.3.3", + "resolved": "https://registry.npmmirror.com/fsevents/-/fsevents-2.3.3.tgz", + "integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": "^8.16.0 || ^10.6.0 || >=11.0.0" + } + }, + "node_modules/function-bind": { + "version": "1.1.2", + "resolved": "https://registry.npmmirror.com/function-bind/-/function-bind-1.1.2.tgz", + "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/gensync": { + "version": "1.0.0-beta.2", + "resolved": "https://registry.npmmirror.com/gensync/-/gensync-1.0.0-beta.2.tgz", + "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/get-caller-file": { + "version": "2.0.5", + "resolved": "https://registry.npmmirror.com/get-caller-file/-/get-caller-file-2.0.5.tgz", + "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==", + "license": "ISC", + "engines": { + "node": "6.* || 8.* || >= 10.*" + } + }, + "node_modules/get-intrinsic": { + "version": "1.3.0", + "resolved": "https://registry.npmmirror.com/get-intrinsic/-/get-intrinsic-1.3.0.tgz", + "integrity": "sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==", + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.2", + "es-define-property": "^1.0.1", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.1.1", + "function-bind": "^1.1.2", + "get-proto": "^1.0.1", + "gopd": "^1.2.0", + "has-symbols": "^1.1.0", + "hasown": "^2.0.2", + "math-intrinsics": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmmirror.com/get-proto/-/get-proto-1.0.1.tgz", + "integrity": "sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g==", + "license": "MIT", + "dependencies": { + "dunder-proto": "^1.0.1", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/get-stream": { + "version": "9.0.1", + "resolved": "https://registry.npmmirror.com/get-stream/-/get-stream-9.0.1.tgz", + "integrity": "sha512-kVCxPF3vQM/N0B1PmoqVUqgHP+EeVjmZSQn+1oCRPxd2P21P2F19lIgbR3HBosbB1PUhOAoctJnfEn2GbN2eZA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@sec-ant/readable-stream": "^0.4.1", + "is-stream": "^4.0.1" + }, + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/globals": { + "version": "11.12.0", + "resolved": "https://registry.npmmirror.com/globals/-/globals-11.12.0.tgz", + "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/gopd": { + "version": "1.2.0", + "resolved": "https://registry.npmmirror.com/gopd/-/gopd-1.2.0.tgz", + "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/graceful-fs": { + "version": "4.2.11", + "resolved": "https://registry.npmmirror.com/graceful-fs/-/graceful-fs-4.2.11.tgz", + "integrity": "sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/has-symbols": { + "version": "1.1.0", + "resolved": "https://registry.npmmirror.com/has-symbols/-/has-symbols-1.1.0.tgz", + "integrity": "sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-tostringtag": { + "version": "1.0.2", + "resolved": "https://registry.npmmirror.com/has-tostringtag/-/has-tostringtag-1.0.2.tgz", + "integrity": "sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==", + "license": "MIT", + "dependencies": { + "has-symbols": "^1.0.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/hasown": { + "version": "2.0.2", + "resolved": "https://registry.npmmirror.com/hasown/-/hasown-2.0.2.tgz", + "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", + "license": "MIT", + "dependencies": { + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/hookable": { + "version": "5.5.3", + "resolved": "https://registry.npmmirror.com/hookable/-/hookable-5.5.3.tgz", + "integrity": "sha512-Yc+BQe8SvoXH1643Qez1zqLRmbA5rCL+sSmk6TVos0LWVfNIB7PGncdlId77WzLGSIB5KaWgTaNTs2lNVEI6VQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/human-signals": { + "version": "8.0.1", + "resolved": "https://registry.npmmirror.com/human-signals/-/human-signals-8.0.1.tgz", + "integrity": "sha512-eKCa6bwnJhvxj14kZk5NCPc6Hb6BdsU9DZcOnmQKSnO1VKrfV0zCvtttPZUsBvjmNDn8rpcJfpwSYnHBjc95MQ==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">=18.18.0" + } + }, + "node_modules/is-docker": { + "version": "3.0.0", + "resolved": "https://registry.npmmirror.com/is-docker/-/is-docker-3.0.0.tgz", + "integrity": "sha512-eljcgEDlEns/7AXFosB5K/2nCM4P7FQPkGc/DWLy5rmFEWvZayGrik1d9/QIY5nJ4f9YsVvBkA6kJpHn9rISdQ==", + "dev": true, + "license": "MIT", + "bin": { + "is-docker": "cli.js" + }, + "engines": { + "node": "^12.20.0 || ^14.13.1 || >=16.0.0" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "https://registry.npmmirror.com/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/is-inside-container": { + "version": "1.0.0", + "resolved": "https://registry.npmmirror.com/is-inside-container/-/is-inside-container-1.0.0.tgz", + "integrity": "sha512-KIYLCCJghfHZxqjYBE7rEy0OBuTd5xCHS7tHVgvCLkx7StIoaxwNW3hCALgEUjFfeRk+MG/Qxmp/vtETEF3tRA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-docker": "^3.0.0" + }, + "bin": { + "is-inside-container": "cli.js" + }, + "engines": { + "node": ">=14.16" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-plain-obj": { + "version": "4.1.0", + "resolved": "https://registry.npmmirror.com/is-plain-obj/-/is-plain-obj-4.1.0.tgz", + "integrity": "sha512-+Pgi+vMuUNkJyExiMBt5IlFoMyKnr5zhJ4Uspz58WOhBF5QoIZkFyNHIbBAtHwzVAgk5RtndVNsDRN61/mmDqg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-stream": { + "version": "4.0.1", + "resolved": "https://registry.npmmirror.com/is-stream/-/is-stream-4.0.1.tgz", + "integrity": "sha512-Dnz92NInDqYckGEUJv689RbRiTSEHCQ7wOVeALbkOz999YpqT46yMRIGtSNl2iCL1waAZSx40+h59NV/EwzV/A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-unicode-supported": { + "version": "2.1.0", + "resolved": "https://registry.npmmirror.com/is-unicode-supported/-/is-unicode-supported-2.1.0.tgz", + "integrity": "sha512-mE00Gnza5EEB3Ds0HfMyllZzbBrmLOX3vfWoj9A9PEnTfratQ/BcaJOuMhnkhjXvb2+FkY3VuHqtAGpTPmglFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-what": { + "version": "4.1.16", + "resolved": "https://registry.npmmirror.com/is-what/-/is-what-4.1.16.tgz", + "integrity": "sha512-ZhMwEosbFJkA0YhFnNDgTM4ZxDRsS6HqTo7qsZM08fehyRYIYa0yHu5R6mgo1n/8MgaPBXiPimPD77baVFYg+A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12.13" + }, + "funding": { + "url": "https://github.com/sponsors/mesqueeb" + } + }, + "node_modules/is-wsl": { + "version": "3.1.0", + "resolved": "https://registry.npmmirror.com/is-wsl/-/is-wsl-3.1.0.tgz", + "integrity": "sha512-UcVfVfaK4Sc4m7X3dUSoHoozQGBEFeDC+zVo06t98xe8CzHSZZBekNXH+tu0NalHolcJ/QAGqS46Hef7QXBIMw==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-inside-container": "^1.0.0" + }, + "engines": { + "node": ">=16" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/isexe": { + "version": "2.0.0", + "resolved": "https://registry.npmmirror.com/isexe/-/isexe-2.0.0.tgz", + "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", + "dev": true, + "license": "ISC" + }, + "node_modules/js-tokens": { + "version": "4.0.0", + "resolved": "https://registry.npmmirror.com/js-tokens/-/js-tokens-4.0.0.tgz", + "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/jsesc": { + "version": "3.1.0", + "resolved": "https://registry.npmmirror.com/jsesc/-/jsesc-3.1.0.tgz", + "integrity": "sha512-/sM3dO2FOzXjKQhJuo0Q173wf2KOo8t4I8vHy6lF9poUp7bKT0/NHE8fPX23PwfhnykfqnC2xRxOnVw5XuGIaA==", + "dev": true, + "license": "MIT", + "bin": { + "jsesc": "bin/jsesc" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/json5": { + "version": "2.2.3", + "resolved": "https://registry.npmmirror.com/json5/-/json5-2.2.3.tgz", + "integrity": "sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==", + "dev": true, + "license": "MIT", + "bin": { + "json5": "lib/cli.js" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/jsonfile": { + "version": "6.1.0", + "resolved": "https://registry.npmmirror.com/jsonfile/-/jsonfile-6.1.0.tgz", + "integrity": "sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "universalify": "^2.0.0" + }, + "optionalDependencies": { + "graceful-fs": "^4.1.6" + } + }, + "node_modules/kolorist": { + "version": "1.8.0", + "resolved": "https://registry.npmmirror.com/kolorist/-/kolorist-1.8.0.tgz", + "integrity": "sha512-Y+60/zizpJ3HRH8DCss+q95yr6145JXZo46OTpFvDZWLfRCE4qChOyk1b26nMaNpfHHgxagk9dXT5OP0Tfe+dQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/locate-path": { + "version": "5.0.0", + "resolved": "https://registry.npmmirror.com/locate-path/-/locate-path-5.0.0.tgz", + "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", + "license": "MIT", + "dependencies": { + "p-locate": "^4.1.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/lodash": { + "version": "4.17.21", + "resolved": "https://registry.npmmirror.com/lodash/-/lodash-4.17.21.tgz", + "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==", + "license": "MIT" + }, + "node_modules/lodash-es": { + "version": "4.17.21", + "resolved": "https://registry.npmmirror.com/lodash-es/-/lodash-es-4.17.21.tgz", + "integrity": "sha512-mKnC+QJ9pWVzv+C4/U3rRsHapFfHvQFoFB92e52xeyGMcX6/OlIl78je1u8vePzYZSkkogMPJ2yjxxsb89cxyw==", + "license": "MIT" + }, + "node_modules/lodash-unified": { + "version": "1.0.3", + "resolved": "https://registry.npmmirror.com/lodash-unified/-/lodash-unified-1.0.3.tgz", + "integrity": "sha512-WK9qSozxXOD7ZJQlpSqOT+om2ZfcT4yO+03FuzAHD0wF6S0l0090LRPDx3vhTTLZ8cFKpBn+IOcVXK6qOcIlfQ==", + "license": "MIT", + "peerDependencies": { + "@types/lodash-es": "*", + "lodash": "*", + "lodash-es": "*" + } + }, + "node_modules/lru-cache": { + "version": "5.1.1", + "resolved": "https://registry.npmmirror.com/lru-cache/-/lru-cache-5.1.1.tgz", + "integrity": "sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==", + "dev": true, + "license": "ISC", + "dependencies": { + "yallist": "^3.0.2" + } + }, + "node_modules/magic-string": { + "version": "0.30.17", + "resolved": "https://registry.npmmirror.com/magic-string/-/magic-string-0.30.17.tgz", + "integrity": "sha512-sNPKHvyjVf7gyjwS4xGTaW/mCnF8wnjtifKBEhxfZ7E/S8tQ0rssrwGNn6q8JH/ohItJfSQp9mBtQYuTlH5QnA==", + "license": "MIT", + "dependencies": { + "@jridgewell/sourcemap-codec": "^1.5.0" + } + }, + "node_modules/math-intrinsics": { + "version": "1.1.0", + "resolved": "https://registry.npmmirror.com/math-intrinsics/-/math-intrinsics-1.1.0.tgz", + "integrity": "sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g==", + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/memoize-one": { + "version": "6.0.0", + "resolved": "https://registry.npmmirror.com/memoize-one/-/memoize-one-6.0.0.tgz", + "integrity": "sha512-rkpe71W0N0c0Xz6QD0eJETuWAJGnJ9afsl1srmwPrI+yBCkge5EycXXbYRyvL29zZVUWQCY7InPRCv3GDXuZNw==", + "license": "MIT" + }, + "node_modules/mime-db": { + "version": "1.52.0", + "resolved": "https://registry.npmmirror.com/mime-db/-/mime-db-1.52.0.tgz", + "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime-types": { + "version": "2.1.35", + "resolved": "https://registry.npmmirror.com/mime-types/-/mime-types-2.1.35.tgz", + "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", + "license": "MIT", + "dependencies": { + "mime-db": "1.52.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mitt": { + "version": "3.0.1", + "resolved": "https://registry.npmmirror.com/mitt/-/mitt-3.0.1.tgz", + "integrity": "sha512-vKivATfr97l2/QBCYAkXYDbrIWPM2IIKEl7YPhjCvKlG3kE2gm+uBo6nEXK3M5/Ffh/FLpKExzOQ3JJoJGFKBw==", + "dev": true, + "license": "MIT" + }, + "node_modules/mrmime": { + "version": "2.0.1", + "resolved": "https://registry.npmmirror.com/mrmime/-/mrmime-2.0.1.tgz", + "integrity": "sha512-Y3wQdFg2Va6etvQ5I82yUhGdsKrcYox6p7FfL1LbK2J4V01F9TGlepTIhnK24t7koZibmg82KGglhA1XK5IsLQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + } + }, + "node_modules/ms": { + "version": "2.1.3", + "resolved": "https://registry.npmmirror.com/ms/-/ms-2.1.3.tgz", + "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==", + "dev": true, + "license": "MIT" + }, + "node_modules/nanoid": { + "version": "3.3.11", + "resolved": "https://registry.npmmirror.com/nanoid/-/nanoid-3.3.11.tgz", + "integrity": "sha512-N8SpfPUnUp1bK+PMYW8qSWdl9U+wwNWI4QKxOYDy9JAro3WMX7p2OeVRF9v+347pnakNevPmiHhNmZ2HbFA76w==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "bin": { + "nanoid": "bin/nanoid.cjs" + }, + "engines": { + "node": "^10 || ^12 || ^13.7 || ^14 || >=15.0.1" + } + }, + "node_modules/node-releases": { + "version": "2.0.19", + "resolved": "https://registry.npmmirror.com/node-releases/-/node-releases-2.0.19.tgz", + "integrity": "sha512-xxOWJsBKtzAq7DY0J+DTzuz58K8e7sJbdgwkbMWQe8UYB6ekmsQ45q0M/tJDsGaZmbC+l7n57UV8Hl5tHxO9uw==", + "dev": true, + "license": "MIT" + }, + "node_modules/normalize-wheel-es": { + "version": "1.2.0", + "resolved": "https://registry.npmmirror.com/normalize-wheel-es/-/normalize-wheel-es-1.2.0.tgz", + "integrity": "sha512-Wj7+EJQ8mSuXr2iWfnujrimU35R2W4FAErEyTmJoJ7ucwTn2hOUSsRehMb5RSYkxXGTM7Y9QpvPmp++w5ftoJw==", + "license": "BSD-3-Clause" + }, + "node_modules/npm-run-path": { + "version": "6.0.0", + "resolved": "https://registry.npmmirror.com/npm-run-path/-/npm-run-path-6.0.0.tgz", + "integrity": "sha512-9qny7Z9DsQU8Ou39ERsPU4OZQlSTP47ShQzuKZ6PRXpYLtIFgl/DEBYEXKlvcEa+9tHVcK8CF81Y2V72qaZhWA==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-key": "^4.0.0", + "unicorn-magic": "^0.3.0" + }, + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/npm-run-path/node_modules/path-key": { + "version": "4.0.0", + "resolved": "https://registry.npmmirror.com/path-key/-/path-key-4.0.0.tgz", + "integrity": "sha512-haREypq7xkM7ErfgIyA0z+Bj4AGKlMSdlQE2jvJo6huWD1EdkKYV+G/T4nq0YEF2vgTT8kqMFKo1uHn950r4SQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/open": { + "version": "10.1.2", + "resolved": "https://registry.npmmirror.com/open/-/open-10.1.2.tgz", + "integrity": "sha512-cxN6aIDPz6rm8hbebcP7vrQNhvRcveZoJU72Y7vskh4oIm+BZwBECnx5nTmrlres1Qapvx27Qo1Auukpf8PKXw==", + "dev": true, + "license": "MIT", + "dependencies": { + "default-browser": "^5.2.1", + "define-lazy-prop": "^3.0.0", + "is-inside-container": "^1.0.0", + "is-wsl": "^3.1.0" + }, + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-limit": { + "version": "2.3.0", + "resolved": "https://registry.npmmirror.com/p-limit/-/p-limit-2.3.0.tgz", + "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", + "license": "MIT", + "dependencies": { + "p-try": "^2.0.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-locate": { + "version": "4.1.0", + "resolved": "https://registry.npmmirror.com/p-locate/-/p-locate-4.1.0.tgz", + "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", + "license": "MIT", + "dependencies": { + "p-limit": "^2.2.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/p-try": { + "version": "2.2.0", + "resolved": "https://registry.npmmirror.com/p-try/-/p-try-2.2.0.tgz", + "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/parse-ms": { + "version": "4.0.0", + "resolved": "https://registry.npmmirror.com/parse-ms/-/parse-ms-4.0.0.tgz", + "integrity": "sha512-TXfryirbmq34y8QBwgqCVLi+8oA3oWx2eAnSn62ITyEhEYaWRlVZ2DvMM9eZbMs/RfxPu/PK/aBLyGj4IrqMHw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/path-exists": { + "version": "4.0.0", + "resolved": "https://registry.npmmirror.com/path-exists/-/path-exists-4.0.0.tgz", + "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/path-key": { + "version": "3.1.1", + "resolved": "https://registry.npmmirror.com/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/pathe": { + "version": "2.0.3", + "resolved": "https://registry.npmmirror.com/pathe/-/pathe-2.0.3.tgz", + "integrity": "sha512-WUjGcAqP1gQacoQe+OBJsFA7Ld4DyXuUIjZ5cc75cLHvJ7dtNsTugphxIADwspS+AraAUePCKrSVtPLFj/F88w==", + "dev": true, + "license": "MIT" + }, + "node_modules/perfect-debounce": { + "version": "1.0.0", + "resolved": "https://registry.npmmirror.com/perfect-debounce/-/perfect-debounce-1.0.0.tgz", + "integrity": "sha512-xCy9V055GLEqoFaHoC1SoLIaLmWctgCUaBaWxDZ7/Zx4CTyX7cJQLJOok/orfjZAh9kEYpjJa4d0KcJmCbctZA==", + "dev": true, + "license": "MIT" + }, + "node_modules/picocolors": { + "version": "1.1.1", + "resolved": "https://registry.npmmirror.com/picocolors/-/picocolors-1.1.1.tgz", + "integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==", + "license": "ISC" + }, + "node_modules/picomatch": { + "version": "4.0.2", + "resolved": "https://registry.npmmirror.com/picomatch/-/picomatch-4.0.2.tgz", + "integrity": "sha512-M7BAV6Rlcy5u+m6oPhAPFgJTzAioX/6B0DxyvDlo9l8+T3nLKbrczg2WLUyzd45L8RqfUMyGPzekbMvX2Ldkwg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/jonschlinkert" + } + }, + "node_modules/pngjs": { + "version": "5.0.0", + "resolved": "https://registry.npmmirror.com/pngjs/-/pngjs-5.0.0.tgz", + "integrity": "sha512-40QW5YalBNfQo5yRYmiw7Yz6TKKVr3h6970B2YE+3fQpsWcrbj1PzJgxeJ19DRQjhMbKPIuMY8rFaXc8moolVw==", + "license": "MIT", + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/postcss": { + "version": "8.5.5", + "resolved": "https://registry.npmmirror.com/postcss/-/postcss-8.5.5.tgz", + "integrity": "sha512-d/jtm+rdNT8tpXuHY5MMtcbJFBkhXE6593XVR9UoGCH8jSFGci7jGvMGH5RYd5PBJW+00NZQt6gf7CbagJCrhg==", + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/postcss/" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/postcss" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "nanoid": "^3.3.11", + "picocolors": "^1.1.1", + "source-map-js": "^1.2.1" + }, + "engines": { + "node": "^10 || ^12 || >=14" + } + }, + "node_modules/pretty-ms": { + "version": "9.2.0", + "resolved": "https://registry.npmmirror.com/pretty-ms/-/pretty-ms-9.2.0.tgz", + "integrity": "sha512-4yf0QO/sllf/1zbZWYnvWw3NxCQwLXKzIj0G849LSufP15BXKM0rbD2Z3wVnkMfjdn/CB0Dpp444gYAACdsplg==", + "dev": true, + "license": "MIT", + "dependencies": { + "parse-ms": "^4.0.0" + }, + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/proxy-from-env": { + "version": "1.1.0", + "resolved": "https://registry.npmmirror.com/proxy-from-env/-/proxy-from-env-1.1.0.tgz", + "integrity": "sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==", + "license": "MIT" + }, + "node_modules/qrcode": { + "version": "1.5.4", + "resolved": "https://registry.npmmirror.com/qrcode/-/qrcode-1.5.4.tgz", + "integrity": "sha512-1ca71Zgiu6ORjHqFBDpnSMTR2ReToX4l1Au1VFLyVeBTFavzQnv5JxMFr3ukHVKpSrSA2MCk0lNJSykjUfz7Zg==", + "license": "MIT", + "dependencies": { + "dijkstrajs": "^1.0.1", + "pngjs": "^5.0.0", + "yargs": "^15.3.1" + }, + "bin": { + "qrcode": "bin/qrcode" + }, + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/require-directory": { + "version": "2.1.1", + "resolved": "https://registry.npmmirror.com/require-directory/-/require-directory-2.1.1.tgz", + "integrity": "sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==", + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/require-main-filename": { + "version": "2.0.0", + "resolved": "https://registry.npmmirror.com/require-main-filename/-/require-main-filename-2.0.0.tgz", + "integrity": "sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==", + "license": "ISC" + }, + "node_modules/rfdc": { + "version": "1.4.1", + "resolved": "https://registry.npmmirror.com/rfdc/-/rfdc-1.4.1.tgz", + "integrity": "sha512-q1b3N5QkRUWUl7iyylaaj3kOpIT0N2i9MqIEQXP73GVsN9cw3fdx8X63cEmWhJGi2PPCF23Ijp7ktmd39rawIA==", + "dev": true, + "license": "MIT" + }, + "node_modules/rollup": { + "version": "4.43.0", + "resolved": "https://registry.npmmirror.com/rollup/-/rollup-4.43.0.tgz", + "integrity": "sha512-wdN2Kd3Twh8MAEOEJZsuxuLKCsBEo4PVNLK6tQWAn10VhsVewQLzcucMgLolRlhFybGxfclbPeEYBaP6RvUFGg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/estree": "1.0.7" + }, + "bin": { + "rollup": "dist/bin/rollup" + }, + "engines": { + "node": ">=18.0.0", + "npm": ">=8.0.0" + }, + "optionalDependencies": { + "@rollup/rollup-android-arm-eabi": "4.43.0", + "@rollup/rollup-android-arm64": "4.43.0", + "@rollup/rollup-darwin-arm64": "4.43.0", + "@rollup/rollup-darwin-x64": "4.43.0", + "@rollup/rollup-freebsd-arm64": "4.43.0", + "@rollup/rollup-freebsd-x64": "4.43.0", + "@rollup/rollup-linux-arm-gnueabihf": "4.43.0", + "@rollup/rollup-linux-arm-musleabihf": "4.43.0", + "@rollup/rollup-linux-arm64-gnu": "4.43.0", + "@rollup/rollup-linux-arm64-musl": "4.43.0", + "@rollup/rollup-linux-loongarch64-gnu": "4.43.0", + "@rollup/rollup-linux-powerpc64le-gnu": "4.43.0", + "@rollup/rollup-linux-riscv64-gnu": "4.43.0", + "@rollup/rollup-linux-riscv64-musl": "4.43.0", + "@rollup/rollup-linux-s390x-gnu": "4.43.0", + "@rollup/rollup-linux-x64-gnu": "4.43.0", + "@rollup/rollup-linux-x64-musl": "4.43.0", + "@rollup/rollup-win32-arm64-msvc": "4.43.0", + "@rollup/rollup-win32-ia32-msvc": "4.43.0", + "@rollup/rollup-win32-x64-msvc": "4.43.0", + "fsevents": "~2.3.2" + } + }, + "node_modules/run-applescript": { + "version": "7.0.0", + "resolved": "https://registry.npmmirror.com/run-applescript/-/run-applescript-7.0.0.tgz", + "integrity": "sha512-9by4Ij99JUr/MCFBUkDKLWK3G9HVXmabKz9U5MlIAIuvuzkiOicRYs8XJLxX+xahD+mLiiCYDqF9dKAgtzKP1A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/semver": { + "version": "6.3.1", + "resolved": "https://registry.npmmirror.com/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/set-blocking": { + "version": "2.0.0", + "resolved": "https://registry.npmmirror.com/set-blocking/-/set-blocking-2.0.0.tgz", + "integrity": "sha512-KiKBS8AnWGEyLzofFfmvKwpdPzqiy16LvQfK3yv/fVH7Bj13/wl3JSR1J+rfgRE9q7xUJK4qvgS8raSOeLUehw==", + "license": "ISC" + }, + "node_modules/shebang-command": { + "version": "2.0.0", + "resolved": "https://registry.npmmirror.com/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "shebang-regex": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/shebang-regex": { + "version": "3.0.0", + "resolved": "https://registry.npmmirror.com/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/signal-exit": { + "version": "4.1.0", + "resolved": "https://registry.npmmirror.com/signal-exit/-/signal-exit-4.1.0.tgz", + "integrity": "sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/sirv": { + "version": "3.0.1", + "resolved": "https://registry.npmmirror.com/sirv/-/sirv-3.0.1.tgz", + "integrity": "sha512-FoqMu0NCGBLCcAkS1qA+XJIQTR6/JHfQXl+uGteNCQ76T91DMUjPa9xfmeqMY3z80nLSg9yQmNjK0Px6RWsH/A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@polka/url": "^1.0.0-next.24", + "mrmime": "^2.0.0", + "totalist": "^3.0.0" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/source-map-js": { + "version": "1.2.1", + "resolved": "https://registry.npmmirror.com/source-map-js/-/source-map-js-1.2.1.tgz", + "integrity": "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==", + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/speakingurl": { + "version": "14.0.1", + "resolved": "https://registry.npmmirror.com/speakingurl/-/speakingurl-14.0.1.tgz", + "integrity": "sha512-1POYv7uv2gXoyGFpBCmpDVSNV74IfsWlDW216UPjbWufNf+bSU6GdbDsxdcxtfwb4xlI3yxzOTKClUosxARYrQ==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/string-width": { + "version": "4.2.3", + "resolved": "https://registry.npmmirror.com/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmmirror.com/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-final-newline": { + "version": "4.0.0", + "resolved": "https://registry.npmmirror.com/strip-final-newline/-/strip-final-newline-4.0.0.tgz", + "integrity": "sha512-aulFJcD6YK8V1G7iRB5tigAP4TsHBZZrOV8pjV++zdUwmeV8uzbY7yn6h9MswN62adStNZFuCIx4haBnRuMDaw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/superjson": { + "version": "2.2.2", + "resolved": "https://registry.npmmirror.com/superjson/-/superjson-2.2.2.tgz", + "integrity": "sha512-5JRxVqC8I8NuOUjzBbvVJAKNM8qoVuH0O77h4WInc/qC2q5IreqKxYwgkga3PfA22OayK2ikceb/B26dztPl+Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "copy-anything": "^3.0.2" + }, + "engines": { + "node": ">=16" + } + }, + "node_modules/tinyglobby": { + "version": "0.2.14", + "resolved": "https://registry.npmmirror.com/tinyglobby/-/tinyglobby-0.2.14.tgz", + "integrity": "sha512-tX5e7OM1HnYr2+a2C/4V0htOcSQcoSTH9KgJnVvNm5zm/cyEWKJ7j7YutsH9CxMdtOkkLFy2AHrMci9IM8IPZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "fdir": "^6.4.4", + "picomatch": "^4.0.2" + }, + "engines": { + "node": ">=12.0.0" + }, + "funding": { + "url": "https://github.com/sponsors/SuperchupuDev" + } + }, + "node_modules/totalist": { + "version": "3.0.1", + "resolved": "https://registry.npmmirror.com/totalist/-/totalist-3.0.1.tgz", + "integrity": "sha512-sf4i37nQ2LBx4m3wB74y+ubopq6W/dIzXg0FDGjsYnZHVa1Da8FH853wlL2gtUhg+xJXjfk3kUZS3BRoQeoQBQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/unicorn-magic": { + "version": "0.3.0", + "resolved": "https://registry.npmmirror.com/unicorn-magic/-/unicorn-magic-0.3.0.tgz", + "integrity": "sha512-+QBBXBCvifc56fsbuxZQ6Sic3wqqc3WWaqxs58gvJrcOuN83HGTCwz3oS5phzU9LthRNE9VrJCFCLUgHeeFnfA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/universalify": { + "version": "2.0.1", + "resolved": "https://registry.npmmirror.com/universalify/-/universalify-2.0.1.tgz", + "integrity": "sha512-gptHNQghINnc/vTGIk0SOFGFNXw7JVrlRUtConJRlvaw6DuX0wO5Jeko9sWrMBhh+PsYAZ7oXAiOnf/UKogyiw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.0.0" + } + }, + "node_modules/update-browserslist-db": { + "version": "1.1.3", + "resolved": "https://registry.npmmirror.com/update-browserslist-db/-/update-browserslist-db-1.1.3.tgz", + "integrity": "sha512-UxhIZQ+QInVdunkDAaiazvvT/+fXL5Osr0JZlJulepYu6Jd7qJtDZjlur0emRlT71EN3ScPoE7gvsuIKKNavKw==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "escalade": "^3.2.0", + "picocolors": "^1.1.1" + }, + "bin": { + "update-browserslist-db": "cli.js" + }, + "peerDependencies": { + "browserslist": ">= 4.21.0" + } + }, + "node_modules/vite": { + "version": "6.3.5", + "resolved": "https://registry.npmmirror.com/vite/-/vite-6.3.5.tgz", + "integrity": "sha512-cZn6NDFE7wdTpINgs++ZJ4N49W2vRp8LCKrn3Ob1kYNtOo21vfDoaV5GzBfLU4MovSAB8uNRm4jgzVQZ+mBzPQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "esbuild": "^0.25.0", + "fdir": "^6.4.4", + "picomatch": "^4.0.2", + "postcss": "^8.5.3", + "rollup": "^4.34.9", + "tinyglobby": "^0.2.13" + }, + "bin": { + "vite": "bin/vite.js" + }, + "engines": { + "node": "^18.0.0 || ^20.0.0 || >=22.0.0" + }, + "funding": { + "url": "https://github.com/vitejs/vite?sponsor=1" + }, + "optionalDependencies": { + "fsevents": "~2.3.3" + }, + "peerDependencies": { + "@types/node": "^18.0.0 || ^20.0.0 || >=22.0.0", + "jiti": ">=1.21.0", + "less": "*", + "lightningcss": "^1.21.0", + "sass": "*", + "sass-embedded": "*", + "stylus": "*", + "sugarss": "*", + "terser": "^5.16.0", + "tsx": "^4.8.1", + "yaml": "^2.4.2" + }, + "peerDependenciesMeta": { + "@types/node": { + "optional": true + }, + "jiti": { + "optional": true + }, + "less": { + "optional": true + }, + "lightningcss": { + "optional": true + }, + "sass": { + "optional": true + }, + "sass-embedded": { + "optional": true + }, + "stylus": { + "optional": true + }, + "sugarss": { + "optional": true + }, + "terser": { + "optional": true + }, + "tsx": { + "optional": true + }, + "yaml": { + "optional": true + } + } + }, + "node_modules/vite-hot-client": { + "version": "2.0.4", + "resolved": "https://registry.npmmirror.com/vite-hot-client/-/vite-hot-client-2.0.4.tgz", + "integrity": "sha512-W9LOGAyGMrbGArYJN4LBCdOC5+Zwh7dHvOHC0KmGKkJhsOzaKbpo/jEjpPKVHIW0/jBWj8RZG0NUxfgA8BxgAg==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/antfu" + }, + "peerDependencies": { + "vite": "^2.6.0 || ^3.0.0 || ^4.0.0 || ^5.0.0-0 || ^6.0.0-0" + } + }, + "node_modules/vite-plugin-inspect": { + "version": "0.8.9", + "resolved": "https://registry.npmmirror.com/vite-plugin-inspect/-/vite-plugin-inspect-0.8.9.tgz", + "integrity": "sha512-22/8qn+LYonzibb1VeFZmISdVao5kC22jmEKm24vfFE8siEn47EpVcCLYMv6iKOYMJfjSvSJfueOwcFCkUnV3A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@antfu/utils": "^0.7.10", + "@rollup/pluginutils": "^5.1.3", + "debug": "^4.3.7", + "error-stack-parser-es": "^0.1.5", + "fs-extra": "^11.2.0", + "open": "^10.1.0", + "perfect-debounce": "^1.0.0", + "picocolors": "^1.1.1", + "sirv": "^3.0.0" + }, + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/sponsors/antfu" + }, + "peerDependencies": { + "vite": "^3.1.0 || ^4.0.0 || ^5.0.0-0 || ^6.0.1" + }, + "peerDependenciesMeta": { + "@nuxt/kit": { + "optional": true + } + } + }, + "node_modules/vite-plugin-vue-devtools": { + "version": "7.7.6", + "resolved": "https://registry.npmmirror.com/vite-plugin-vue-devtools/-/vite-plugin-vue-devtools-7.7.6.tgz", + "integrity": "sha512-L7nPVM5a7lgit/Z+36iwoqHOaP3wxqVi1UvaDJwGCfblS9Y6vNqf32ILlzJVH9c47aHu90BhDXeZc+rgzHRHcw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@vue/devtools-core": "^7.7.6", + "@vue/devtools-kit": "^7.7.6", + "@vue/devtools-shared": "^7.7.6", + "execa": "^9.5.2", + "sirv": "^3.0.1", + "vite-plugin-inspect": "0.8.9", + "vite-plugin-vue-inspector": "^5.3.1" + }, + "engines": { + "node": ">=v14.21.3" + }, + "peerDependencies": { + "vite": "^3.1.0 || ^4.0.0-0 || ^5.0.0-0 || ^6.0.0-0" + } + }, + "node_modules/vite-plugin-vue-inspector": { + "version": "5.3.1", + "resolved": "https://registry.npmmirror.com/vite-plugin-vue-inspector/-/vite-plugin-vue-inspector-5.3.1.tgz", + "integrity": "sha512-cBk172kZKTdvGpJuzCCLg8lJ909wopwsu3Ve9FsL1XsnLBiRT9U3MePcqrgGHgCX2ZgkqZmAGR8taxw+TV6s7A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/core": "^7.23.0", + "@babel/plugin-proposal-decorators": "^7.23.0", + "@babel/plugin-syntax-import-attributes": "^7.22.5", + "@babel/plugin-syntax-import-meta": "^7.10.4", + "@babel/plugin-transform-typescript": "^7.22.15", + "@vue/babel-plugin-jsx": "^1.1.5", + "@vue/compiler-dom": "^3.3.4", + "kolorist": "^1.8.0", + "magic-string": "^0.30.4" + }, + "peerDependencies": { + "vite": "^3.0.0-0 || ^4.0.0-0 || ^5.0.0-0 || ^6.0.0-0" + } + }, + "node_modules/vue": { + "version": "3.5.16", + "resolved": "https://registry.npmmirror.com/vue/-/vue-3.5.16.tgz", + "integrity": "sha512-rjOV2ecxMd5SiAmof2xzh2WxntRcigkX/He4YFJ6WdRvVUrbt6DxC1Iujh10XLl8xCDRDtGKMeO3D+pRQ1PP9w==", + "license": "MIT", + "dependencies": { + "@vue/compiler-dom": "3.5.16", + "@vue/compiler-sfc": "3.5.16", + "@vue/runtime-dom": "3.5.16", + "@vue/server-renderer": "3.5.16", + "@vue/shared": "3.5.16" + }, + "peerDependencies": { + "typescript": "*" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/vue-router": { + "version": "4.5.1", + "resolved": "https://registry.npmmirror.com/vue-router/-/vue-router-4.5.1.tgz", + "integrity": "sha512-ogAF3P97NPm8fJsE4by9dwSYtDwXIY1nFY9T6DyQnGHd1E2Da94w9JIolpe42LJGIl0DwOHBi8TcRPlPGwbTtw==", + "license": "MIT", + "dependencies": { + "@vue/devtools-api": "^6.6.4" + }, + "funding": { + "url": "https://github.com/sponsors/posva" + }, + "peerDependencies": { + "vue": "^3.2.0" + } + }, + "node_modules/vue-toastification": { + "version": "2.0.0-rc.5", + "resolved": "https://registry.npmmirror.com/vue-toastification/-/vue-toastification-2.0.0-rc.5.tgz", + "integrity": "sha512-q73e5jy6gucEO/U+P48hqX+/qyXDozAGmaGgLFm5tXX4wJBcVsnGp4e/iJqlm9xzHETYOilUuwOUje2Qg1JdwA==", + "license": "MIT", + "peerDependencies": { + "vue": "^3.0.2" + } + }, + "node_modules/which": { + "version": "2.0.2", + "resolved": "https://registry.npmmirror.com/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dev": true, + "license": "ISC", + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/which-module": { + "version": "2.0.1", + "resolved": "https://registry.npmmirror.com/which-module/-/which-module-2.0.1.tgz", + "integrity": "sha512-iBdZ57RDvnOR9AGBhML2vFZf7h8vmBjhoaZqODJBFWHVtKkDmKuHai3cx5PgVMrX5YDNp27AofYbAwctSS+vhQ==", + "license": "ISC" + }, + "node_modules/wrap-ansi": { + "version": "6.2.0", + "resolved": "https://registry.npmmirror.com/wrap-ansi/-/wrap-ansi-6.2.0.tgz", + "integrity": "sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==", + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/y18n": { + "version": "4.0.3", + "resolved": "https://registry.npmmirror.com/y18n/-/y18n-4.0.3.tgz", + "integrity": "sha512-JKhqTOwSrqNA1NY5lSztJ1GrBiUodLMmIZuLiDaMRJ+itFd+ABVE8XBjOvIWL+rSqNDC74LCSFmlb/U4UZ4hJQ==", + "license": "ISC" + }, + "node_modules/yallist": { + "version": "3.1.1", + "resolved": "https://registry.npmmirror.com/yallist/-/yallist-3.1.1.tgz", + "integrity": "sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==", + "dev": true, + "license": "ISC" + }, + "node_modules/yargs": { + "version": "15.4.1", + "resolved": "https://registry.npmmirror.com/yargs/-/yargs-15.4.1.tgz", + "integrity": "sha512-aePbxDmcYW++PaqBsJ+HYUFwCdv4LVvdnhBy78E57PIor8/OVvhMrADFFEDh8DHDFRv/O9i3lPhsENjO7QX0+A==", + "license": "MIT", + "dependencies": { + "cliui": "^6.0.0", + "decamelize": "^1.2.0", + "find-up": "^4.1.0", + "get-caller-file": "^2.0.1", + "require-directory": "^2.1.1", + "require-main-filename": "^2.0.0", + "set-blocking": "^2.0.0", + "string-width": "^4.2.0", + "which-module": "^2.0.0", + "y18n": "^4.0.0", + "yargs-parser": "^18.1.2" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/yargs-parser": { + "version": "18.1.3", + "resolved": "https://registry.npmmirror.com/yargs-parser/-/yargs-parser-18.1.3.tgz", + "integrity": "sha512-o50j0JeToy/4K6OZcaQmW6lyXXKhq7csREXcDwk2omFPJEwUNOVtJKvmDr9EI1fAJZUyZcRF7kxGBWmRXudrCQ==", + "license": "ISC", + "dependencies": { + "camelcase": "^5.0.0", + "decamelize": "^1.2.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/yoctocolors": { + "version": "2.1.1", + "resolved": "https://registry.npmmirror.com/yoctocolors/-/yoctocolors-2.1.1.tgz", + "integrity": "sha512-GQHQqAopRhwU8Kt1DDM8NjibDXHC8eoh1erhGAJPEyveY9qqVeXvVikNKrDz69sHowPMorbPUrH/mx8c50eiBQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + } + } +} diff --git a/lottery-app/package.json b/lottery-app/package.json new file mode 100644 index 0000000..5e15064 --- /dev/null +++ b/lottery-app/package.json @@ -0,0 +1,25 @@ +{ + "name": "lottery-app", + "version": "0.0.0", + "private": true, + "type": "module", + "scripts": { + "dev": "vite", + "build": "vite build", + "preview": "vite preview" + }, + "dependencies": { + "@element-plus/icons-vue": "^2.3.1", + "axios": "^1.10.0", + "element-plus": "^2.10.4", + "qrcode": "^1.5.4", + "vue": "^3.5.13", + "vue-router": "^4.5.1", + "vue-toastification": "^2.0.0-rc.5" + }, + "devDependencies": { + "@vitejs/plugin-vue": "^5.2.3", + "vite": "^6.2.4", + "vite-plugin-vue-devtools": "^7.7.2" + } +} diff --git a/lottery-app/public/favicon.ico b/lottery-app/public/favicon.ico new file mode 100644 index 0000000..df36fcf Binary files /dev/null and b/lottery-app/public/favicon.ico differ diff --git a/lottery-app/src/App.vue b/lottery-app/src/App.vue new file mode 100644 index 0000000..b06620b --- /dev/null +++ b/lottery-app/src/App.vue @@ -0,0 +1,500 @@ + + + + + diff --git a/lottery-app/src/api/index.js b/lottery-app/src/api/index.js new file mode 100644 index 0000000..7f71745 --- /dev/null +++ b/lottery-app/src/api/index.js @@ -0,0 +1,663 @@ +import axios from 'axios' + +// 创建axios实例 +const api = axios.create({ + baseURL: 'http://localhost:8123/api', + // baseURL: 'https://www.jingcaishuju.com/api', + timeout: 300000, // 5分钟超时时间(300秒) + withCredentials: true, // 关键:支持跨域携带cookie和session + headers: { + 'Content-Type': 'application/json' + } +}) + +// 响应拦截器 +api.interceptors.response.use( + response => { + const data = response.data + + // 检查是否是session过期的响应 + if (data && data.success === false) { + // 可以根据后端返回的错误码或消息判断是否是session过期 + const message = data.message || '' + if (message.includes('未登录') || message.includes('登录过期') || message.includes('无权限') || message.includes('Invalid session')) { + console.log('检测到session过期,清除本地登录状态') + + // 检查当前路径是否为后台管理路径 + if (window.location.pathname.startsWith('/admin') && window.location.pathname !== '/admin/login') { + console.log('后台管理会话过期,正在注销...') + // 动态导入userStore避免循环依赖 + import('../store/user.js').then(({ userStore }) => { + userStore.adminLogout() + window.location.href = '/admin/login' + }) + } else { + // 前台用户会话过期处理 + import('../store/user.js').then(({ userStore }) => { + userStore.logout() + }) + } + } + } + + return data + }, + error => { + console.error('API请求错误:', error) + + // 检查HTTP状态码,401/403通常表示未授权/session过期 + if (error.response && (error.response.status === 401 || error.response.status === 403)) { + console.log('检测到401/403错误,可能是session过期或无权限') + + // 检查当前路径是否为后台管理路径 + if (window.location.pathname.startsWith('/admin') && window.location.pathname !== '/admin/login') { + console.log('后台管理会话过期,正在注销...') + // 动态导入userStore避免循环依赖 + import('../store/user.js').then(({ userStore }) => { + userStore.adminLogout() + window.location.href = '/admin/login' + }) + } else { + // 前台用户会话过期处理 + import('../store/user.js').then(({ userStore }) => { + userStore.logout() + }) + } + } + + return Promise.reject(error) + } +) + +// API接口方法 +export const lotteryApi = { + // 用户登录 + userLogin(userAccount, userPassword) { + return api.post('/user/login', { + userAccount, + userPassword + }) + }, + + // 用户注册 + userRegister(userAccount, userPassword, checkPassword, userName) { + return api.post('/user/register', { + userAccount, + userPassword, + checkPassword, + userName + }) + }, + + // 用户注销 + userLogout() { + return api.post('/user/logout') + }, + + // 获取当前登录用户信息 + getLoginUser() { + return api.get('/user/get/login') + }, + + // 获取用户统计信息(总用户数和VIP用户数) + getUserCount() { + return api.get('/user/count') + }, + + // 获取用户推测记录(支持分页) + getPredictRecordsByUserId(userId, page = 1) { + return api.get(`/ball-analysis/predict-records/${userId}?page=${page}`) + }, + + // 按条件查询推测记录(支持分页和状态筛选) + queryPredictRecords(userId, predictStatus, page = 1, pageSize = 10) { + return api.post('/data-analysis/query-predict-records', { + userId: Number(userId), + predictStatus, + current: page, + pageSize + }) + }, + + // 获取近期开奖信息 + getRecentDraws(limit = 6) { + return api.get(`/ball-analysis/recent-draws?limit=${limit}`) + }, + + // 获取最新100条开奖信息(表相性分析) + getRecent100Draws() { + return api.get('/ball-analysis/recent-100-draws') + }, + + // 按日期范围查询开奖信息 + queryDraws(startDate, endDate) { + const params = new URLSearchParams() + if (startDate) params.append('startDate', startDate) + if (endDate) params.append('endDate', endDate) + return api.get(`/ball-analysis/query-draws?${params.toString()}`) + }, + + // 根据期号查询开奖信息 + getDrawById(drawId) { + return api.get(`/ball-analysis/draw/${drawId}`) + }, + + // 创建推测记录 + createPredictRecord(userId, drawId, drawDate, redBalls, blueBall) { + const params = new URLSearchParams() + params.append('userId', userId) + params.append('drawId', drawId) + params.append('drawDate', drawDate) + params.append('redBalls', redBalls) + params.append('blueBall', blueBall) + + return api.post('/ball-analysis/create-predict', params, { + headers: { + 'Content-Type': 'application/x-www-form-urlencoded' + } + }) + }, + + // 首球算法 + analyzeBalls(userId, level, redBalls, blueBall) { + const params = new URLSearchParams() + params.append('userId', userId) + params.append('level', level) + params.append('redBalls', redBalls) + params.append('blueBall', blueBall) + + return api.post('/ball-analysis/analyze', params, { + headers: { + 'Content-Type': 'application/x-www-form-urlencoded' + } + }) + }, + + // 跟随球号分析算法 + fallowBallAnalysis(userId, level, firstThreeRedBalls, lastSixRedBalls, blueBall) { + const params = new URLSearchParams() + params.append('userId', userId) + params.append('level', level) + params.append('firstThreeRedBalls', firstThreeRedBalls) + params.append('lastSixRedBalls', lastSixRedBalls) + params.append('blueBall', blueBall) + + return api.post('/ball-analysis/fallow', params, { + headers: { + 'Content-Type': 'application/x-www-form-urlencoded' + } + }) + }, + + // 蓝球分析算法 + blueBallAnalysis(userId, level, predictedRedBalls, predictedBlueBalls, lastRedBalls, lastBlueBall) { + const params = new URLSearchParams() + params.append('userId', userId) + params.append('level', level) + params.append('predictedRedBalls', predictedRedBalls) + params.append('predictedBlueBalls', predictedBlueBalls) + params.append('lastRedBalls', lastRedBalls) + params.append('lastBlueBall', lastBlueBall) + + return api.post('/ball-analysis/blue-ball', params, { + headers: { + 'Content-Type': 'application/x-www-form-urlencoded' + } + }) + }, + + // 获取用户推测统计数据 + getUserPredictStat(userId) { + return api.get(`/data-analysis/user-predict-stat/${userId}`) + }, + + // 获取首球命中率统计 + getFirstBallHitRate() { + return api.get('/ball-analysis/first-ball-hit-rate') + }, + + // 获取蓝球命中率统计 + getBlueBallHitRate() { + return api.get('/ball-analysis/blue-ball-hit-rate') + }, + + // 获取红球命中率统计 + getRedBallHitRate() { + return api.get('/ball-analysis/red-ball-hit-rate') + }, + + // 获取奖金统计 + getPrizeStatistics() { + return api.get('/ball-analysis/prize-statistics') + }, + + // 激活会员码 + activateVipCode(userId, code) { + return api.post('/user/activate-vip', { + userId, + code + }) + }, + + // 批量生成会员码 + generateVipCodes(numCodes, vipExpireTime) { + return api.post('/vip-code/generate', { + numCodes, + vipExpireTime + }) + }, + + // 获取可用会员码 + getAvailableVipCode(vipExpireTime) { + return api.get(`/vip-code/available?vipExpireTime=${vipExpireTime}`) + }, + + // 上传Excel文件导入数据(T1-T7 sheet) + uploadExcelFile(file) { + const formData = new FormData() + formData.append('file', file) + return api.post('/excel/upload', formData, { + headers: { + 'Content-Type': 'multipart/form-data' + } + }) + }, + + // 上传Excel文件导入开奖数据(T10工作表) + uploadLotteryDrawsFile(file) { + const formData = new FormData() + formData.append('file', file) + return api.post('/excel/upload-lottery-draws', formData, { + headers: { + 'Content-Type': 'multipart/form-data' + } + }) + }, + + // 上传Excel文件追加导入开奖数据(T10工作表) + appendLotteryDrawsFile(file) { + const formData = new FormData() + formData.append('file', file) + return api.post('/excel/append-lottery-draws', formData, { + headers: { + 'Content-Type': 'multipart/form-data' + } + }) + }, + + // 获取用户兑换记录 + getExchangeRecordsByUserId(userId) { + return api.get(`/vip-exchange-record/user/${userId}`) + }, + + // 获取用户列表 + getUserList(params) { + console.log('调用获取用户列表接口:', params) + const queryParams = new URLSearchParams() + + // 添加查询参数 + if (params?.userAccount) { + queryParams.append('userAccount', params.userAccount) + } + + if (params?.userName) { + queryParams.append('userName', params.userName) + } + + if (params?.phone) { + queryParams.append('phone', params.phone) + } + + if (params?.userRole) { + queryParams.append('userRole', params.userRole) + } + + if (params?.status !== undefined && params?.status !== '') { + queryParams.append('status', params.status) + } + + if (params?.isVip !== undefined && params?.isVip !== '') { + queryParams.append('isVip', params.isVip) + } + + // 分页参数 + if (params?.page) { + queryParams.append('page', params.page) + } + + if (params?.size) { + queryParams.append('size', params.size) + } + + return api.get(`/user/list${queryParams.toString() ? '?' + queryParams.toString() : ''}`) + }, + + // 更新用户状态 + updateUserStatus(params) { + console.log('调用更新用户状态接口:', params) + // 使用Content-Type: application/json 调用接口 + return api.post('/user/update-status', params, { + headers: { + 'Content-Type': 'application/json' + }, + timeout: 10000 // 设置10秒超时 + }).then(response => { + console.log('更新用户状态接口响应:', response) + return response + }).catch(error => { + console.error('更新用户状态接口错误:', error) + throw error + }) + }, + + // 添加用户 + addUser(userForm) { + console.log('调用添加用户接口:', userForm) + return api.post('/user/add', userForm) + }, + + // 更新用户 + updateUser(userForm) { + console.log('调用更新用户接口:', userForm) + return api.post('/user/update', userForm) + }, + + // 删除用户 + deleteUser(userId) { + console.log('调用删除用户接口:', userId) + return api.post('/user/delete', { id: userId }, { + headers: { + 'Content-Type': 'application/json' + } + }) + }, + + // 获取所有推测记录总数 + getTotalPredictCount() { + console.log('调用getTotalPredictCount接口...') + return api.get('/data-analysis/total-predict-count').then(response => { + console.log('getTotalPredictCount接口响应:', response) + return response + }).catch(error => { + console.error('getTotalPredictCount接口错误:', error) + throw error + }) + }, + + // 根据用户ID和操作模块获取操作历史 + getOperationHistoryByUserIdAndModule(userId, operationModule) { + return api.get(`/operation-history/user/${userId}/module/${operationModule}`) + }, + + // 管理员登录 + adminLogin(username, password) { + // 模拟API请求,实际项目中应该调用真实的后端API + return new Promise((resolve) => { + setTimeout(() => { + // 模拟验证管理员账号密码 + if (username === 'admin' && password === '123456') { + resolve({ + success: true, + data: { + id: 1, + userName: '系统管理员', + userAccount: 'admin', + userRole: 'admin', + avatar: null, + createTime: new Date().toISOString() + }, + message: '登录成功' + }) + } else { + resolve({ + success: false, + data: null, + message: '账号或密码错误' + }) + } + }, 1000) // 模拟网络延迟 + }) + }, + + // 获取会员码统计数据 + getVipCodeStats() { + return api.get('/vip-code/stats') + }, + + // 获取会员码统计数量 + getVipCodeCount() { + console.log('调用getVipCodeCount接口...') + return api.get('/vip-code/count').then(response => { + console.log('getVipCodeCount接口响应:', response) + return response + }).catch(error => { + console.error('getVipCodeCount接口错误:', error) + throw error + }) + }, + + // 获取会员码列表 + getVipCodeList(params) { + // 构建查询参数 + const queryParams = new URLSearchParams() + + // 分页参数 + if (params.page) queryParams.append('current', params.page) + if (params.size) queryParams.append('pageSize', params.size) + + // 搜索关键词(会员码) + if (params.keyword) queryParams.append('code', params.keyword) + + // 状态筛选 + if (params.status !== undefined && params.status !== '') { + // 直接使用status值作为isUse参数 + queryParams.append('isUse', params.status) + } + + // 有效期筛选 + if (params.expireTime) queryParams.append('vipExpireTime', params.expireTime) + + // 时间范围筛选 + if (params.startTime) queryParams.append('startTime', params.startTime) + if (params.endTime) queryParams.append('endTime', params.endTime) + + // 发起请求 + return api.get(`/vip-code/list/page?${queryParams.toString()}`) + }, + + // 删除会员码 + deleteVipCode(id) { + return api.post(`/vip-code/delete/${id}`) + }, + + // 获取红球历史数据全部记录 + getHistoryAll() { + return api.get('/ball-analysis/history-all') + }, + + // 获取红球最近100期数据记录 + getHistory100() { + return api.get('/ball-analysis/history-100') + }, + + // 获取红球历史数据排行记录 + getHistoryTop() { + return api.get('/ball-analysis/history-top') + }, + + // 获取红球100期数据排行记录 + getHistoryTop100() { + return api.get('/ball-analysis/history-top-100') + }, + + // 获取蓝球历史数据全部记录 + getBlueHistoryAll() { + return api.get('/ball-analysis/blue-history-all') + }, + + // 获取蓝球最近100期数据记录 + getBlueHistory100() { + return api.get('/ball-analysis/blue-history-100') + }, + + // 获取蓝球历史数据排行记录 + getBlueHistoryTop() { + return api.get('/ball-analysis/blue-history-top') + }, + + // 获取蓝球100期数据排行记录 + getBlueHistoryTop100() { + return api.get('/ball-analysis/blue-history-top-100') + }, + + // 发送短信验证码 + sendSmsCode(phoneNumber) { + return api.post('/sms/sendCode', null, { + params: { + phoneNumber + } + }) + }, + + // 手机号登录 + userPhoneLogin(phone, code) { + return api.post('/user/phone/login', { + phone, + code + }) + }, + + // 手机号注册 + userPhoneRegister(userAccount, userPassword, checkPassword, phone, code, userName) { + return api.post('/user/phone/register', { + userAccount, + userPassword, + checkPassword, + phone, + code, + userName + }) + }, + + // 重置密码 + resetPassword(phone, code, newPassword, confirmPassword) { + console.log('调用重置密码接口:', { phone, code, newPassword, confirmPassword }) + return api.post('/user/reset-password', { + phone, + code, + newPassword, + confirmPassword + }, { + headers: { + 'Content-Type': 'application/json' + } + }) + }, + + // 红球组合分析 + redBallCombinationAnalysis(masterBall, slaveBall) { + const params = new URLSearchParams() + params.append('masterBall', masterBall) + params.append('slaveBall', slaveBall) + + return api.get(`/ball-analysis/red-ball-combination-analysis?${params.toString()}`) + }, + + // 红球与蓝球的组合性分析 + redBlueCombinationAnalysis(masterBall, slaveBall) { + const params = new URLSearchParams() + params.append('masterBall', masterBall) + params.append('slaveBall', slaveBall) + + return api.get(`/ball-analysis/red-blue-combination-analysis?${params.toString()}`) + }, + + // 蓝球与红球的组合性分析 + blueRedCombinationAnalysis(masterBall, slaveBall) { + const params = new URLSearchParams() + params.append('masterBall', masterBall) + params.append('slaveBall', slaveBall) + + return api.get(`/ball-analysis/blue-red-combination-analysis?${params.toString()}`) + }, + + // 红球与红球的接续性分析 + redRedPersistenceAnalysis(masterBall, slaveBall) { + const params = new URLSearchParams() + params.append('masterBall', masterBall) + params.append('slaveBall', slaveBall) + + return api.get(`/ball-analysis/red-red-persistence-analysis?${params.toString()}`) + }, + + // 蓝球与蓝球的接续性分析 + blueBluePersistenceAnalysis(masterBall, slaveBall) { + const params = new URLSearchParams() + params.append('masterBall', masterBall) + params.append('slaveBall', slaveBall) + + return api.get(`/ball-analysis/blue-blue-persistence-analysis?${params.toString()}`) + }, + + // 红球与蓝球的接续性分析 + redBluePersistenceAnalysis(masterBall, slaveBall) { + const params = new URLSearchParams() + params.append('masterBall', masterBall) + params.append('slaveBall', slaveBall) + + return api.get(`/ball-analysis/red-blue-persistence-analysis?${params.toString()}`) + }, + + // 蓝球与红球的接续性分析 + blueRedPersistenceAnalysis(masterBall, slaveBall) { + const params = new URLSearchParams() + params.append('masterBall', masterBall) + params.append('slaveBall', slaveBall) + + return api.get(`/ball-analysis/blue-red-persistence-analysis?${params.toString()}`) + }, + + // 根据开奖期号查询开奖球号 + getDrawNumbersById(drawId) { + return api.get(`/ball-analysis/draw/${drawId}/numbers`) + }, + + // 获取近10期开奖期号 + getRecent10DrawIds() { + return api.get('/ball-analysis/recent-10-draw-ids') + }, + + // 根据操作模块获取操作历史(真实接口) + getOperationHistoryByModule(operationModule) { + console.log('调用根据操作模块获取操作历史接口:', operationModule) + return api.get(`/operation-history/module/${operationModule}`) + }, + + // 根据操作结果获取操作历史(真实接口) + getOperationHistoryByResult(operationResult) { + console.log('调用根据操作结果获取操作历史接口:', operationResult) + return api.get(`/operation-history/result/${operationResult}`) + }, + + // 获取操作历史列表(统一接口) + getOperationHistoryList(params) { + console.log('调用获取操作历史列表接口:', params) + const queryParams = new URLSearchParams() + + if (params?.operationModule !== undefined && params.operationModule !== '') { + queryParams.append('operationModule', params.operationModule) + } + + if (params?.operationResult !== undefined && params.operationResult !== '') { + queryParams.append('operationResult', params.operationResult) + } + + if (params?.keyword !== undefined && params.keyword !== '') { + queryParams.append('keyword', params.keyword) + } + + return api.get(`/operation-history/list${queryParams.toString() ? '?' + queryParams.toString() : ''}`) + } +} + +export default api \ No newline at end of file diff --git a/lottery-app/src/assets/3D.png b/lottery-app/src/assets/3D.png new file mode 100644 index 0000000..ee2a3b2 Binary files /dev/null and b/lottery-app/src/assets/3D.png differ diff --git a/lottery-app/src/assets/7lecai.png b/lottery-app/src/assets/7lecai.png new file mode 100644 index 0000000..a2dbf1d Binary files /dev/null and b/lottery-app/src/assets/7lecai.png differ diff --git a/lottery-app/src/assets/7星彩.png b/lottery-app/src/assets/7星彩.png new file mode 100644 index 0000000..80151f8 Binary files /dev/null and b/lottery-app/src/assets/7星彩.png differ diff --git a/lottery-app/src/assets/backend.png b/lottery-app/src/assets/backend.png new file mode 100644 index 0000000..06dc2c2 Binary files /dev/null and b/lottery-app/src/assets/backend.png differ diff --git a/lottery-app/src/assets/banner/backend1.png b/lottery-app/src/assets/banner/backend1.png new file mode 100644 index 0000000..d90dbfd Binary files /dev/null and b/lottery-app/src/assets/banner/backend1.png differ diff --git a/lottery-app/src/assets/banner/banner.png b/lottery-app/src/assets/banner/banner.png new file mode 100644 index 0000000..a8b8dbe Binary files /dev/null and b/lottery-app/src/assets/banner/banner.png differ diff --git a/lottery-app/src/assets/banner/home.png b/lottery-app/src/assets/banner/home.png new file mode 100644 index 0000000..420b055 Binary files /dev/null and b/lottery-app/src/assets/banner/home.png differ diff --git a/lottery-app/src/assets/banner/kaijiang.png b/lottery-app/src/assets/banner/kaijiang.png new file mode 100644 index 0000000..7a1ab98 Binary files /dev/null and b/lottery-app/src/assets/banner/kaijiang.png differ diff --git a/lottery-app/src/assets/banner/wode.png b/lottery-app/src/assets/banner/wode.png new file mode 100644 index 0000000..8c9c8d1 Binary files /dev/null and b/lottery-app/src/assets/banner/wode.png differ diff --git a/lottery-app/src/assets/base.css b/lottery-app/src/assets/base.css new file mode 100644 index 0000000..8816868 --- /dev/null +++ b/lottery-app/src/assets/base.css @@ -0,0 +1,86 @@ +/* color palette from */ +:root { + --vt-c-white: #ffffff; + --vt-c-white-soft: #f8f8f8; + --vt-c-white-mute: #f2f2f2; + + --vt-c-black: #181818; + --vt-c-black-soft: #222222; + --vt-c-black-mute: #282828; + + --vt-c-indigo: #2c3e50; + + --vt-c-divider-light-1: rgba(60, 60, 60, 0.29); + --vt-c-divider-light-2: rgba(60, 60, 60, 0.12); + --vt-c-divider-dark-1: rgba(84, 84, 84, 0.65); + --vt-c-divider-dark-2: rgba(84, 84, 84, 0.48); + + --vt-c-text-light-1: var(--vt-c-indigo); + --vt-c-text-light-2: rgba(60, 60, 60, 0.66); + --vt-c-text-dark-1: var(--vt-c-white); + --vt-c-text-dark-2: rgba(235, 235, 235, 0.64); +} + +/* semantic color variables for this project */ +:root { + --color-background: var(--vt-c-white); + --color-background-soft: var(--vt-c-white-soft); + --color-background-mute: var(--vt-c-white-mute); + + --color-border: var(--vt-c-divider-light-2); + --color-border-hover: var(--vt-c-divider-light-1); + + --color-heading: var(--vt-c-text-light-1); + --color-text: var(--vt-c-text-light-1); + + --section-gap: 160px; +} + +@media (prefers-color-scheme: dark) { + :root { + --color-background: var(--vt-c-black); + --color-background-soft: var(--vt-c-black-soft); + --color-background-mute: var(--vt-c-black-mute); + + --color-border: var(--vt-c-divider-dark-2); + --color-border-hover: var(--vt-c-divider-dark-1); + + --color-heading: var(--vt-c-text-dark-1); + --color-text: var(--vt-c-text-dark-2); + } +} + +*, +*::before, +*::after { + box-sizing: border-box; + margin: 0; + font-weight: normal; +} + +body { + min-height: 100vh; + color: var(--color-text); + background: var(--color-background); + transition: + color 0.5s, + background-color 0.5s; + line-height: 1.6; + font-family: + Inter, + -apple-system, + BlinkMacSystemFont, + 'Segoe UI', + Roboto, + Oxygen, + Ubuntu, + Cantarell, + 'Fira Sans', + 'Droid Sans', + 'Helvetica Neue', + sans-serif; + font-size: 15px; + text-rendering: optimizeLegibility; + -webkit-font-smoothing: antialiased; + -moz-osx-font-smoothing: grayscale; +} diff --git a/lottery-app/src/assets/daletou.png b/lottery-app/src/assets/daletou.png new file mode 100644 index 0000000..77b4e63 Binary files /dev/null and b/lottery-app/src/assets/daletou.png differ diff --git a/lottery-app/src/assets/font/font1.png b/lottery-app/src/assets/font/font1.png new file mode 100644 index 0000000..d6938fd Binary files /dev/null and b/lottery-app/src/assets/font/font1.png differ diff --git a/lottery-app/src/assets/font/font2.png b/lottery-app/src/assets/font/font2.png new file mode 100644 index 0000000..e48261f Binary files /dev/null and b/lottery-app/src/assets/font/font2.png differ diff --git a/lottery-app/src/assets/font/font3.png b/lottery-app/src/assets/font/font3.png new file mode 100644 index 0000000..75be0b3 Binary files /dev/null and b/lottery-app/src/assets/font/font3.png differ diff --git a/lottery-app/src/assets/font/font4.png b/lottery-app/src/assets/font/font4.png new file mode 100644 index 0000000..59202c5 Binary files /dev/null and b/lottery-app/src/assets/font/font4.png differ diff --git a/lottery-app/src/assets/font/font5.png b/lottery-app/src/assets/font/font5.png new file mode 100644 index 0000000..7e1d543 Binary files /dev/null and b/lottery-app/src/assets/font/font5.png differ diff --git a/lottery-app/src/assets/icon/ai.svg b/lottery-app/src/assets/icon/ai.svg new file mode 100644 index 0000000..46c12bf --- /dev/null +++ b/lottery-app/src/assets/icon/ai.svg @@ -0,0 +1,4 @@ + + + + \ No newline at end of file diff --git a/lottery-app/src/assets/icon/bzzx.svg b/lottery-app/src/assets/icon/bzzx.svg new file mode 100644 index 0000000..8aa6e9e --- /dev/null +++ b/lottery-app/src/assets/icon/bzzx.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/lottery-app/src/assets/icon/dhjl.svg b/lottery-app/src/assets/icon/dhjl.svg new file mode 100644 index 0000000..5ed88fc --- /dev/null +++ b/lottery-app/src/assets/icon/dhjl.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/lottery-app/src/assets/icon/gywm.svg b/lottery-app/src/assets/icon/gywm.svg new file mode 100644 index 0000000..42e037a --- /dev/null +++ b/lottery-app/src/assets/icon/gywm.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/lottery-app/src/assets/icon/login/mima.png b/lottery-app/src/assets/icon/login/mima.png new file mode 100644 index 0000000..8f55449 Binary files /dev/null and b/lottery-app/src/assets/icon/login/mima.png differ diff --git a/lottery-app/src/assets/icon/login/nicheng.png b/lottery-app/src/assets/icon/login/nicheng.png new file mode 100644 index 0000000..42894e9 Binary files /dev/null and b/lottery-app/src/assets/icon/login/nicheng.png differ diff --git a/lottery-app/src/assets/icon/login/shouji.png b/lottery-app/src/assets/icon/login/shouji.png new file mode 100644 index 0000000..ccc34df Binary files /dev/null and b/lottery-app/src/assets/icon/login/shouji.png differ diff --git a/lottery-app/src/assets/icon/login/yingcang.png b/lottery-app/src/assets/icon/login/yingcang.png new file mode 100644 index 0000000..f649469 Binary files /dev/null and b/lottery-app/src/assets/icon/login/yingcang.png differ diff --git a/lottery-app/src/assets/icon/login/zhanghao.png b/lottery-app/src/assets/icon/login/zhanghao.png new file mode 100644 index 0000000..19b9306 Binary files /dev/null and b/lottery-app/src/assets/icon/login/zhanghao.png differ diff --git a/lottery-app/src/assets/icon/login/zhanshi.png b/lottery-app/src/assets/icon/login/zhanshi.png new file mode 100644 index 0000000..d153dc3 Binary files /dev/null and b/lottery-app/src/assets/icon/login/zhanshi.png differ diff --git a/lottery-app/src/assets/icon/sjfx.svg b/lottery-app/src/assets/icon/sjfx.svg new file mode 100644 index 0000000..48f6e95 --- /dev/null +++ b/lottery-app/src/assets/icon/sjfx.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/lottery-app/src/assets/icon/tcjl.svg b/lottery-app/src/assets/icon/tcjl.svg new file mode 100644 index 0000000..38d8982 --- /dev/null +++ b/lottery-app/src/assets/icon/tcjl.svg @@ -0,0 +1 @@ + \ No newline at end of file diff --git a/lottery-app/src/assets/icon/tuichu.png b/lottery-app/src/assets/icon/tuichu.png new file mode 100644 index 0000000..77ef405 Binary files /dev/null and b/lottery-app/src/assets/icon/tuichu.png differ diff --git a/lottery-app/src/assets/icon/zuanshi.png b/lottery-app/src/assets/icon/zuanshi.png new file mode 100644 index 0000000..abb3a90 Binary files /dev/null and b/lottery-app/src/assets/icon/zuanshi.png differ diff --git a/lottery-app/src/assets/kuaile8.png b/lottery-app/src/assets/kuaile8.png new file mode 100644 index 0000000..ba7d646 Binary files /dev/null and b/lottery-app/src/assets/kuaile8.png differ diff --git a/lottery-app/src/assets/logo.svg b/lottery-app/src/assets/logo.svg new file mode 100644 index 0000000..7565660 --- /dev/null +++ b/lottery-app/src/assets/logo.svg @@ -0,0 +1 @@ + diff --git a/lottery-app/src/assets/main.css b/lottery-app/src/assets/main.css new file mode 100644 index 0000000..8a9fa52 --- /dev/null +++ b/lottery-app/src/assets/main.css @@ -0,0 +1,24 @@ +@import './base.css'; + +#app { + margin: 0 auto; + font-weight: normal; + width: 100%; + min-height: 100vh; +} + +a, +.green { + text-decoration: none; + color: hsla(160, 100%, 37%, 1); + transition: 0.4s; + padding: 3px; +} + +@media (hover: hover) { + a:hover { + background-color: hsla(160, 100%, 37%, 0.2); + } +} + +/* 移除可能影响布局的媒体查询 */ diff --git a/lottery-app/src/assets/pailie3.png b/lottery-app/src/assets/pailie3.png new file mode 100644 index 0000000..36fde62 Binary files /dev/null and b/lottery-app/src/assets/pailie3.png differ diff --git a/lottery-app/src/assets/pailie5.png b/lottery-app/src/assets/pailie5.png new file mode 100644 index 0000000..84ff5cc Binary files /dev/null and b/lottery-app/src/assets/pailie5.png differ diff --git a/lottery-app/src/assets/shuangseqiu.png b/lottery-app/src/assets/shuangseqiu.png new file mode 100644 index 0000000..804ff77 Binary files /dev/null and b/lottery-app/src/assets/shuangseqiu.png differ diff --git a/lottery-app/src/assets/weixin.png b/lottery-app/src/assets/weixin.png new file mode 100644 index 0000000..508e58f Binary files /dev/null and b/lottery-app/src/assets/weixin.png differ diff --git a/lottery-app/src/components/HelloWorld.vue b/lottery-app/src/components/HelloWorld.vue new file mode 100644 index 0000000..eff59f1 --- /dev/null +++ b/lottery-app/src/components/HelloWorld.vue @@ -0,0 +1,44 @@ + + + + + diff --git a/lottery-app/src/components/TheWelcome.vue b/lottery-app/src/components/TheWelcome.vue new file mode 100644 index 0000000..fe48afc --- /dev/null +++ b/lottery-app/src/components/TheWelcome.vue @@ -0,0 +1,94 @@ + + + diff --git a/lottery-app/src/components/WelcomeItem.vue b/lottery-app/src/components/WelcomeItem.vue new file mode 100644 index 0000000..6d7086a --- /dev/null +++ b/lottery-app/src/components/WelcomeItem.vue @@ -0,0 +1,87 @@ + + + diff --git a/lottery-app/src/components/icons/IconCommunity.vue b/lottery-app/src/components/icons/IconCommunity.vue new file mode 100644 index 0000000..2dc8b05 --- /dev/null +++ b/lottery-app/src/components/icons/IconCommunity.vue @@ -0,0 +1,7 @@ + diff --git a/lottery-app/src/components/icons/IconDocumentation.vue b/lottery-app/src/components/icons/IconDocumentation.vue new file mode 100644 index 0000000..6d4791c --- /dev/null +++ b/lottery-app/src/components/icons/IconDocumentation.vue @@ -0,0 +1,7 @@ + diff --git a/lottery-app/src/components/icons/IconEcosystem.vue b/lottery-app/src/components/icons/IconEcosystem.vue new file mode 100644 index 0000000..c3a4f07 --- /dev/null +++ b/lottery-app/src/components/icons/IconEcosystem.vue @@ -0,0 +1,7 @@ + diff --git a/lottery-app/src/components/icons/IconSupport.vue b/lottery-app/src/components/icons/IconSupport.vue new file mode 100644 index 0000000..7452834 --- /dev/null +++ b/lottery-app/src/components/icons/IconSupport.vue @@ -0,0 +1,7 @@ + diff --git a/lottery-app/src/components/icons/IconTooling.vue b/lottery-app/src/components/icons/IconTooling.vue new file mode 100644 index 0000000..660598d --- /dev/null +++ b/lottery-app/src/components/icons/IconTooling.vue @@ -0,0 +1,19 @@ + + diff --git a/lottery-app/src/main.js b/lottery-app/src/main.js new file mode 100644 index 0000000..5d41268 --- /dev/null +++ b/lottery-app/src/main.js @@ -0,0 +1,46 @@ +import './assets/main.css' +import './styles/global.css' + +import { createApp } from 'vue' +import App from './App.vue' +import router from './router' +// 引入用户状态管理,确保在应用启动时初始化 +import './store/user' + +// 导入 Element Plus +import ElementPlus from 'element-plus' +import 'element-plus/dist/index.css' +import * as ElementPlusIconsVue from '@element-plus/icons-vue' + +// 导入 Toast 通知组件 +import Toast from 'vue-toastification' +import 'vue-toastification/dist/index.css' + +// Toast 配置选项 +const toastOptions = { + position: "top-right", + timeout: 3000, + closeOnClick: true, + pauseOnFocusLoss: true, + pauseOnHover: true, + draggable: true, + draggablePercent: 0.6, + showCloseButtonOnHover: false, + hideProgressBar: false, + closeButton: "button", + icon: true, + rtl: false +} + +const app = createApp(App) + +// 注册所有 Element Plus 图标 +for (const [key, component] of Object.entries(ElementPlusIconsVue)) { + app.component(key, component) +} + +app.use(router) +app.use(Toast, toastOptions) +app.use(ElementPlus) + +app.mount('#app') diff --git a/lottery-app/src/router/index.js b/lottery-app/src/router/index.js new file mode 100644 index 0000000..94dc2e6 --- /dev/null +++ b/lottery-app/src/router/index.js @@ -0,0 +1,269 @@ +import { createRouter, createWebHistory } from 'vue-router' +import { ElMessage } from 'element-plus' +import LotterySelection from '../views/LotterySelection.vue' +import Home from '../views/Home.vue' +import LotteryInfo from '../views/LotteryInfo.vue' +import Profile from '../views/Profile.vue' +import Login from '../views/Login.vue' +import Register from '../views/Register.vue' +import ResetPassword from '../views/ResetPassword.vue' +import PredictRecords from '../views/PredictRecords.vue' +import VipCodeManagement from '../views/VipCodeManagement.vue' +import ExcelImportManagement from '../views/ExcelImportManagement.vue' +import ExchangeRecords from '../views/ExchangeRecords.vue' +import TrendAnalysis from '../views/TrendAnalysis.vue' +import SurfaceAnalysis from '../views/SurfaceAnalysis.vue' +import LineAnalysis from '../views/LineAnalysis.vue' +import TableAnalysis from '../views/TableAnalysis.vue' +import DataAnalysis from '../views/DataAnalysis.vue' +import HelpCenter from '../views/HelpCenter.vue' +import AboutUs from '../views/AboutUs.vue' +import UserAgreement from '../views/UserAgreement.vue' +import AIAssistant from '../views/AIAssistant.vue' + +// 后台管理相关组件 +import AdminLogin from '../views/admin/AdminLogin.vue' +import AdminLayout from '../views/admin/layout/AdminLayout.vue' +import AdminVipCodeManagement from '../views/admin/VipCodeManagement.vue' +import AdminExcelImportManagement from '../views/admin/ExcelImportManagement.vue' + +const routes = [ + // 前台用户路由 + { + path: '/', + name: 'LotterySelection', + component: LotterySelection + }, + { + path: '/shuangseqiu', + name: 'Shuangseqiu', + component: Home + }, + { + path: '/lottery-info', + name: 'LotteryInfo', + component: LotteryInfo + }, + { + path: '/profile', + name: 'Profile', + component: Profile + }, + { + path: '/login', + name: 'Login', + component: Login + }, + { + path: '/reset-password', + name: 'ResetPassword', + component: ResetPassword + }, + { + path: '/register', + name: 'Register', + component: Register + }, + { + path: '/predict-records', + name: 'PredictRecords', + component: PredictRecords + }, + { + path: '/vip-management', + name: 'VipCodeManagement', + component: VipCodeManagement + }, + { + path: '/excel-import', + name: 'ExcelImportManagement', + component: ExcelImportManagement + }, + { + path: '/exchange-records', + name: 'ExchangeRecords', + component: ExchangeRecords + }, + { + path: '/trend-analysis', + name: 'TrendAnalysis', + component: TrendAnalysis + }, + { + path: '/surface-analysis', + name: 'SurfaceAnalysis', + component: SurfaceAnalysis + }, + { + path: '/line-analysis', + name: 'LineAnalysis', + component: LineAnalysis, + meta: { requiresAuth: true } + }, + { + path: '/data-analysis', + name: 'DataAnalysis', + component: DataAnalysis, + meta: { requiresAuth: true } + }, + { + path: '/help-center', + name: 'HelpCenter', + component: HelpCenter, + meta: { requiresAuth: true } + }, + { + path: '/about-us', + name: 'AboutUs', + component: AboutUs, + meta: { requiresAuth: true } + }, + { + path: '/user-agreement', + name: 'UserAgreement', + component: UserAgreement, + meta: { requiresAuth: true } + }, + { + path: '/table-analysis', + name: 'TableAnalysis', + component: TableAnalysis + }, + { + path: '/ai-assistant', + name: 'AIAssistant', + component: AIAssistant + }, + + // 后台管理路由 - 完全隔离 + { + path: '/admin/login', + name: 'AdminLogin', + component: AdminLogin, + meta: { + title: '后台登录', + requiresAuth: false, + isAdmin: true + } + }, + { + path: '/admin', + component: AdminLayout, + meta: { + requiresAuth: true, + isAdmin: true + }, + children: [ + { + path: '', + redirect: '/admin/dashboard' + }, + { + path: 'dashboard', + name: 'AdminDashboard', + component: () => import('../views/admin/Dashboard.vue'), + meta: { + title: '控制面板', + requiresAuth: true, + isAdmin: true + } + }, + { + path: 'vip-code', + name: 'AdminVipCodeManagement', + component: AdminVipCodeManagement, + meta: { + title: '会员码管理', + requiresAuth: true, + isAdmin: true + } + }, + { + path: 'excel-import', + name: 'AdminExcelImportManagement', + component: AdminExcelImportManagement, + meta: { + title: '数据导入', + requiresAuth: true, + isAdmin: true + } + }, + { + path: 'user-list', + name: 'AdminUserList', + component: () => import('../views/admin/UserList.vue'), + meta: { + title: '用户列表', + requiresAuth: true, + isAdmin: true + } + }, + { + path: 'operation-history', + name: 'AdminOperationHistory', + component: () => import('../views/admin/OperationHistory.vue'), + meta: { + title: '操作历史', + requiresAuth: true, + isAdmin: true + } + } + ] + }, + + // 404 页面 + { + path: '/:pathMatch(.*)*', + name: 'NotFound', + component: () => import('../views/NotFound.vue') + } +] + +const router = createRouter({ + history: createWebHistory(), + routes +}) + +// 路由守卫 - 权限控制 +router.beforeEach((to, from, next) => { + // 设置页面标题 + if (to.meta.title) { + document.title = to.meta.title + ' - 彩票推测系统' + } + + // 后台管理路由权限检查 + if (to.meta.isAdmin) { + // 如果是登录页面,直接放行 + if (to.name === 'AdminLogin') { + next() + return + } + + // 从store中导入userStore + import('../store/user.js').then(({ userStore }) => { + // 检查是否已登录(使用session存储) + if (!userStore.isAdminLoggedIn()) { + ElMessage.error('请先登录后台管理系统') + next('/admin/login') + return + } + + // 检查是否是管理员或VIP用户 + const adminInfo = JSON.parse(sessionStorage.getItem('adminInfo') || '{}') + if (adminInfo.userRole === 'user') { + ElMessage.error('您没有权限访问后台管理系统') + next('/admin/login') + return + } + + next() + }).catch(error => { + console.error('加载用户状态出错:', error) + next('/admin/login') + }) + } else { + next() + } +}) + +export default router \ No newline at end of file diff --git a/lottery-app/src/store/user.js b/lottery-app/src/store/user.js new file mode 100644 index 0000000..797a443 --- /dev/null +++ b/lottery-app/src/store/user.js @@ -0,0 +1,215 @@ +import { reactive } from 'vue' +import { lotteryApi } from '../api/index.js' + +// 用户状态管理 +export const userStore = reactive({ + // 用户信息 + user: null, + isLoggedIn: false, + + // 获取登录用户信息 + async fetchLoginUser() { + try { + const response = await lotteryApi.getLoginUser() + if (response.success === true) { + const userData = response.data + // 更新用户信息,保留现有的本地数据结构 + this.user = { + id: userData.id, + username: userData.userName || userData.userAccount || userData.username || userData.name, + email: userData.email, + phone: userData.phone, + nickname: userData.nickname || userData.userName || userData.userAccount || userData.username || userData.name, + avatar: userData.userAvatar || userData.avatar || null, + userType: userData.userType || 'trial', + isVip: userData.isVip, + expireDate: userData.vipExpire || userData.expireDate || '2025-06-30', + registeredAt: userData.createTime || userData.registeredAt || new Date().toISOString(), + status: userData.status !== undefined ? userData.status : 0, // 添加status字段,默认为0 (正常) + stats: { + predictCount: userData.stats?.predictCount || 0, + hitCount: userData.stats?.hitCount || 0, + hitRate: userData.stats?.hitRate || 0 + } + } + this.isLoggedIn = true + + // 保存到本地存储 + localStorage.setItem('user', JSON.stringify(this.user)) + localStorage.setItem('isLoggedIn', 'true') + + return this.user + } else { + console.error('获取用户信息失败:', response.message) + this.logout() + return null + } + } catch (error) { + console.error('获取用户信息出错:', error) + this.logout() + return null + } + }, + + // 登录 + login(userInfo) { + this.user = { + id: userInfo.id || Date.now(), + username: userInfo.username, + email: userInfo.email, + phone: userInfo.phone, + nickname: userInfo.nickname || userInfo.username, + avatar: userInfo.avatar || null, + userType: userInfo.userType || 'trial', // trial: 体验版, premium: 正式版 + expireDate: userInfo.expireDate || '2025-06-30', + registeredAt: userInfo.registeredAt || new Date().toISOString(), + stats: { + predictCount: userInfo.stats?.predictCount || 0, + hitCount: userInfo.stats?.hitCount || 0, + hitRate: userInfo.stats?.hitRate || 0 + } + } + this.isLoggedIn = true + + // 保存到本地存储 + localStorage.setItem('user', JSON.stringify(this.user)) + localStorage.setItem('isLoggedIn', 'true') + }, + + // 登出 + logout() { + this.user = null; + this.isLoggedIn = false; + + // 清除所有本地存储的用户信息 + localStorage.removeItem('user'); + localStorage.removeItem('userInfo'); + localStorage.removeItem('isLoggedIn'); + + // 清除可能存在的其他相关存储 + sessionStorage.removeItem('user'); + sessionStorage.removeItem('userInfo'); + sessionStorage.removeItem('isLoggedIn'); + }, + + // 更新用户信息 + updateUser(updates) { + if (this.user) { + Object.assign(this.user, updates) + localStorage.setItem('user', JSON.stringify(this.user)) + } + }, + + // 从本地存储恢复用户状态 + restoreFromStorage() { + const savedUser = localStorage.getItem('user') + const savedLoginState = localStorage.getItem('isLoggedIn') + + if (savedUser && savedLoginState === 'true') { + this.user = JSON.parse(savedUser) + this.isLoggedIn = true + } + }, + + // 更新用户统计 + updateStats(stats) { + if (this.user) { + this.user.stats = { ...this.user.stats, ...stats } + localStorage.setItem('user', JSON.stringify(this.user)) + } + }, + + // 检查用户是否为付费用户 + isPremiumUser() { + return this.user?.userType === 'premium' + }, + + // 获取用户ID + getUserId() { + return this.user?.id + }, + + // 设置用户信息(用于管理员登录) + setUserInfo(userInfo) { + this.user = { + id: userInfo.id, + username: userInfo.userAccount || userInfo.userName, + nickname: userInfo.userName || userInfo.userAccount, + avatar: userInfo.avatar || null, + userRole: userInfo.userRole || 'user', + status: userInfo.status !== undefined ? userInfo.status : 0, // 添加status字段,默认为0 (正常) + createTime: userInfo.createTime || new Date().toISOString() + } + this.isLoggedIn = true + + // 使用sessionStorage而不是localStorage存储管理员登录状态 + sessionStorage.setItem('adminInfo', JSON.stringify(this.user)) + sessionStorage.setItem('adminLoggedIn', 'true') + }, + + // 获取用户信息 + getUserInfo() { + // 如果内存中有用户信息,直接返回 + if (this.user) { + return this.user; + } + + // 尝试从sessionStorage中获取管理员信息 + const adminInfo = sessionStorage.getItem('adminInfo'); + if (adminInfo) { + try { + const parsedAdminInfo = JSON.parse(adminInfo); + // 将解析后的信息赋值给this.user,确保内存中也有 + this.user = parsedAdminInfo; + return parsedAdminInfo; + } catch (e) { + console.error('解析管理员信息失败:', e); + } + } + + // 尝试从localStorage中获取普通用户信息 + const userInfo = localStorage.getItem('userInfo'); + if (userInfo) { + try { + return JSON.parse(userInfo); + } catch (e) { + console.error('解析用户信息失败:', e); + } + } + + // 如果都没有,返回空对象 + return {}; + }, + + // 检查管理员是否已登录 + isAdminLoggedIn() { + return sessionStorage.getItem('adminLoggedIn') === 'true' + }, + + // 管理员登出 + adminLogout() { + this.user = null; + this.isLoggedIn = false; + + // 清除所有session存储的管理员信息 + sessionStorage.removeItem('adminInfo'); + sessionStorage.removeItem('adminLoggedIn'); + } +}) + +// 初始化时从本地存储恢复状态 +// 检查是否有管理员登录信息,优先恢复管理员状态 +const adminInfo = sessionStorage.getItem('adminInfo'); +if (adminInfo) { + try { + userStore.user = JSON.parse(adminInfo); + userStore.isLoggedIn = true; + } catch (e) { + console.error('恢复管理员状态失败:', e); + // 如果管理员信息恢复失败,尝试恢复普通用户状态 + userStore.restoreFromStorage(); + } +} else { + // 没有管理员信息,尝试恢复普通用户状态 + userStore.restoreFromStorage(); +} \ No newline at end of file diff --git a/lottery-app/src/styles/global.css b/lottery-app/src/styles/global.css new file mode 100644 index 0000000..f8b77a4 --- /dev/null +++ b/lottery-app/src/styles/global.css @@ -0,0 +1,253 @@ +/* 全局样式 */ +* { + box-sizing: border-box; +} + +/* 强制设置根元素背景 */ +:root { + background: #f0f2f5 !important; +} + +html { + background: #f0f2f5 !important; + min-height: 100vh; + width: 100%; +} + +body { + font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', 'Roboto', 'Oxygen', + 'Ubuntu', 'Cantarell', 'Fira Sans', 'Droid Sans', 'Helvetica Neue', + sans-serif; + -webkit-font-smoothing: antialiased; + -moz-osx-font-smoothing: grayscale; + margin: 0 !important; + padding: 0 !important; + background: #f0f2f5 !important; + min-height: 100vh; + width: 100%; +} + +/* 后台管理系统样式 */ +.admin-layout, +.admin-login { + position: fixed !important; + top: 0 !important; + left: 0 !important; + right: 0 !important; + bottom: 0 !important; + width: 100vw !important; + height: 100vh !important; + overflow: hidden !important; + z-index: 9999 !important; +} + +/* 后台管理系统覆盖全局背景 */ +body.admin-body { + background: #f0f2f5 !important; + overflow: hidden; +} + +/* 页面头部样式 */ +.page-header { + text-align: center; + padding: 60px 20px 30px; + background: linear-gradient(135deg, #e53e3e 0%, #ff6b6b 100%); + color: white; + margin-bottom: 0; + position: relative; + overflow: hidden; +} + +.page-header::before { + content: ''; + position: absolute; + top: 0; + left: 0; + right: 0; + bottom: 0; + background: url('data:image/svg+xml,'); + pointer-events: none; +} + +.page-title { + font-size: 28px; + font-weight: 700; + margin-bottom: 8px; + position: relative; + z-index: 1; + text-shadow: 0 2px 4px rgba(0, 0, 0, 0.1); +} + +.page-subtitle { + font-size: 16px; + opacity: 0.9; + position: relative; + z-index: 1; +} + +/* 通用按钮样式 */ +.btn { + display: inline-block; + padding: 12px 24px; + border-radius: 8px; + text-decoration: none; + font-weight: bold; + text-align: center; + transition: all 0.3s; + border: none; + cursor: pointer; + font-size: 14px; +} + +.btn-primary { + background: linear-gradient(135deg, #e53e3e, #ff6b6b); + color: white; +} + +.btn-primary:hover:not(:disabled) { + transform: translateY(-1px); + box-shadow: 0 4px 12px rgba(229, 62, 62, 0.3); +} + +.btn-secondary { + background: #f8f9fa; + color: #666; + border: 1px solid #e0e0e0; +} + +.btn-secondary:hover:not(:disabled) { + background: #e9ecef; + border-color: #ccc; +} + +.btn:disabled { + opacity: 0.7; + cursor: not-allowed; + transform: none !important; +} + +/* 通用模态框样式 */ +.modal-overlay { + position: fixed; + top: 0; + left: 0; + right: 0; + bottom: 0; + background: rgba(0, 0, 0, 0.5); + display: flex; + align-items: center; + justify-content: center; + z-index: 1000; +} + +.modal-content { + background: white; + padding: 30px; + border-radius: 12px; + max-width: 400px; + width: 90%; + text-align: center; + box-shadow: 0 8px 30px rgba(0, 0, 0, 0.2); +} + +.modal-content h3 { + margin-bottom: 15px; + color: #333; + font-size: 18px; +} + +.modal-content p { + margin-bottom: 20px; + color: #666; + line-height: 1.5; + font-size: 14px; +} + +/* 容器样式 */ +.container { + width: 100%; + position: relative; +} + +/* 主页特殊容器 */ +.home-container { + background: #f0f2f5; + position: relative; + display: flex; + flex-direction: column; + flex: 1; +} + +/* 各页面容器 */ +.lottery-container, +.profile-container, +.login-page-container, +.register-page-container { + background: #f0f2f5; + position: relative; + padding: 0; + flex: 1; +} + +/* 响应式设计 */ +@media (max-width: 768px) { + .page-header { + padding: 20px 15px 15px; + } + + .page-title { + font-size: 20px; + } + + .page-subtitle { + font-size: 13px; + } + + .modal-content { + padding: 25px 20px; + } + + .lottery-container, + .profile-container, + .login-page-container, + .register-page-container { + padding: 0 15px; + } +} + +/* 加载动画 */ +.loading { + display: inline-block; + width: 16px; + height: 16px; + border: 2px solid rgba(255, 255, 255, 0.3); + border-radius: 50%; + border-top-color: white; + animation: spin 1s ease-in-out infinite; +} + +@keyframes spin { + to { transform: rotate(360deg); } +} + +/* 错误提示样式 */ +.error-message { + background: #ffebee; + color: #c62828; + padding: 12px; + border-radius: 6px; + font-size: 14px; + margin-bottom: 15px; + border-left: 4px solid #e53e3e; +} + +/* 成功提示样式 */ +.success-message { + background: #e8f5e8; + color: #2e7d32; + padding: 12px; + border-radius: 6px; + font-size: 14px; + margin-bottom: 15px; + border-left: 4px solid #4caf50; +} \ No newline at end of file diff --git a/lottery-app/src/views/AIAssistant.vue b/lottery-app/src/views/AIAssistant.vue new file mode 100644 index 0000000..1dc336a --- /dev/null +++ b/lottery-app/src/views/AIAssistant.vue @@ -0,0 +1,636 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/AboutUs.vue b/lottery-app/src/views/AboutUs.vue new file mode 100644 index 0000000..2b7d28f --- /dev/null +++ b/lottery-app/src/views/AboutUs.vue @@ -0,0 +1,257 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/DataAnalysis.vue b/lottery-app/src/views/DataAnalysis.vue new file mode 100644 index 0000000..7e7ad2d --- /dev/null +++ b/lottery-app/src/views/DataAnalysis.vue @@ -0,0 +1,546 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/ExcelImportManagement.vue b/lottery-app/src/views/ExcelImportManagement.vue new file mode 100644 index 0000000..d1e4850 --- /dev/null +++ b/lottery-app/src/views/ExcelImportManagement.vue @@ -0,0 +1,699 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/ExchangeRecords.vue b/lottery-app/src/views/ExchangeRecords.vue new file mode 100644 index 0000000..aec9f92 --- /dev/null +++ b/lottery-app/src/views/ExchangeRecords.vue @@ -0,0 +1,341 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/HelpCenter.vue b/lottery-app/src/views/HelpCenter.vue new file mode 100644 index 0000000..87feac5 --- /dev/null +++ b/lottery-app/src/views/HelpCenter.vue @@ -0,0 +1,163 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/Home.vue b/lottery-app/src/views/Home.vue new file mode 100644 index 0000000..cb8d1ba --- /dev/null +++ b/lottery-app/src/views/Home.vue @@ -0,0 +1,2217 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/LineAnalysis.vue b/lottery-app/src/views/LineAnalysis.vue new file mode 100644 index 0000000..0fd8f0f --- /dev/null +++ b/lottery-app/src/views/LineAnalysis.vue @@ -0,0 +1,755 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/Login.vue b/lottery-app/src/views/Login.vue new file mode 100644 index 0000000..d26443b --- /dev/null +++ b/lottery-app/src/views/Login.vue @@ -0,0 +1,1014 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/LotteryInfo.vue b/lottery-app/src/views/LotteryInfo.vue new file mode 100644 index 0000000..f0a0f3a --- /dev/null +++ b/lottery-app/src/views/LotteryInfo.vue @@ -0,0 +1,823 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/LotterySelection.vue b/lottery-app/src/views/LotterySelection.vue new file mode 100644 index 0000000..7a143cb --- /dev/null +++ b/lottery-app/src/views/LotterySelection.vue @@ -0,0 +1,610 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/NotFound.vue b/lottery-app/src/views/NotFound.vue new file mode 100644 index 0000000..22005a2 --- /dev/null +++ b/lottery-app/src/views/NotFound.vue @@ -0,0 +1,121 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/PredictRecords.vue b/lottery-app/src/views/PredictRecords.vue new file mode 100644 index 0000000..e758744 --- /dev/null +++ b/lottery-app/src/views/PredictRecords.vue @@ -0,0 +1,383 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/Profile.vue b/lottery-app/src/views/Profile.vue new file mode 100644 index 0000000..434596d --- /dev/null +++ b/lottery-app/src/views/Profile.vue @@ -0,0 +1,2355 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/Register.vue b/lottery-app/src/views/Register.vue new file mode 100644 index 0000000..f93c4be --- /dev/null +++ b/lottery-app/src/views/Register.vue @@ -0,0 +1,875 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/ResetPassword.vue b/lottery-app/src/views/ResetPassword.vue new file mode 100644 index 0000000..abe196b --- /dev/null +++ b/lottery-app/src/views/ResetPassword.vue @@ -0,0 +1,848 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/SurfaceAnalysis.vue b/lottery-app/src/views/SurfaceAnalysis.vue new file mode 100644 index 0000000..66f2edd --- /dev/null +++ b/lottery-app/src/views/SurfaceAnalysis.vue @@ -0,0 +1,847 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/TableAnalysis.vue b/lottery-app/src/views/TableAnalysis.vue new file mode 100644 index 0000000..4c81e74 --- /dev/null +++ b/lottery-app/src/views/TableAnalysis.vue @@ -0,0 +1,420 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/TrendAnalysis.vue b/lottery-app/src/views/TrendAnalysis.vue new file mode 100644 index 0000000..5ebf8cd --- /dev/null +++ b/lottery-app/src/views/TrendAnalysis.vue @@ -0,0 +1,666 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/UserAgreement.vue b/lottery-app/src/views/UserAgreement.vue new file mode 100644 index 0000000..ce66f91 --- /dev/null +++ b/lottery-app/src/views/UserAgreement.vue @@ -0,0 +1,195 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/VipCodeManagement.vue b/lottery-app/src/views/VipCodeManagement.vue new file mode 100644 index 0000000..299f69a --- /dev/null +++ b/lottery-app/src/views/VipCodeManagement.vue @@ -0,0 +1,11 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/admin/AdminLogin.vue b/lottery-app/src/views/admin/AdminLogin.vue new file mode 100644 index 0000000..72da288 --- /dev/null +++ b/lottery-app/src/views/admin/AdminLogin.vue @@ -0,0 +1,422 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/admin/Dashboard.vue b/lottery-app/src/views/admin/Dashboard.vue new file mode 100644 index 0000000..583d0ac --- /dev/null +++ b/lottery-app/src/views/admin/Dashboard.vue @@ -0,0 +1,675 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/admin/ExcelImportManagement.vue b/lottery-app/src/views/admin/ExcelImportManagement.vue new file mode 100644 index 0000000..f83831c --- /dev/null +++ b/lottery-app/src/views/admin/ExcelImportManagement.vue @@ -0,0 +1,8 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/admin/OperationHistory.vue b/lottery-app/src/views/admin/OperationHistory.vue new file mode 100644 index 0000000..a543ac5 --- /dev/null +++ b/lottery-app/src/views/admin/OperationHistory.vue @@ -0,0 +1,435 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/admin/UserList.vue b/lottery-app/src/views/admin/UserList.vue new file mode 100644 index 0000000..e2b397c --- /dev/null +++ b/lottery-app/src/views/admin/UserList.vue @@ -0,0 +1,979 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/admin/UserRole.vue b/lottery-app/src/views/admin/UserRole.vue new file mode 100644 index 0000000..079b6e3 --- /dev/null +++ b/lottery-app/src/views/admin/UserRole.vue @@ -0,0 +1,11 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/admin/VipCodeManagement.vue b/lottery-app/src/views/admin/VipCodeManagement.vue new file mode 100644 index 0000000..154481f --- /dev/null +++ b/lottery-app/src/views/admin/VipCodeManagement.vue @@ -0,0 +1,1067 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/src/views/admin/layout/AdminLayout.vue b/lottery-app/src/views/admin/layout/AdminLayout.vue new file mode 100644 index 0000000..3cda8a3 --- /dev/null +++ b/lottery-app/src/views/admin/layout/AdminLayout.vue @@ -0,0 +1,536 @@ + + + + + \ No newline at end of file diff --git a/lottery-app/start.bat b/lottery-app/start.bat new file mode 100644 index 0000000..134dbe6 --- /dev/null +++ b/lottery-app/start.bat @@ -0,0 +1,5 @@ +@echo off +echo 正在启动双色球智能推测系统... +echo. +npm run dev +pause \ No newline at end of file diff --git a/lottery-app/vite.config.js b/lottery-app/vite.config.js new file mode 100644 index 0000000..93d42e9 --- /dev/null +++ b/lottery-app/vite.config.js @@ -0,0 +1,20 @@ +import { fileURLToPath, URL } from 'node:url' + +import { defineConfig } from 'vite' +import vue from '@vitejs/plugin-vue' + +// https://vite.dev/config/ +export default defineConfig({ + plugins: [ + vue(), + ], + resolve: { + alias: { + '@': fileURLToPath(new URL('./src', import.meta.url)) + }, + }, + server: { + host: '0.0.0.0', // 允许局域网访问 + port: 5173 + } +}) diff --git a/userController b/userController new file mode 100644 index 0000000..29ee56a --- /dev/null +++ b/userController @@ -0,0 +1,119 @@ +package com.xy.xyaicpzs.controller; + +import com.baomidou.mybatisplus.core.conditions.query.QueryWrapper; +import com.baomidou.mybatisplus.extension.plugins.pagination.Page; +import com.xy.xyaicpzs.common.DeleteRequest; +import com.xy.xyaicpzs.common.ErrorCode; +import com.xy.xyaicpzs.common.ResultUtils; +import com.xy.xyaicpzs.common.response.ApiResponse; +import com.xy.xyaicpzs.domain.dto.user.*; +import com.xy.xyaicpzs.domain.entity.User; +import com.xy.xyaicpzs.domain.vo.UserVO; +import com.xy.xyaicpzs.exception.BusinessException; +import com.xy.xyaicpzs.service.UserService; +import io.swagger.v3.oas.annotations.Operation; +import io.swagger.v3.oas.annotations.tags.Tag; +import lombok.extern.slf4j.Slf4j; +import org.apache.commons.lang3.StringUtils; +import org.springframework.beans.BeanUtils; +import org.springframework.web.bind.annotation.*; + +import jakarta.annotation.Resource; +import jakarta.servlet.http.HttpServletRequest; +import java.util.List; +import java.util.stream.Collectors; + +/** + * 用户接口 + */ +@Slf4j +@RestController +@RequestMapping("/user") +@Tag(name = "用户管理", description = "用户管理相关接口") +public class UserController { + + @Resource + private UserService userService; + + // region 登录相关 + + /** + * 用户注册 + * + * @param userRegisterRequest + * @return + */ + @PostMapping("/register") + @Operation(summary = "用户注册", description = "用户注册接口") + public ApiResponse userRegister(@RequestBody UserRegisterRequest userRegisterRequest) { + if (userRegisterRequest == null) { + throw new BusinessException(ErrorCode.PARAMS_ERROR); + } + String userAccount = userRegisterRequest.getUserAccount(); + String userPassword = userRegisterRequest.getUserPassword(); + String checkPassword = userRegisterRequest.getCheckPassword(); + if (StringUtils.isAnyBlank(userAccount, userPassword, checkPassword)) { + throw new BusinessException(ErrorCode.PARAMS_ERROR); + } + long result = userService.userRegister(userAccount, userPassword, checkPassword); + return ResultUtils.success(result); + } + + /** + * 用户登录 + * + * @param userLoginRequest + * @param request + * @return + */ + @PostMapping("/login") + @Operation(summary = "用户登录", description = "用户登录接口") + public ApiResponse userLogin(@RequestBody UserLoginRequest userLoginRequest, HttpServletRequest request) { + if (userLoginRequest == null) { + throw new BusinessException(ErrorCode.PARAMS_ERROR); + } + String userAccount = userLoginRequest.getUserAccount(); + String userPassword = userLoginRequest.getUserPassword(); + if (StringUtils.isAnyBlank(userAccount, userPassword)) { + throw new BusinessException(ErrorCode.PARAMS_ERROR); + } + User user = userService.userLogin(userAccount, userPassword, request); + UserVO userVO = new UserVO(); + BeanUtils.copyProperties(user, userVO); + return ResultUtils.success(userVO); + } + + /** + * 用户注销 + * + * @param request + * @return + */ + @PostMapping("/logout") + @Operation(summary = "用户注销", description = "用户注销接口") + public ApiResponse userLogout(HttpServletRequest request) { + if (request == null) { + throw new BusinessException(ErrorCode.PARAMS_ERROR); + } + boolean result = userService.userLogout(request); + return ResultUtils.success(result); + } + + /** + * 获取当前登录用户 + * + * @param request + * @return + */ + @GetMapping("/get/login") + @Operation(summary = "获取当前登录用户", description = "获取当前登录用户信息") + public ApiResponse getLoginUser(HttpServletRequest request) { + User user = userService.getLoginUser(request); + UserVO userVO = new UserVO(); + BeanUtils.copyProperties(user, userVO); + return ResultUtils.success(userVO); + } + + // endregion + +} \ No newline at end of file diff --git a/新建文本文档 (2).txt b/新建文本文档 (2).txt new file mode 100644 index 0000000..043dd97 --- /dev/null +++ b/新建文本文档 (2).txt @@ -0,0 +1,715 @@ +配置流程 +步骤一:发布智能体或 AI 应用 +在智能体或 AI 应用的发布页面,选择 Chat SDK,并单击发布。发布的详细流程可参考: +发布应用为 Chat SDK +发布智能体到 Chat SDK +步骤二:获取安装代码 +进入发布页面复制 SDK 安装代码。 + +步骤三:安装 SDK +你可以直接在页面中通过 script 标签的形式加载 Chat SDK 的 js 代码,将步骤二中复制好的安装代码粘贴到网页的 区域中即可。 +步骤二中复制好的安装代码示例如下: + +示例代码中的版本号 1.2.0-beta.15 为示例,请以 Chat SDK 最新的版本号为准,版本信息请参见Chat SDK 发布历史。 + +步骤四:配置聊天框 +安装 Chat SDK 后,您现在可以初始化客户端。在页面中通过调用 CozeWebSDK.WebChatClient 来生成聊天框,当前页面中聊天框包括 PC 和移动端两种布局样式。在 PC 端中,聊天框位于页面右下角,移动端聊天框会铺满全屏。 +智能体配置 +调用 CozeWebSDK.WebChatClient 时,你需要配置以下参数: +config:必选参数,表示智能体的配置信息。 +智能体需要设置的参数如下: +参数 +是否必选 +数据类型 +描述 +type +必选 +String + Chat SDK 调用的对象。 在调用智能体时,该参数保持默认值 bot。 +botId +必选 +String +智能体的 ID。在智能体编排页面的 URL 中,查看 bot 关键词之后的字符串就是智能体 ID。例如https://www.coze.cn/space/341****/bot/73428668*****,智能体 ID 为 73428668*****。 +isIframe +可选 +Boolean +是否使用 iframe方式来打开聊天框,默认为 false。 +true:使用 iframe 打开聊天框。 +false(推荐):非 iframe 方式打开聊天框。通过该方式可以规避小程序中 webview 的域名限制。 +Chat SDK 1.2.0-beta.3 及以上版本支持该参数。 + +botInfo.parameters +可选 +Map[String, Any] +给智能体中的自定义参数赋值并传给对话流。 +如果在对话流的开始节点设置了自定义输入参数,你可以通过 parameters 参数指定自定义参数的名称和值,ChatSDK 会将自定义参数的值传递给对话流。具体用法和示例代码可参考为自定义参数赋值。 +仅单 Agent(对话流模式)的智能体支持该配置。 + + +auth:表示鉴权方式。当未配置此参数时表示不鉴权。为了账号安全,建议配置鉴权,请将 auth.type 设置为 token,在 token 参数中指定相应的访问密钥,并通过 onRefreshToken 监听获取新的密钥,当 token 中设置的访问密钥失效时,Chat SDK 能够自动重新获取新的密钥。调试场景可以直接使用准备工作中添加的访问密钥,快速体验 Chat SDK 的效果;正式上线时建议通过 SAT 或 OAuth 实现鉴权逻辑,并将获取的 OAuth 访问密钥填写在此处。 +示例如下: +const cozeWebSDK = new CozeWebSDK.WebChatClient({ + config: { + // 智能体 ID + botId: '740849137970326****', + isIframe: false, + // 给自定义参数赋值并传给对话流 + botInfo: { + parameters: { + user_name: 'John' + } + } + }, + auth: { + // Authentication methods, the default type is 'unauth', which means no authentication is required; it is recommended to set it to 'token', indicating authentication through PAT (Personal Access Token) or OAuth + type: 'token', + // When the type is set to 'token', it is necessary to configure a PAT (Personal Access Token) or OAuth access token for authentication. + token: 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + // When the access token expires, use a new token and set it as needed. + onRefreshToken: () => 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + } +}); + +如果要实现不同业务侧用户的会话隔离,即每个用户只能看到自己和智能体的对话历史,你需要将鉴权方式配置为 OAuth JWT 鉴权,通过 session_name 参数实现会话隔离,具体请参见如何实现会话隔离。 + +扣子应用配置 +调用 CozeWebSDK.WebChatClient 时,你需要配置以下参数: +config:必选参数,表示应用的配置信息。 +参数 +是否必选 +数据类型 +描述 +type +必选 +String + Chat SDK 调用的对象。 集成扣子应用时,应设置为 app,表示通过 Chat SDK 调用扣子应用。 +isIframe +非必选 +Boolean +是否使用 iframe方式来打开聊天框,默认为 true。 +true:使用 iframe 打开聊天框。 +false(推荐):非 iframe 方式打开聊天框。通过该方式可以规避小程序中 webview 的域名限制。 +Chat SDK 1.2.0-beta.3 及以上版本支持该参数。 + +appInfo +必选 +String +扣子应用的详细信息。 +确保该应用已经发布为 Chat SDK。 + +appInfo.appId +必选 +String +AI 应用的 ID。 在扣子应用中打开工作流或对话流,URL 中 project-ide 参数之后的字符串就是 appId。 +appInfo.workflowId +必选 +String +工作流或对话流的 ID。 在扣子应用中打开工作流或对话流,URL 中 workflow 参数之后的字符串就是 workflowId。 +appInfo.parameters +可选 +Map[String, Any] +给应用中的自定义参数赋值并传给对话流。 +如果在对话流的开始节点设置了自定义输入参数,你可以通过 parameters 参数指定自定义参数的名称和值,ChatSDK 会将自定义参数的值传递给对话流。具体用法和示例代码可参考为自定义参数赋值。 + +auth:表示鉴权方式。当未配置此参数时表示不鉴权。为了账号安全,建议配置鉴权,请将 auth.type 设置为 token,在 token 参数中指定相应的访问密钥,并通过 onRefreshToken 监听获取新的密钥,当 token 中设置的访问密钥失效时,Chat SDK 能够自动重新获取新的密钥。调试场景可以直接使用准备工作中添加的访问密钥,快速体验 Chat SDK 的效果;正式上线时建议通过 SAT 或 OAuth 实现鉴权逻辑,并将获取的 OAuth 访问密钥填写在此处。 +示例如下: +const cozeWebSDK = new CozeWebSDK.WebChatClient({ + config: { + type: 'app', // 应用类型 + isIframe: false, // 是否在iframe中运行 + appInfo: { // 应用配置信息 + appId: '744189632066042****', + workflowId: '744229754050396****', + parameters: { // 给自定义参数赋值并传给对话流 + user_name: 'John' + } + } + }, + auth: { + // Authentication methods, the default type is 'unauth', which means no authentication is required; it is recommended to set it to 'token', indicating authentication through PAT (Personal Access Token) or OAuth + type: 'token', + // When the type is set to 'token', it is necessary to configure a PAT (Personal Access Token) or OAuth access token for authentication. + token: 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + // When the access token expires, use a new token and set it as needed. + onRefreshToken: () => 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + } +}); + +步骤五:配置属性 +扣子 Chat SDK 支持多种属性配置,开发者可以按需调整对话框的多种展示效果,例如展示的用户信息、对话框 UI 效果、悬浮球展示、底部文案等。 +你可以在 WebChatClient 方法中添加各种属性,实现对应的效果。目前支持的属性如下: +功能 +属性 +说明 +智能体配置 +config +指定对话的智能体或扣子应用,支持设置是否使用 iframe方式来打开聊天框 +鉴权 +auth +指定鉴权方式。默认不鉴权,支持通过 PAT 、SAT 或 OAuth 鉴权。 +用户信息 +userInfo +用于设置对话框中的显示用户信息,包括对话框中的用户头像、用户昵称、用户的业务 ID。 +UI 效果 +ui.base +用于添加聊天窗口的整体 UI 效果,包括应用图标、页面展示模式(移动端或 PC 端)、系统语言属性、聊天框页面层级。 +悬浮球 +ui.asstBtn +控制是否在页面右下角展示悬浮球。默认展示,用户点击悬浮球后将弹出聊天窗口。 +底部文案 +ui.footer +隐藏底部文案或改为其他文案,支持在文案中设置超链接。 +顶部标题栏配置 +ui.header +用于控制是否展示顶部的标题栏和关闭按钮,默认展示。 +聊天框 +ui.chatBot +用于控制聊天框的 UI 和基础能力,包括: +标题、大小、位置等基本属性 +限制在聊天框中上传文件、语音输入、显示工具调用信息 + +步骤六:销毁客户端 +你可以添加一个 destroy 方法销毁客户端。 + + +属性配置 +智能体或应用配置 +config 参数用于指定智能体。智能体需要设置的参数如下: +参数 +是否必选 +数据类型 +描述 +bot_id +必选 +String +智能体 ID。 +进入智能体的开发页面,开发页面 URL 中 bot 参数后的数字就是智能体ID。例如https://www.coze.cn/space/341****/bot/73428668*****,智能体ID 为 73428668*****。 +确保该智能体已经发布为 Chat SDK。 + +isIframe +非必选 +Boolean +是否使用 iframe方式来打开聊天框,默认为 true。 +true:使用 iframe 打开聊天框。 +false(推荐):非 iframe 方式打开聊天框。通过该方式可以规避小程序中 webview 的域名限制。 +Chat SDK 1.2.0-beta.3 及以上版本支持该参数。 + +扣子应用需要设置的参数如下: +参数 +是否必选 +数据类型 +描述 +type +必选 +String + Chat SDK 调用的对象。 +默认为 bot,表示通过 Chat SDK 调用智能体。 +集成扣子应用时,应设置为 app,表示通过 Chat SDK 调用扣子应用。 +appInfo +必选 +String +扣子应用的详细信息。 +确保该应用已经发布为 Chat SDK。 + +appInfo.appId +必选 +String +AI 应用 ID。 在扣子应用中打开工作流或对话流,URL 中 project-ide 参数之后的字符串是 appId。 +appInfo.workflowId +必选 +String +工作流或对话流 ID。 在扣子应用中打开工作流或对话流,URL 中 workflow 参数之后的字符串是 workflowId。 +isIframe +非必选 +Boolean +是否使用 iframe方式来打开聊天框,默认为 true。 +true:使用 iframe 打开聊天框。 +false(推荐):非 iframe 方式打开聊天框。通过该方式可以规避小程序中 webview 的域名限制。 +Chat SDK 1.2.0-beta.3 及以上版本支持该参数。 + +鉴权 +auth 属性用于配置鉴权方式。不添加此参数时表示不鉴权,也可以通过此参数指定使用 PAT 或 OAuth 鉴权。配置说明如下: +参数 +数据类型 +是否必选 +描述 +type +String + +必选 +可指定为 token,通过访问密钥鉴权,支持的访问密钥包括 PAT、SAT 和 OAuth 访问密钥。关于访问密钥的详细说明可参考鉴权方式概述。 +token + +String +type为 token 时必填 +type 为 token 时,指定使用的访问密钥。调试场景可以直接使用准备工作中添加的访问密钥,快速体验 Chat SDK 的效果;正式上线时建议通过 SAT 或 OAuth 实现鉴权逻辑,并将获取的 OAuth 访问密钥填写在此处。 +onRefreshToken +Function +type为 token 时必填 +token 中设置的访问密钥失效时,使用新密钥。建议按需设置。 + +以使用 PAT 鉴权为例,配置鉴权的方式如下: +const cozeWebSDK = new CozeWebSDK.WebChatClient({ + config: { + botId: '740849137970326****', + isIframe: false, + }, + auth: { + type: 'token', + token: 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + onRefreshToken: async () => 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + } +}); + +以使用 OAuth 鉴权为例,配置鉴权的方式如下: +const cozeWebSDK = new CozeWebSDK.WebChatClient({ + config: { + botId: '740849137970326****', + isIframe: false, + }, + auth: { + type: 'token', + token: 'czs_RQOhsc7vmUzK4bNgb7hn4wqOgRBYAO6xvpFHNbnl6RiQJX3cSXSguIhFDzgy****', + onRefreshToken: async () => 'czs_RQOhsc7vmUzK4bNgb7hn4wqOgRBYAO6xvpFHNbnl6RiQJX3cSXSguIhFDzgy****', + } +}); + +用户信息 +userInfo 参数用于设置对话框中的显示用户信息,包括对话框中的用户头像和账号。同时,此处指定的用户 ID 也会通过发起对话 API 传递给扣子服务端。 +参数 +数据类型 +是否必选 +描述 +url +String +必选 +用户头像的 URL 地址,必须是一个可公开访问的地址。 +nickname +String +必选 +用户的昵称。 +id +String +可选 +用户的 ID,也就是用户在你的网站或应用中的账号 ID。未指定 ID 时,Chat SDK 会根据用户使用的设备随机分配一个用户 ID。 +你可以在智能体的分析 > 消息链路页面查看不同用户 ID 的对话记录。详细说明可参考消息日志。 + +配置示例如下: +const cozeWebSDK = new CozeWebSDK.WebChatClient({ + config: { + botId: '740849137970326****', + isIframe: false, + }, + auth: { + type: 'token', + token: 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + onRefreshToken: async () => 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + }, + // 用户信息 + userInfo: { + id: '12345', + url: 'https://lf-coze-web-cdn.coze.cn/obj/coze-web-cn/obric/coze/favicon.1970.png', + nickname: 'UserA', + }, +}); + +UI 效果 +ui.base 参数用于添加聊天窗口的整体 UI 效果,包括应用图标、页面展示模式、语言属性等。 +参数 +数据类型 +是否必选 +描述 +icon +String +可选 +应用图标,必须是一个可访问的公开 URL 地址。如果不设置,则使用默认扣子图标。 +扣子企业版支持将 icon 修改为自定义的品牌 Logo,扣子团队版和个人版不支持自定义品牌。 + +layout + +String +可选 +聊天框窗口的布局风格,支持设置为: +mobile:移动端风格,聊天框窗口铺满移动设备全屏。 +pc:PC 端风格,聊天框窗口位于页面右下角。 +未设置此参数时,系统会自动识别设备,设置相应的布局风格。 +lang +String +可选 +系统语言,例如工具提示信息的语言。 +en:(默认)英语 +zh-CN:中文 +zIndex +number +可选 +开发者自行控制,用于调整聊天框的页面层级。详细信息可参考MDN-zIndex。 + +示例代码如下: +const cozeWebSDK = new CozeWebSDK.WebChatClient({ + config: { + botId: '740849137970326****', + isIframe: false, + }, + auth: { + type: 'token', + token: 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + onRefreshToken: async () => 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + }, + userInfo: { + id: '123', + url: 'https://lf-coze-web-cdn.coze.cn/obj/coze-web-cn/obric/coze/favicon.1970.png', + nickname: '3qweqweqwe', + }, + ui: { + base: { + icon: 'https://lf-coze-web-cdn.coze.cn/obj/coze-web-cn/obric/coze/favicon.1970.png', + layout: 'pc', + zIndex: 1000, + } + }, +}); + +悬浮球 +asstBtn 参数用于控制是否在页面右下角展示悬浮球。默认展示,用户点击悬浮球后将弹出聊天窗口。 + +若设置为不展示悬浮球,开发者需要通过以下方法控制聊天框的展示或隐藏效果。 +显示聊天框:cozeWebSDK.showChatBot() +隐藏聊天框:cozeWebSDK.hideChatBot() +参数 +数据类型 +是否必选 +描述 +isNeed +boolean +否 + +是否在页面右下角展示悬浮球。 +true:(默认)展示悬浮球。 +false:不展示悬浮球。 + +以不展示悬浮球为例,示例代码如下: +const cozeWebSDK = new CozeWebSDK.WebChatClient({ + config: { + botId: '740849137970326****', + isIframe: false, + }, + auth: { + type: 'token', + token: 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + onRefreshToken: async () => 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + }, + userInfo: { + id: '123', + url: 'https://lf-coze-web-cdn.coze.cn/obj/coze-web-cn/obric/coze/favicon.1970.png', + nickname: '3qweqweqwe', + }, + ui: { + base: { + icon: 'https://lf-coze-web-cdn.coze.cn/obj/coze-web-cn/obric/coze/favicon.1970.png', + layout: 'pc', + zIndex: 1000, + }, + asstBtn: { + isNeed: false, + }, + }, +}); + +不展示悬浮球时,你可以通过以下方式显示聊天框或隐藏聊天框。 + + + + + +底部文案 +聊天框底部会展示对话服务的提供方信息,默认为Powered by coze. AI-generated content for reference only.。开发者通过 footer 参数隐藏此文案或改为其他文案,支持在文案中设置超链接。 +底部文案默认展示效果如下: + +footer 参数配置说明如下: +参数 +数据类型 +是否必选 +描述 +isShow +boolean +可选 +是否展示底部文案模块。 +true:展示。此时需要通过 expressionText 和 linkvars 设置具体文案和超链接。 +false:不展示。expressionText 和 linkvars 设置不生效。 +expressionText +String +可选 +底部显示的文案信息。支持添加以下格式的内容: +纯文本:直接输入文本信息。 +链接:通过双大括号({{***}} )设置链接。双大括号中的字段会被替换 linkvars中的内容替换掉。仅支持设置一个链接。 +linkvars +Object +可选 +底部文案中的链接文案与链接地址。 +替换规则:name与"{{***}}"中的字段保持对应关系,同时用 a 标签替换掉该文本,text 为 a 标签的文案,link 为跳转的链接地址。 + +配置示例如下: +const cozeWebSDK = new CozeWebSDK.WebChatClient({ + config: { + botId: '740849137970326****', + isIframe: false, + }, + auth: { + type: 'token', + token: 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + onRefreshToken: async () => 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + }, + userInfo: { + id: '123', + url: 'https://lf-coze-web-cdn.coze.cn/obj/coze-web-cn/obric/coze/favicon.1970.png', + nickname: '3qweqweqwe', + }, + ui: { + base: { + icon: 'https://lf-coze-web-cdn.coze.cn/obj/coze-web-cn/obric/coze/favicon.1970.png', + layout: 'pc', + zIndex: 1000, + }, + asstBtn: { + isNeed: true, + }, + footer: { + isShow: true, + expressionText: 'Powered by {{name}}&{{name1}}', + linkvars: { + name: { + text: 'A', + link: 'https://www.test1.com' + }, + name1: { + text: 'B', + link: 'https://www.test2.com' + } + } + } + } + }, +}); + +此配置的对应的展示效果如下: + +顶部标题栏配置 +聊天框顶部默认展示智能体名称、icon、及关闭按钮。展示效果类似如下: + +Chat SDK 1.1.0-beta.3 及以上版本支持该配置。 + +您可以通过 header 参数配置是否展示顶部标题栏和关闭按钮,header 参数配置说明如下: +参数 +数据类型 +是否必选 +描述 +isShow +Boolean +可选 +是否展示顶部标题栏,默认为 true。 +true:展示。 +false:不展示。 +isNeedClose +String +可选 +是否展示顶部的关闭按钮,默认为 true。 +true:展示。 +false:不展示。 + +配置示例如下: +const cozeWebSDK = new CozeWebSDK.WebChatClient({ + config: { + botId: '740849137970326****', + isIframe: false, + }, + auth: { + type: 'token', + token: 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + onRefreshToken: async () => 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGA*********', + }, + userInfo: { + id: '123', + url: 'https://lf-coze-web-cdn.coze.cn/obj/coze-web-cn/obric/coze/favicon.1970.png', + nickname: '3qweqweqwe', + }, + ui: { + base: { + icon: 'https://lf-coze-web-cdn.coze.cn/obj/coze-web-cn/obric/coze/favicon.1970.png', + layout: 'pc', + zIndex: 1000, + }, + asstBtn: { + isNeed: true, + }, + header: { + isShow: true, + isNeedClose: true, + }, + }, +}); + +聊天框 +chatBot 参数用于控制聊天框的 UI 和基础能力,包括标题、大小、位置等基本属性,还可以指定是否支持在聊天框中上传文件。此参数同时提供多个回调方法,用于同步聊天框显示、隐藏等事件通知。 +配置说明如下: +参数 +数据类型 +是否必选 +描述 +title +String +可选 +聊天框的标题,若未配置,使用默认名称 Coze Bot。 +uploadable +Boolean +可选 +是否开启聊天框的上传能力。 +true:(默认)聊天框支持上传文件。选择此选项时,应确认模型具备处理文件或图片的能力,例如使用的是多模态模型,或添加了多模态插件。 +false:聊天框不支持上传文件。 +width +Number +可选 +PC 端窗口的宽度,单位为 px,默认为 460。 +建议综合考虑各种尺寸的屏幕,设置一个合适的宽度。 +此配置仅在 PC 端且未设置 el 参数时生效。 +el +Element +可选 +设置聊天框放置位置的容器(Element)。 +开发者应自行设置聊天框高度、宽度,聊天框会占满整个元素空间。 +Chat SDK 会自动控制聊天框的显示隐藏,但是对于宿主的 element 元素不会做控制,开发者按需在 onHide、onShow 回调时机中来控制宿主元素的显示隐藏。 +isNeedAudio +Boolean +可选 +设置聊天框中是否允许语音输入。 +true:支持用户通过语音输入。 +false:仅支持打字输入,不支持语音输入。 +默认值: +非 Iframe 模式(聊天框集成在主页面中): 默认值为 true。 +ifreme 模式(聊天框作为独立窗口嵌入主页面): 默认值为 false。 + +isNeedFunctionCallMessage +Boolean +可选 +设置是否在聊天框中显示插件工具调用的信息。 +true:(默认值)聊天框中将显示调用的插件工具。 +false:聊天框中不显示插件工具调用的信息。 + +相关回调: +onHide:当聊天框隐藏的时候,会回调该方法。 +onShow: 当聊天框显示的时候,会回调该方法。 +onBeforeShow: 聊天框显示前调用,如果返回了 false,则不会显示。支持异步函数。 +onBeforeHide: 聊天框隐藏前调用,如果返回了 false,则不会隐藏。支持异步函数。 +在以下示例中,聊天框标题为 Kids' Playmate | Snowy,并开启上传文件功能。 + +对应的代码示例如下: +const cozeWebSDK = new CozeWebSDK.WebChatClient({ + config: { + botId: '740849137970326****', + isIframe: false, + }, + auth: { + type: 'token', + token: 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + onRefreshToken: async () => 'pat_zxzSAzxawer234zASNElEglZxcmWJ5ouCcq12gsAAsqJGALlq7hcOqMcPFV3wEVDiqjrg****', + }, + userInfo: { + id: '123', + url: 'https://lf-coze-web-cdn.coze.cn/obj/coze-web-cn/obric/coze/favicon.1970.png', + nickname: '3qweqweqwe', + }, + ui: { + base: { + icon: 'https://lf-coze-web-cdn.coze.cn/obj/coze-web-cn/obric/coze/favicon.1970.png', + layout: 'pc', + zIndex: 1000, + }, + asstBtn: { + isNeed: true, + }, + footer: { + isShow: true, + expressionText: 'Powered by {{name}}&{{name1}}', linkvars: { + name: { + text: 'A', + link: 'https://www.test1.com' + }, + name1: { + text: 'B', + link: 'https://www.test2.com' + } + } + }, + chatBot: { + title: "Kids' Playmate | Snowy", + uploadable: true, + width: 800, + el: undefined, + onHide: () => { + // todo... + }, + onShow: () => { + // todo... + }, + }, + }, +}); + +通过 chatbot 的 el 参数设置组件的示例代码如下: + +相关操作 +更新 SDK 版本 +扣子 Chat SDK 将持续更新迭代,支持丰富的对话能力和展示效果。你可以在 Chat SDK 的 script 标签中指定 Chat SDK 的最新版本号,体验和使用最新的 Chat SDK 对话效果。 +在以下代码中,将 {{version}} 部分替换为 Chat SDK 的最新版本号。你可以在Chat SDK 发布历史中查看最新版本号。 + +解绑 Chat SDK +如果不再需要通过 Chat SDK 使用 AI 应用,可以在发布页面点击解绑按钮。一旦解绑,智能体或应用就无法通过集成的 Web 应用程序使用。 如果您想恢复 Web 应用程序的访问,需要再次将智能体或应用发布为 Chat SDK。 + +示例 +以下是一段完整的 Chat SDK 调用智能体的代码示例。 + + + + + + +

Hello World

+
+ + + + + +相关文档 \ No newline at end of file