Compare commits
39 Commits
| Author | SHA1 | Date | |
|---|---|---|---|
| d05cd8ed3d | |||
| 5ddf9ade01 | |||
| 3b93b95177 | |||
| 57b841525d | |||
| 1e147c8298 | |||
| 7419d8ebcd | |||
| 56a955ae81 | |||
| e3aa52af01 | |||
| cf55495c1f | |||
| c381a2b2ba | |||
| 43c909d1f2 | |||
| 9eff6aa40d | |||
| a211035025 | |||
| aa745079db | |||
| 11942e2b9f | |||
| b31c70a5c1 | |||
| 75db379624 | |||
| c8401af672 | |||
|
|
ea3964ebe5 | ||
|
|
5eac6a9f4a | ||
|
|
2182400adc | ||
|
|
5318b9cf44 | ||
|
|
705391f82a | ||
|
|
4429c9ddc9 | ||
|
|
ad60ea9b18 | ||
|
|
5025fd1103 | ||
|
|
88aa9656b2 | ||
|
|
e60e369bbe | ||
|
|
c3d0ef8317 | ||
|
|
8bd25d651b | ||
|
|
ca892dd359 | ||
|
|
521a7a97fb | ||
|
|
a46657d5ef | ||
|
|
c2bfee1f31 | ||
|
|
32fd181b52 | ||
|
|
5816dd5198 | ||
|
|
92665293ec | ||
|
|
ec1e402419 | ||
|
|
4828700776 |
790
.gitea/workflows/docker.yml
Normal file
790
.gitea/workflows/docker.yml
Normal file
@ -0,0 +1,790 @@
|
||||
name: CI
|
||||
|
||||
on:
|
||||
push:
|
||||
branches:
|
||||
- main
|
||||
- develop
|
||||
- cicd
|
||||
pull_request:
|
||||
branches:
|
||||
- main
|
||||
- develop
|
||||
- cicd
|
||||
|
||||
env:
|
||||
DOMAIN_URL: git.kxsw.us
|
||||
REPO: ${{ vars.REPO }}
|
||||
TELEGRAM_BOT_TOKEN: 8114337882:AAHkEx03HSu7RxN4IHBJJEnsK9aPPzNLIk0
|
||||
TELEGRAM_CHAT_ID: "-4940243803"
|
||||
DOCKER_REGISTRY: registry.kxsw.us
|
||||
DOCKER_BUILDKIT: 1
|
||||
DOCKER_API_VERSION: "1.44"
|
||||
# Host SSH - 根据分支动态选择
|
||||
SSH_HOST: ${{ github.ref_name == 'main' && vars.PRO_SSH_HOST || (github.ref_name == 'develop' && vars.DEV_SSH_HOST || vars.PRO_SSH_HOST) }}
|
||||
SSH_PORT: ${{ github.ref_name == 'main' && vars.PRO_SSH_PORT || (github.ref_name == 'develop' && vars.DEV_SSH_PORT || vars.PRO_SSH_PORT) }}
|
||||
SSH_USER: ${{ github.ref_name == 'main' && vars.PRO_SSH_USER || (github.ref_name == 'dedevelopv' && vars.DEV_SSH_USER || vars.PRO_SSH_USER) }}
|
||||
SSH_PASSWORD: ${{ github.ref_name == 'main' && vars.PRO_SSH_PASSWORD || (github.ref_name == 'dedevelopv' && vars.DEV_SSH_PASSWORD || vars.PRO_SSH_PASSWORD) }}
|
||||
|
||||
jobs:
|
||||
build:
|
||||
runs-on: fastvpn-admin01
|
||||
container:
|
||||
image: node:20
|
||||
strategy:
|
||||
matrix:
|
||||
# 只有node支持版本号别名
|
||||
node: ['20.15.1']
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@v4
|
||||
with:
|
||||
fetch-depth: 0
|
||||
|
||||
- name: 缓存服务健康检查
|
||||
id: cache-health
|
||||
continue-on-error: true
|
||||
run: |
|
||||
echo "检查缓存服务可用性..."
|
||||
|
||||
# 设置缓存可用性标志
|
||||
CACHE_AVAILABLE=true
|
||||
|
||||
# 测试GitHub Actions缓存API
|
||||
if ! curl -s --connect-timeout 10 --max-time 30 "https://api.github.com/repos/${{ github.repository }}/actions/caches" > /dev/null 2>&1; then
|
||||
echo "⚠️ GitHub Actions缓存服务不可用,将跳过缓存步骤"
|
||||
CACHE_AVAILABLE=false
|
||||
else
|
||||
echo "✅ 缓存服务可用"
|
||||
fi
|
||||
|
||||
echo "CACHE_AVAILABLE=$CACHE_AVAILABLE" >> $GITHUB_ENV
|
||||
echo "cache-available=$CACHE_AVAILABLE" >> $GITHUB_OUTPUT
|
||||
|
||||
- name: 缓存降级提示
|
||||
if: env.CACHE_AVAILABLE == 'false'
|
||||
run: |
|
||||
echo "🔄 缓存服务不可用,构建将在无缓存模式下进行"
|
||||
echo "⏱️ 这可能会增加构建时间,但不会影响构建结果"
|
||||
echo "📦 所有依赖将重新下载和安装"
|
||||
|
||||
- name: Install system tools (jq, docker, curl)
|
||||
run: |
|
||||
set -e
|
||||
export DEBIAN_FRONTEND=noninteractive
|
||||
echo "Waiting for apt/dpkg locks (unattended-upgrades) to release..."
|
||||
# Wait up to 300s for unattended-upgrades/apt/dpkg locks
|
||||
end=$((SECONDS+300))
|
||||
while true; do
|
||||
LOCKS_BUSY=0
|
||||
# If unattended-upgrades is running, mark busy
|
||||
if pgrep -x unattended-upgrades >/dev/null 2>&1; then LOCKS_BUSY=1; fi
|
||||
# If fuser exists, check common lock files
|
||||
if command -v fuser >/dev/null 2>&1; then
|
||||
if fuser /var/lib/dpkg/lock >/dev/null 2>&1 \
|
||||
|| fuser /var/lib/dpkg/lock-frontend >/dev/null 2>&1 \
|
||||
|| fuser /var/lib/apt/lists/lock >/dev/null 2>&1; then
|
||||
LOCKS_BUSY=1
|
||||
fi
|
||||
fi
|
||||
# Break if not busy
|
||||
if [ "$LOCKS_BUSY" -eq 0 ]; then break; fi
|
||||
# Timeout after ~5 minutes
|
||||
if [ $SECONDS -ge $end ]; then
|
||||
echo "Timeout waiting for apt/dpkg locks, proceeding with Dpkg::Lock::Timeout..."
|
||||
break
|
||||
fi
|
||||
echo "Still waiting for locks..."; sleep 5
|
||||
done
|
||||
apt-get update -y -o Dpkg::Lock::Timeout=600
|
||||
# 基础工具和GPG
|
||||
apt-get install -y -o Dpkg::Lock::Timeout=600 jq curl ca-certificates gnupg
|
||||
# 配置Docker官方源,安装新版CLI与Buildx插件(支持 API 1.44+)
|
||||
install -m 0755 -d /etc/apt/keyrings
|
||||
curl -fsSL https://download.docker.com/linux/debian/gpg | gpg --dearmor -o /etc/apt/keyrings/docker.gpg
|
||||
chmod a+r /etc/apt/keyrings/docker.gpg
|
||||
echo "deb [arch=$(dpkg --print-architecture) signed-by=/etc/apt/keyrings/docker.gpg] https://download.docker.com/linux/debian $(. /etc/os-release && echo $VERSION_CODENAME) stable" > /etc/apt/sources.list.d/docker.list
|
||||
apt-get update -y -o Dpkg::Lock::Timeout=600
|
||||
apt-get install -y -o Dpkg::Lock::Timeout=600 docker-ce-cli docker-buildx-plugin
|
||||
docker --version
|
||||
jq --version
|
||||
curl --version
|
||||
|
||||
- name: Set up Docker Buildx
|
||||
run: |
|
||||
# Check if buildx is available
|
||||
if docker buildx version >/dev/null 2>&1; then
|
||||
echo "Docker Buildx is available"
|
||||
# Create builder if it doesn't exist
|
||||
if ! docker buildx ls | grep -q "builder"; then
|
||||
docker buildx create --name builder --driver docker-container
|
||||
fi
|
||||
# Use the builder
|
||||
docker buildx use builder
|
||||
docker buildx inspect --bootstrap
|
||||
else
|
||||
echo "Docker Buildx not available, using regular docker build"
|
||||
fi
|
||||
|
||||
- name: Install Bun
|
||||
run: |
|
||||
echo "=== Installing Bun ==="
|
||||
echo "Current working directory: $(pwd)"
|
||||
echo "Current user: $(whoami)"
|
||||
echo "Home directory: $HOME"
|
||||
|
||||
# 设置Bun安装路径
|
||||
export BUN_INSTALL="$HOME/.bun"
|
||||
echo "BUN_INSTALL=$BUN_INSTALL" >> $GITHUB_ENV
|
||||
echo "PATH=$BUN_INSTALL/bin:${PATH}" >> $GITHUB_ENV
|
||||
|
||||
# 检查缓存是否存在
|
||||
if [ -d "$BUN_INSTALL" ]; then
|
||||
echo "✅ Bun cache found at $BUN_INSTALL"
|
||||
ls -la "$BUN_INSTALL" || true
|
||||
else
|
||||
echo "❌ No Bun cache found, will install fresh"
|
||||
fi
|
||||
|
||||
# 安装Bun
|
||||
curl -fsSL https://bun.sh/install | bash
|
||||
|
||||
# 验证安装
|
||||
"$BUN_INSTALL/bin/bun" --version
|
||||
echo "✅ Bun installed successfully"
|
||||
|
||||
- name: Configure npm registry (npmmirror) and canvas mirror
|
||||
run: |
|
||||
echo "registry=https://registry.npmmirror.com" >> .npmrc
|
||||
echo "canvas_binary_host_mirror=https://registry.npmmirror.com/-/binary/canvas" >> .npmrc
|
||||
|
||||
- name: Install dependencies cache (Bun)
|
||||
if: env.CACHE_AVAILABLE == 'true'
|
||||
uses: actions/cache@v4
|
||||
continue-on-error: true
|
||||
with:
|
||||
path: ~/.bun
|
||||
key: bun-${{ runner.os }}-${{ matrix.node }}-${{ hashFiles('bun.lock') }}
|
||||
restore-keys: |
|
||||
bun-${{ runner.os }}-${{ matrix.node }}-
|
||||
bun-${{ runner.os }}-
|
||||
|
||||
- name: Install dependencies cache (node_modules)
|
||||
if: env.CACHE_AVAILABLE == 'true'
|
||||
uses: actions/cache@v4
|
||||
continue-on-error: true
|
||||
with:
|
||||
path: |
|
||||
node_modules
|
||||
apps/*/node_modules
|
||||
packages/*/node_modules
|
||||
key: node-modules-${{ runner.os }}-${{ matrix.node }}-${{ hashFiles('bun.lock', 'package.json', 'apps/*/package.json', 'packages/*/package.json') }}
|
||||
restore-keys: |
|
||||
node-modules-${{ runner.os }}-${{ matrix.node }}-
|
||||
node-modules-${{ runner.os }}-
|
||||
|
||||
- name: 缓存状态检查和设置
|
||||
run: |
|
||||
echo "=== 缓存状态检查 ==="
|
||||
echo "检查缓存恢复状态..."
|
||||
|
||||
# 检查各种缓存目录
|
||||
echo "Bun缓存: $([ -d ~/.bun ] && echo '✅ 已发现' || echo '❌ 缺失')"
|
||||
echo "node_modules: $([ -d node_modules ] && echo '✅ 已发现' || echo '❌ 缺失')"
|
||||
echo "Turbo缓存: $([ -d .turbo ] && echo '✅ 已发现' || echo '❌ 缺失')"
|
||||
|
||||
# 显示缓存大小
|
||||
if [ -d ~/.bun ]; then
|
||||
echo "Bun缓存大小: $(du -sh ~/.bun 2>/dev/null || echo '未知')"
|
||||
fi
|
||||
if [ -d node_modules ]; then
|
||||
echo "node_modules大小: $(du -sh node_modules 2>/dev/null || echo '未知')"
|
||||
fi
|
||||
if [ -d .turbo ]; then
|
||||
echo "Turbo缓存大小: $(du -sh .turbo 2>/dev/null || echo '未知')"
|
||||
fi
|
||||
|
||||
echo "=== 缓存设置 ==="
|
||||
# 确保缓存目录存在且权限正确
|
||||
mkdir -p ~/.bun ~/.cache .turbo
|
||||
chmod -R 755 ~/.bun ~/.cache .turbo 2>/dev/null || true
|
||||
|
||||
# 设置Bun环境变量
|
||||
echo "BUN_INSTALL_CACHE_DIR=$HOME/.cache/bun" >> $GITHUB_ENV
|
||||
echo "BUN_INSTALL_BIN_DIR=$HOME/.bun/bin" >> $GITHUB_ENV
|
||||
|
||||
echo "✅ 缓存目录已准备完成"
|
||||
|
||||
- name: Turborepo cache (.turbo)
|
||||
if: env.CACHE_AVAILABLE == 'true'
|
||||
uses: actions/cache@v4
|
||||
continue-on-error: true
|
||||
with:
|
||||
path: .turbo
|
||||
key: turbo-${{ runner.os }}-${{ hashFiles('turbo.json') }}-${{ hashFiles('apps//package.json') }}-${{ hashFiles('packages//package.json') }}-${{ hashFiles('bun.lock') }}
|
||||
restore-keys: |
|
||||
turbo-${{ runner.os }}-${{ hashFiles('turbo.json') }}-${{ hashFiles('apps//package.json') }}-${{ hashFiles('packages//package.json') }}-
|
||||
turbo-${{ runner.os }}-${{ hashFiles('turbo.json') }}-
|
||||
turbo-${{ runner.os }}-
|
||||
|
||||
- name: 安装依赖 (bun)
|
||||
run: |
|
||||
echo "=== 依赖安装调试信息 ==="
|
||||
echo "当前目录: $(pwd)"
|
||||
echo "Bun版本: $(bun --version)"
|
||||
|
||||
# 检查node_modules缓存状态
|
||||
if [ -d "node_modules" ]; then
|
||||
echo "✅ 发现node_modules缓存"
|
||||
echo "node_modules大小: $(du -sh node_modules 2>/dev/null || echo '未知')"
|
||||
else
|
||||
echo "❌ 未发现node_modules缓存"
|
||||
fi
|
||||
|
||||
# 检查bun.lock文件
|
||||
if [ -f "bun.lock" ]; then
|
||||
echo "✅ 发现bun.lock文件"
|
||||
else
|
||||
echo "❌ 未发现bun.lock文件"
|
||||
fi
|
||||
|
||||
echo "=== 开始安装依赖 ==="
|
||||
echo "安装开始时间: $(date)"
|
||||
bun install --frozen-lockfile
|
||||
echo "安装完成时间: $(date)"
|
||||
|
||||
echo "=== 依赖安装完成 ==="
|
||||
echo "最终node_modules大小: $(du -sh node_modules 2>/dev/null || echo '未知')"
|
||||
|
||||
# 验证缓存效果
|
||||
echo "=== 缓存效果验证 ==="
|
||||
if [ -d "node_modules" ]; then
|
||||
echo "✅ 依赖安装成功"
|
||||
echo "包数量: $(ls node_modules | wc -l 2>/dev/null || echo '未知')"
|
||||
else
|
||||
echo "⚠️ 依赖可能未完全安装"
|
||||
fi
|
||||
|
||||
|
||||
- name: Decide build target (admin/user/both)
|
||||
run: |
|
||||
set -e
|
||||
COMMIT_MSG="${{ github.event.head_commit.message }}"
|
||||
BUILD_TARGET="both"
|
||||
if echo "$COMMIT_MSG" | grep -qi "\[admin-only\]"; then
|
||||
BUILD_TARGET="admin"
|
||||
elif echo "$COMMIT_MSG" | grep -qi "\[user-only\]"; then
|
||||
BUILD_TARGET="user"
|
||||
else
|
||||
if git rev-parse HEAD^ >/dev/null 2>&1; then
|
||||
RANGE="HEAD^..HEAD"
|
||||
else
|
||||
RANGE="$(git rev-list --max-parents=0 HEAD)..HEAD"
|
||||
fi
|
||||
CHANGED=$(git diff --name-only $RANGE || true)
|
||||
ADMIN_MATCH=$(echo "$CHANGED" | grep -E '^(apps/admin/|docker/ppanel-admin-web/)' || true)
|
||||
USER_MATCH=$(echo "$CHANGED" | grep -E '^(apps/user/|docker/ppanel-user-web/)' || true)
|
||||
PACKAGE_MATCH=$(echo "$CHANGED" | grep -E '^(packages/|turbo.json|package.json|bun.lock)' || true)
|
||||
if [ -n "$PACKAGE_MATCH" ]; then
|
||||
BUILD_TARGET="both"
|
||||
else
|
||||
if [ -n "$ADMIN_MATCH" ] && [ -z "$USER_MATCH" ]; then BUILD_TARGET="admin"; fi
|
||||
if [ -n "$USER_MATCH" ] && [ -z "$ADMIN_MATCH" ]; then BUILD_TARGET="user"; fi
|
||||
if [ -n "$ADMIN_MATCH" ] && [ -n "$USER_MATCH" ]; then BUILD_TARGET="both"; fi
|
||||
fi
|
||||
fi
|
||||
echo "BUILD_TARGET=$BUILD_TARGET" >> $GITHUB_ENV
|
||||
echo "Decided BUILD_TARGET=$BUILD_TARGET"
|
||||
|
||||
- name: Read version from package.json
|
||||
run: |
|
||||
if [ "$BUILD_TARGET" = "admin" ]; then
|
||||
VERSION=$(jq -r .version apps/admin/package.json)
|
||||
echo "使用 admin 应用版本: $VERSION"
|
||||
elif [ "$BUILD_TARGET" = "user" ]; then
|
||||
VERSION=$(jq -r .version apps/user/package.json)
|
||||
echo "使用 user 应用版本: $VERSION"
|
||||
else
|
||||
# both 或其他情况使用根目录版本
|
||||
VERSION=$(jq -r .version package.json)
|
||||
echo "使用根目录版本: $VERSION"
|
||||
fi
|
||||
if [ "$VERSION" = "null" ] || [ -z "$VERSION" ] || [ "$VERSION" = "undefined" ]; then
|
||||
echo "检测到版本为空,回退到根目录版本"
|
||||
VERSION=$(jq -r .version package.json)
|
||||
fi
|
||||
echo "VERSION=$VERSION" >> $GITHUB_ENV
|
||||
|
||||
- name: 根据分支动态设置API地址
|
||||
run: |
|
||||
if [ "${{ github.ref_name }}" = "main" ]; then
|
||||
echo "NEXT_PUBLIC_API_URL=https://api.hifast.biz" >> $GITHUB_ENV
|
||||
echo "为main分支设置生产环境API地址"
|
||||
elif [ "${{ github.ref_name }}" = "develop" ]; then
|
||||
echo "NEXT_PUBLIC_API_URL=https://api.hifast.biz" >> $GITHUB_ENV
|
||||
echo "为 develop 分支设置开发环境API地址"
|
||||
else
|
||||
echo "NEXT_PUBLIC_API_URL=https://api.hifast.biz" >> $GITHUB_ENV
|
||||
echo "为其他分支设置默认API地址"
|
||||
fi
|
||||
echo "BRANCH=${{ github.ref_name }}" >> $GITHUB_ENV
|
||||
|
||||
- name: Cache Next.js build artifacts (.next/cache)
|
||||
if: env.CACHE_AVAILABLE == 'true'
|
||||
uses: actions/cache@v4
|
||||
continue-on-error: true
|
||||
with:
|
||||
path: |
|
||||
apps/admin/.next/cache
|
||||
apps/user/.next/cache
|
||||
key: nextcache-${{ runner.os }}-${{ hashFiles('apps//package.json') }}-${{ hashFiles('packages//package.json') }}-${{ hashFiles('turbo.json') }}-${{ hashFiles('bun.lock') }}
|
||||
restore-keys: |
|
||||
nextcache-${{ runner.os }}-${{ hashFiles('apps//package.json') }}-${{ hashFiles('packages//package.json') }}-
|
||||
nextcache-${{ runner.os }}-
|
||||
|
||||
- name: Cache build outputs
|
||||
if: env.CACHE_AVAILABLE == 'true'
|
||||
uses: actions/cache@v4
|
||||
continue-on-error: true
|
||||
with:
|
||||
path: |
|
||||
apps/admin/.next
|
||||
apps/user/.next
|
||||
apps/admin/dist
|
||||
apps/user/dist
|
||||
key: build-${{ runner.os }}-${{ hashFiles('apps//*.ts', 'apps//*.tsx', 'apps//*.js', 'apps//*.jsx') }}-${{ hashFiles('packages//*.ts', 'packages//*.tsx') }}-${{ hashFiles('bun.lock') }}
|
||||
restore-keys: |
|
||||
build-${{ runner.os }}-${{ hashFiles('apps//*.ts', 'apps//*.tsx', 'apps//*.js', 'apps//*.jsx') }}-
|
||||
build-${{ runner.os }}-
|
||||
|
||||
- name: Cache ESLint
|
||||
if: env.CACHE_AVAILABLE == 'true'
|
||||
uses: actions/cache@v4
|
||||
continue-on-error: true
|
||||
with:
|
||||
path: |
|
||||
.eslintcache
|
||||
apps/admin/.eslintcache
|
||||
apps/user/.eslintcache
|
||||
key: eslint-${{ runner.os }}-${{ hashFiles('.eslintrc*', 'apps//.eslintrc*', 'packages//.eslintrc*') }}-${{ hashFiles('bun.lock') }}
|
||||
restore-keys: |
|
||||
eslint-${{ runner.os }}-
|
||||
|
||||
- name: Cache TypeScript
|
||||
if: env.CACHE_AVAILABLE == 'true'
|
||||
uses: actions/cache@v4
|
||||
continue-on-error: true
|
||||
with:
|
||||
path: |
|
||||
.tsbuildinfo
|
||||
apps/admin/.tsbuildinfo
|
||||
apps/user/.tsbuildinfo
|
||||
packages//.tsbuildinfo
|
||||
key: typescript-${{ runner.os }}-${{ hashFiles('tsconfig*.json', 'apps//tsconfig*.json', 'packages//tsconfig*.json') }}-${{ hashFiles('bun.lock') }}
|
||||
restore-keys: |
|
||||
typescript-${{ runner.os }}-
|
||||
|
||||
- name: 构建管理面板
|
||||
if: env.BUILD_TARGET == 'admin' || env.BUILD_TARGET == 'both'
|
||||
run: bun run build --filter=ppanel-admin-web
|
||||
|
||||
- name: 构建用户面板
|
||||
if: env.BUILD_TARGET == 'user' || env.BUILD_TARGET == 'both'
|
||||
run: bun run build --filter=ppanel-user-web
|
||||
|
||||
- name: 构建并推送管理面板Docker镜像
|
||||
if: env.BUILD_TARGET == 'admin' || env.BUILD_TARGET == 'both'
|
||||
run: |
|
||||
if docker buildx version >/dev/null 2>&1; then
|
||||
echo "使用docker buildx进行优化构建"
|
||||
docker buildx build \
|
||||
--platform linux/amd64 \
|
||||
--cache-from type=registry,ref=${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-admin-web:cache \
|
||||
--cache-to type=registry,ref=${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-admin-web:cache,mode=max \
|
||||
-f ./docker/ppanel-admin-web/Dockerfile \
|
||||
-t ${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-admin-web:${{ env.VERSION }} \
|
||||
--push .
|
||||
else
|
||||
echo "使用常规docker构建"
|
||||
docker build -f ./docker/ppanel-admin-web/Dockerfile -t ${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-admin-web:${{ env.VERSION }} .
|
||||
docker push ${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-admin-web:${{ env.VERSION }}
|
||||
fi
|
||||
|
||||
- name: 构建并推送用户面板Docker镜像
|
||||
if: env.BUILD_TARGET == 'user' || env.BUILD_TARGET == 'both'
|
||||
run: |
|
||||
if docker buildx version >/dev/null 2>&1; then
|
||||
echo "使用docker buildx进行优化构建"
|
||||
docker buildx build \
|
||||
--platform linux/amd64 \
|
||||
--cache-from type=registry,ref=${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-user-web:cache \
|
||||
--cache-to type=registry,ref=${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-user-web:cache,mode=max \
|
||||
-f ./docker/ppanel-user-web/Dockerfile \
|
||||
-t ${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-user-web:${{ env.VERSION }} \
|
||||
--push .
|
||||
else
|
||||
echo "使用常规docker构建"
|
||||
docker build -f ./docker/ppanel-user-web/Dockerfile -t ${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-user-web:${{ env.VERSION }} .
|
||||
docker push ${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-user-web:${{ env.VERSION }}
|
||||
fi
|
||||
|
||||
- name: SSH连接预检查
|
||||
if: env.BUILD_TARGET == 'admin' || env.BUILD_TARGET == 'user' || env.BUILD_TARGET == 'both'
|
||||
uses: appleboy/ssh-action@v1.0.3
|
||||
with:
|
||||
host: ${{ env.SSH_HOST }}
|
||||
username: ${{ env.SSH_USER }}
|
||||
password: ${{ env.SSH_PASSWORD }}
|
||||
port: ${{ env.SSH_PORT }}
|
||||
timeout: 300s
|
||||
command_timeout: 600s
|
||||
debug: true
|
||||
script: |
|
||||
echo "=== SSH连接测试 ==="
|
||||
echo "连接时间: $(date)"
|
||||
echo "服务器主机名: $(hostname)"
|
||||
echo "当前用户: $(whoami)"
|
||||
echo "系统信息: $(uname -a)"
|
||||
echo "Docker版本: $(docker --version 2>/dev/null || echo 'Docker未安装')"
|
||||
echo "✅ SSH连接成功"
|
||||
|
||||
- name: 部署管理面板到服务器
|
||||
if: env.BUILD_TARGET == 'admin' || env.BUILD_TARGET == 'both'
|
||||
uses: appleboy/ssh-action@v1.0.3
|
||||
with:
|
||||
host: ${{ env.SSH_HOST }}
|
||||
username: ${{ env.SSH_USER }}
|
||||
password: ${{ env.SSH_PASSWORD }}
|
||||
port: ${{ env.SSH_PORT }}
|
||||
timeout: 300s
|
||||
command_timeout: 600s
|
||||
script: |
|
||||
echo "=== SSH变量调试信息 ==="
|
||||
echo "DOCKER_REGISTRY: ${{ env.DOCKER_REGISTRY }}"
|
||||
echo "VERSION: ${{ env.VERSION }}"
|
||||
echo "NEXT_PUBLIC_API_URL: ${{ env.NEXT_PUBLIC_API_URL }}"
|
||||
echo "BRANCH: ${{ env.BRANCH }}"
|
||||
|
||||
echo "=== 部署管理面板 ==="
|
||||
|
||||
# 网络连通性检查
|
||||
echo "检查镜像服务器连通性..."
|
||||
REGISTRY_HOST=$(echo "${{ env.DOCKER_REGISTRY }}" | sed 's|https\?://||' | cut -d'/' -f1)
|
||||
echo "镜像仓库地址: $REGISTRY_HOST"
|
||||
|
||||
if ping -c 3 "$REGISTRY_HOST" > /dev/null 2>&1; then
|
||||
echo "✅ 镜像服务器连通性正常"
|
||||
else
|
||||
echo "⚠️ 镜像服务器ping失败,但继续尝试拉取镜像"
|
||||
fi
|
||||
|
||||
# 检查Docker登录状态
|
||||
echo "检查Docker登录状态..."
|
||||
if docker info > /dev/null 2>&1; then
|
||||
echo "✅ Docker服务正常"
|
||||
else
|
||||
echo "❌ Docker服务异常"
|
||||
exit 1
|
||||
fi
|
||||
|
||||
# 拉取镜像(带重试)
|
||||
echo "拉取Docker镜像..."
|
||||
for i in {1..3}; do
|
||||
echo "尝试拉取镜像 ($i/3): ${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-admin-web:${{ env.VERSION }}"
|
||||
if docker pull ${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-admin-web:${{ env.VERSION }}; then
|
||||
echo "✅ 镜像拉取成功"
|
||||
break
|
||||
else
|
||||
echo "❌ 镜像拉取失败,重试 $i/3"
|
||||
echo "检查网络和镜像仓库状态..."
|
||||
|
||||
# 显示详细错误信息
|
||||
echo "--- 网络诊断信息 ---"
|
||||
echo "DNS解析测试:"
|
||||
nslookup "$REGISTRY_HOST" || echo "DNS解析失败"
|
||||
echo "网络连通性测试:"
|
||||
ping -c 2 "$REGISTRY_HOST" || echo "ping失败"
|
||||
echo "Docker镜像仓库连接测试:"
|
||||
curl -I "https://$REGISTRY_HOST/v2/" 2>/dev/null || echo "仓库API访问失败"
|
||||
|
||||
sleep 5
|
||||
if [ $i -eq 3 ]; then
|
||||
echo "❌ 镜像拉取失败,部署终止"
|
||||
echo "请检查:"
|
||||
echo "1. 网络连接是否正常"
|
||||
echo "2. 镜像仓库是否可访问"
|
||||
echo "3. 镜像标签是否存在"
|
||||
echo "4. Docker登录凭据是否正确"
|
||||
exit 1
|
||||
fi
|
||||
fi
|
||||
done
|
||||
|
||||
# 安全停止和移除容器
|
||||
echo "检查现有容器状态..."
|
||||
CONTAINER_NAME="ppanel-admin-web"
|
||||
|
||||
# 检查容器是否存在
|
||||
if docker ps -aq -f name=$CONTAINER_NAME | grep -q .; then
|
||||
echo "发现现有容器,开始清理..."
|
||||
|
||||
# 检查容器是否正在运行
|
||||
if docker ps -q -f name=$CONTAINER_NAME | grep -q .; then
|
||||
echo "停止运行中的容器..."
|
||||
docker stop $CONTAINER_NAME --time=15 || true
|
||||
sleep 5
|
||||
fi
|
||||
|
||||
# 检查容器是否正在被移除
|
||||
echo "检查容器移除状态..."
|
||||
for i in {1..15}; do
|
||||
# 尝试获取容器状态
|
||||
CONTAINER_STATUS=$(docker inspect $CONTAINER_NAME --format='{{.State.Status}}' 2>/dev/null || echo "not_found")
|
||||
|
||||
if [ "$CONTAINER_STATUS" = "not_found" ]; then
|
||||
echo "✅ 容器已不存在"
|
||||
break
|
||||
elif [ "$CONTAINER_STATUS" = "removing" ]; then
|
||||
echo "⏳ 容器正在移除中,等待完成... $i/15"
|
||||
sleep 3
|
||||
else
|
||||
echo "尝试移除容器... $i/15"
|
||||
if docker rm -f $CONTAINER_NAME 2>/dev/null; then
|
||||
echo "✅ 容器移除成功"
|
||||
break
|
||||
else
|
||||
echo "⚠️ 容器移除失败,重试..."
|
||||
sleep 2
|
||||
fi
|
||||
fi
|
||||
|
||||
# 最后一次尝试强制清理
|
||||
if [ $i -eq 15 ]; then
|
||||
echo "🔧 执行强制清理..."
|
||||
docker kill $CONTAINER_NAME 2>/dev/null || true
|
||||
sleep 2
|
||||
docker rm -f $CONTAINER_NAME 2>/dev/null || true
|
||||
sleep 2
|
||||
fi
|
||||
done
|
||||
else
|
||||
echo "✅ 未发现现有容器"
|
||||
fi
|
||||
|
||||
echo "启动新容器..."
|
||||
docker run -d \
|
||||
--network host \
|
||||
--name fastvpn-admin-web \
|
||||
--restart unless-stopped \
|
||||
-p 3001:3000 \
|
||||
-e NEXT_PUBLIC_API_URL=${{ env.NEXT_PUBLIC_API_URL }} \
|
||||
${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-admin-web:${{ env.VERSION }}
|
||||
|
||||
# 验证容器启动
|
||||
echo "验证容器启动状态..."
|
||||
for i in {1..10}; do
|
||||
if docker ps -q -f name=fastvpn-admin-web | grep -q .; then
|
||||
echo "✅ 管理面板部署成功"
|
||||
docker ps -f name=fastvpn-admin-web --format "table {{.Names}}\t{{.Status}}\t{{.Ports}}"
|
||||
exit 0
|
||||
else
|
||||
echo "等待容器启动... $i/10"
|
||||
sleep 3
|
||||
fi
|
||||
done
|
||||
|
||||
echo "❌ 管理面板部署失败 - 容器未能正常启动"
|
||||
docker logs fastvpn-admin-web || true
|
||||
exit 1
|
||||
|
||||
- name: 部署用户面板到服务器
|
||||
if: env.BUILD_TARGET == 'user' || env.BUILD_TARGET == 'both'
|
||||
uses: appleboy/ssh-action@v1.0.3
|
||||
with:
|
||||
host: ${{ env.SSH_HOST }}
|
||||
username: ${{ env.SSH_USER }}
|
||||
password: ${{ env.SSH_PASSWORD }}
|
||||
port: ${{ env.SSH_PORT }}
|
||||
timeout: 300s
|
||||
command_timeout: 600s
|
||||
debug: true
|
||||
script: |
|
||||
echo "=== SSH变量调试信息 ==="
|
||||
echo "DOCKER_REGISTRY: ${{ env.DOCKER_REGISTRY }}"
|
||||
echo "VERSION: ${{ env.VERSION }}"
|
||||
echo "NEXT_PUBLIC_API_URL: ${{ env.NEXT_PUBLIC_API_URL }}"
|
||||
echo "BRANCH: ${{ env.BRANCH }}"
|
||||
|
||||
echo "=== 部署用户面板 ==="
|
||||
|
||||
# 网络连通性检查
|
||||
echo "检查镜像服务器连通性..."
|
||||
REGISTRY_HOST=$(echo "${{ env.DOCKER_REGISTRY }}" | sed 's|https\?://||' | cut -d'/' -f1)
|
||||
echo "镜像仓库地址: $REGISTRY_HOST"
|
||||
|
||||
if ping -c 3 "$REGISTRY_HOST" > /dev/null 2>&1; then
|
||||
echo "✅ 镜像服务器连通性正常"
|
||||
else
|
||||
echo "⚠️ 镜像服务器ping失败,但继续尝试拉取镜像"
|
||||
fi
|
||||
|
||||
# 检查Docker登录状态
|
||||
echo "检查Docker登录状态..."
|
||||
if docker info > /dev/null 2>&1; then
|
||||
echo "✅ Docker服务正常"
|
||||
else
|
||||
echo "❌ Docker服务异常"
|
||||
exit 1
|
||||
fi
|
||||
|
||||
# 拉取镜像(带重试)
|
||||
echo "拉取Docker镜像..."
|
||||
for i in {1..3}; do
|
||||
echo "尝试拉取镜像 ($i/3): ${{ env.DOCKER_REGISTRY }}/ppanel/ppanel-user-web:${{ env.VERSION }}"
|
||||
if docker pull ${{ env.DOCKER_REGISTRY }}/ppanel/ppanel-user-web:${{ env.VERSION }}; then
|
||||
echo "✅ 镜像拉取成功"
|
||||
break
|
||||
else
|
||||
echo "❌ 镜像拉取失败,重试 $i/3"
|
||||
echo "检查网络和镜像仓库状态..."
|
||||
|
||||
# 显示详细错误信息
|
||||
echo "--- 网络诊断信息 ---"
|
||||
echo "DNS解析测试:"
|
||||
nslookup "$REGISTRY_HOST" || echo "DNS解析失败"
|
||||
echo "网络连通性测试:"
|
||||
ping -c 2 "$REGISTRY_HOST" || echo "ping失败"
|
||||
echo "Docker镜像仓库连接测试:"
|
||||
curl -I "https://$REGISTRY_HOST/v2/" 2>/dev/null || echo "仓库API访问失败"
|
||||
|
||||
sleep 5
|
||||
if [ $i -eq 3 ]; then
|
||||
echo "❌ 镜像拉取失败,部署终止"
|
||||
echo "请检查:"
|
||||
echo "1. 网络连接是否正常"
|
||||
echo "2. 镜像仓库是否可访问"
|
||||
echo "3. 镜像标签是否存在"
|
||||
echo "4. Docker登录凭据是否正确"
|
||||
exit 1
|
||||
fi
|
||||
fi
|
||||
done
|
||||
|
||||
# 安全停止和移除容器
|
||||
echo "检查现有容器状态..."
|
||||
CONTAINER_NAME="ppanel-user-web"
|
||||
|
||||
# 检查容器是否存在
|
||||
if docker ps -aq -f name=$CONTAINER_NAME | grep -q .; then
|
||||
echo "发现现有容器,开始清理..."
|
||||
|
||||
# 检查容器是否正在运行
|
||||
if docker ps -q -f name=$CONTAINER_NAME | grep -q .; then
|
||||
echo "停止运行中的容器..."
|
||||
docker stop $CONTAINER_NAME --time=15 || true
|
||||
sleep 5
|
||||
fi
|
||||
|
||||
# 检查容器是否正在被移除
|
||||
echo "检查容器移除状态..."
|
||||
for i in {1..15}; do
|
||||
# 尝试获取容器状态
|
||||
CONTAINER_STATUS=$(docker inspect $CONTAINER_NAME --format='{{.State.Status}}' 2>/dev/null || echo "not_found")
|
||||
|
||||
if [ "$CONTAINER_STATUS" = "not_found" ]; then
|
||||
echo "✅ 容器已不存在"
|
||||
break
|
||||
elif [ "$CONTAINER_STATUS" = "removing" ]; then
|
||||
echo "⏳ 容器正在移除中,等待完成... $i/15"
|
||||
sleep 3
|
||||
else
|
||||
echo "尝试移除容器... $i/15"
|
||||
if docker rm -f $CONTAINER_NAME 2>/dev/null; then
|
||||
echo "✅ 容器移除成功"
|
||||
break
|
||||
else
|
||||
echo "⚠️ 容器移除失败,重试..."
|
||||
sleep 2
|
||||
fi
|
||||
fi
|
||||
|
||||
# 最后一次尝试强制清理
|
||||
if [ $i -eq 15 ]; then
|
||||
echo "🔧 执行强制清理..."
|
||||
docker kill $CONTAINER_NAME 2>/dev/null || true
|
||||
sleep 2
|
||||
docker rm -f $CONTAINER_NAME 2>/dev/null || true
|
||||
sleep 2
|
||||
fi
|
||||
done
|
||||
else
|
||||
echo "✅ 未发现现有容器"
|
||||
fi
|
||||
|
||||
echo "启动新容器..."
|
||||
docker run -d \
|
||||
--network host \
|
||||
--name fastvpn-user-web \
|
||||
--restart unless-stopped \
|
||||
-p 3002:3000 \
|
||||
-e NEXT_PUBLIC_API_URL=${{ env.NEXT_PUBLIC_API_URL }} \
|
||||
${{ env.DOCKER_REGISTRY }}/ppanel/fastvpn-user-web:${{ env.VERSION }}
|
||||
|
||||
# 验证容器启动
|
||||
echo "验证容器启动状态..."
|
||||
for i in {1..10}; do
|
||||
if docker ps -q -f name=fastvpn-user-web | grep -q .; then
|
||||
echo "✅ 用户面板部署成功"
|
||||
docker ps -f name=fastvpn-user-web --format "table {{.Names}}\t{{.Status}}\t{{.Ports}}"
|
||||
exit 0
|
||||
else
|
||||
echo "等待容器启动... $i/10"
|
||||
sleep 3
|
||||
fi
|
||||
done
|
||||
|
||||
echo "❌ 用户面板部署失败 - 容器未能正常启动"
|
||||
docker logs fastvpn-user-web || true
|
||||
exit 1
|
||||
|
||||
# 步骤5: TG通知 (成功)
|
||||
- name: 📱 发送成功通知到Telegram
|
||||
if: success()
|
||||
uses: appleboy/telegram-action@master
|
||||
with:
|
||||
token: ${{ env.TELEGRAM_BOT_TOKEN }}
|
||||
to: ${{ env.TELEGRAM_CHAT_ID }}
|
||||
message: |
|
||||
✅ 部署成功!
|
||||
|
||||
📦 项目: ${{ github.repository }}
|
||||
🌿 分支: ${{ github.ref_name }}
|
||||
🔖 版本: ${{ env.VERSION }}
|
||||
🎯 构建目标: ${{ env.BUILD_TARGET }}
|
||||
🔗 API地址: ${{ env.NEXT_PUBLIC_API_URL }}
|
||||
📝 提交: ${{ github.sha }}
|
||||
👤 提交者: ${{ github.actor }}
|
||||
🕐 时间: ${{ github.event.head_commit.timestamp }}
|
||||
|
||||
🚀 服务已成功部署到生产环境
|
||||
|
||||
# 步骤5: TG通知 (失败)
|
||||
- name: 📱 发送失败通知到Telegram
|
||||
if: failure()
|
||||
uses: appleboy/telegram-action@master
|
||||
with:
|
||||
token: ${{ env.TELEGRAM_BOT_TOKEN }}
|
||||
to: ${{ env.TELEGRAM_CHAT_ID }}
|
||||
message: |
|
||||
❌ 部署失败!
|
||||
|
||||
📦 项目: ${{ github.repository }}
|
||||
🌿 分支: ${{ github.ref_name }}
|
||||
🔖 版本: ${{ env.VERSION }}
|
||||
🎯 构建目标: ${{ env.BUILD_TARGET }}
|
||||
📝 提交: ${{ github.sha }}
|
||||
👤 提交者: ${{ github.actor }}
|
||||
🕐 时间: ${{ github.event.head_commit.timestamp }}
|
||||
|
||||
⚠️ 请检查构建日志获取详细信息
|
||||
45
.github/ISSUE_TEMPLATE/1_bug_report.yml
vendored
45
.github/ISSUE_TEMPLATE/1_bug_report.yml
vendored
@ -1,45 +0,0 @@
|
||||
name: '🐛 反馈缺陷 Bug Report'
|
||||
description: '反馈一个问题缺陷 | Report an bug'
|
||||
title: '[Bug] '
|
||||
labels: '🐛 Bug'
|
||||
body:
|
||||
- type: dropdown
|
||||
attributes:
|
||||
label: '💻 系统环境 | Operating System'
|
||||
options:
|
||||
- Windows
|
||||
- macOS
|
||||
- Ubuntu
|
||||
- Other Linux
|
||||
- Other
|
||||
validations:
|
||||
required: true
|
||||
- type: dropdown
|
||||
attributes:
|
||||
label: '🌐 浏览器 | Browser'
|
||||
options:
|
||||
- Chrome
|
||||
- Edge
|
||||
- Safari
|
||||
- Firefox
|
||||
- Other
|
||||
validations:
|
||||
required: true
|
||||
- type: textarea
|
||||
attributes:
|
||||
label: '🐛 问题描述 | Bug Description'
|
||||
description: A clear and concise description of the bug.
|
||||
validations:
|
||||
required: true
|
||||
- type: textarea
|
||||
attributes:
|
||||
label: '🚦 期望结果 | Expected Behavior'
|
||||
description: A clear and concise description of what you expected to happen.
|
||||
- type: textarea
|
||||
attributes:
|
||||
label: '📷 复现步骤 | Recurrence Steps'
|
||||
description: A clear and concise description of how to recurrence.
|
||||
- type: textarea
|
||||
attributes:
|
||||
label: '📝 补充信息 | Additional Information'
|
||||
description: If your problem needs further explanation, or if the issue you're seeing cannot be reproduced in a gist, please add more information here.
|
||||
21
.github/ISSUE_TEMPLATE/2_feature_request.yml
vendored
21
.github/ISSUE_TEMPLATE/2_feature_request.yml
vendored
@ -1,21 +0,0 @@
|
||||
name: '🌠 功能需求 Feature Request'
|
||||
description: '需求或建议 | Suggest an idea'
|
||||
title: '[Request] '
|
||||
labels: '🌠 Feature Request'
|
||||
body:
|
||||
- type: textarea
|
||||
attributes:
|
||||
label: '🥰 需求描述 | Feature Description'
|
||||
description: Please add a clear and concise description of the problem you are seeking to solve with this feature request.
|
||||
validations:
|
||||
required: true
|
||||
- type: textarea
|
||||
attributes:
|
||||
label: '🧐 解决方案 | Proposed Solution'
|
||||
description: Describe the solution you'd like in a clear and concise manner.
|
||||
validations:
|
||||
required: true
|
||||
- type: textarea
|
||||
attributes:
|
||||
label: '📝 补充信息 | Additional Information'
|
||||
description: Add any other context about the problem here.
|
||||
15
.github/ISSUE_TEMPLATE/3_question.yml
vendored
15
.github/ISSUE_TEMPLATE/3_question.yml
vendored
@ -1,15 +0,0 @@
|
||||
name: '😇 疑问或帮助 Help Wanted'
|
||||
description: '疑问或需要帮助 | Need help'
|
||||
title: '[Question] '
|
||||
labels: '😇 Help Wanted'
|
||||
body:
|
||||
- type: textarea
|
||||
attributes:
|
||||
label: '🧐 问题描述 | Proposed Solution'
|
||||
description: A clear and concise description of the proplem.
|
||||
validations:
|
||||
required: true
|
||||
- type: textarea
|
||||
attributes:
|
||||
label: '📝 补充信息 | Additional Information'
|
||||
description: Add any other context about the problem here.
|
||||
7
.github/ISSUE_TEMPLATE/4_other.md
vendored
7
.github/ISSUE_TEMPLATE/4_other.md
vendored
@ -1,7 +0,0 @@
|
||||
---
|
||||
name: '📝 其他 Other'
|
||||
about: '其他问题 | Other issues'
|
||||
title: ''
|
||||
labels: ''
|
||||
assignees: ''
|
||||
---
|
||||
17
.github/PULL_REQUEST_TEMPLATE.md
vendored
17
.github/PULL_REQUEST_TEMPLATE.md
vendored
@ -1,17 +0,0 @@
|
||||
#### 💻 变更类型 | Change Type
|
||||
|
||||
<!-- For change type, change [ ] to [x]. -->
|
||||
|
||||
- \[ ] ✨ feat
|
||||
- \[ ] 🐛 fix
|
||||
- \[ ] 💄 style
|
||||
- \[ ] 🔨 chore
|
||||
- \[ ] 📝 docs
|
||||
|
||||
#### 🔀 变更说明 | Description of Change
|
||||
|
||||
<!-- Thank you for your Pull Request. Please provide a description above. -->
|
||||
|
||||
#### 📝 补充信息 | Additional Information
|
||||
|
||||
<!-- Add any other context about the Pull Request here. -->
|
||||
30
.github/workflows/auto-merge.yml
vendored
30
.github/workflows/auto-merge.yml
vendored
@ -1,30 +0,0 @@
|
||||
name: Dependabot Auto Merge
|
||||
on:
|
||||
pull_request_target:
|
||||
types: [labeled, edited]
|
||||
|
||||
jobs:
|
||||
merge:
|
||||
if: contains(github.event.pull_request.labels.*.name, 'dependencies')
|
||||
name: Dependabot Auto Merge
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- uses: actions/checkout@v4
|
||||
|
||||
- name: Install pnpm
|
||||
uses: pnpm/action-setup@v4
|
||||
|
||||
- name: Setup Node.js environment
|
||||
uses: actions/setup-node@v4
|
||||
with:
|
||||
node-version: '20'
|
||||
|
||||
- name: Install deps
|
||||
run: pnpm install
|
||||
|
||||
- name: Merge
|
||||
uses: ahmadnassri/action-dependabot-auto-merge@v2
|
||||
with:
|
||||
command: merge
|
||||
target: minor
|
||||
github-token: ${{ secrets.GH_TOKEN }}
|
||||
22
.github/workflows/issue-check-inactive.yml
vendored
22
.github/workflows/issue-check-inactive.yml
vendored
@ -1,22 +0,0 @@
|
||||
name: Issue Check Inactive
|
||||
|
||||
on:
|
||||
schedule:
|
||||
- cron: '0 0 */15 * *'
|
||||
|
||||
permissions:
|
||||
contents: read
|
||||
|
||||
jobs:
|
||||
issue-check-inactive:
|
||||
permissions:
|
||||
issues: write # for actions-cool/issues-helper to update issues
|
||||
pull-requests: write # for actions-cool/issues-helper to update PRs
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- name: check-inactive
|
||||
uses: actions-cool/issues-helper@v3
|
||||
with:
|
||||
actions: 'check-inactive'
|
||||
inactive-label: 'Inactive'
|
||||
inactive-day: 30
|
||||
46
.github/workflows/issue-close-require.yml
vendored
46
.github/workflows/issue-close-require.yml
vendored
@ -1,46 +0,0 @@
|
||||
name: Issue Close Require
|
||||
|
||||
on:
|
||||
schedule:
|
||||
- cron: '0 0 * * *'
|
||||
|
||||
permissions:
|
||||
contents: read
|
||||
|
||||
jobs:
|
||||
issue-close-require:
|
||||
permissions:
|
||||
issues: write # for actions-cool/issues-helper to update issues
|
||||
pull-requests: write # for actions-cool/issues-helper to update PRs
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- name: need reproduce
|
||||
uses: actions-cool/issues-helper@v3
|
||||
with:
|
||||
actions: 'close-issues'
|
||||
labels: '✅ Fixed'
|
||||
inactive-day: 3
|
||||
body: |
|
||||
Since the issue was labeled with `✅ Fixed`, but no response in 3 days. This issue will be closed. If you have any questions, you can comment and reply.
|
||||
|
||||
由于该 issue 被标记为已修复,同时 3 天未收到回应。现关闭 issue,若有任何问题,可评论回复。
|
||||
- name: need reproduce
|
||||
uses: actions-cool/issues-helper@v3
|
||||
with:
|
||||
actions: 'close-issues'
|
||||
labels: '🤔 Need Reproduce'
|
||||
inactive-day: 3
|
||||
body: |
|
||||
Since the issue was labeled with `🤔 Need Reproduce`, but no response in 3 days. This issue will be closed. If you have any questions, you can comment and reply.
|
||||
|
||||
由于该 issue 被标记为需要更多信息,却 3 天未收到回应。现关闭 issue,若有任何问题,可评论回复。
|
||||
- name: need reproduce
|
||||
uses: actions-cool/issues-helper@v3
|
||||
with:
|
||||
actions: 'close-issues'
|
||||
labels: "🙅🏻♀️ WON'T DO"
|
||||
inactive-day: 3
|
||||
body: |
|
||||
Since the issue was labeled with `🙅🏻♀️ WON'T DO`, and no response in 3 days. This issue will be closed. If you have any questions, you can comment and reply.
|
||||
|
||||
由于该 issue 被标记为暂不处理,同时 3 天未收到回应。现关闭 issue,若有任何问题,可评论回复。
|
||||
25
.github/workflows/issue-remove-inactive.yml
vendored
25
.github/workflows/issue-remove-inactive.yml
vendored
@ -1,25 +0,0 @@
|
||||
name: Issue Remove Inactive
|
||||
|
||||
on:
|
||||
issues:
|
||||
types: [edited]
|
||||
issue_comment:
|
||||
types: [created, edited]
|
||||
|
||||
permissions:
|
||||
contents: read
|
||||
|
||||
jobs:
|
||||
issue-remove-inactive:
|
||||
permissions:
|
||||
issues: write # for actions-cool/issues-helper to update issues
|
||||
pull-requests: write # for actions-cool/issues-helper to update PRs
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- name: remove inactive
|
||||
if: github.event.issue.state == 'open' && github.actor == github.event.issue.user.login
|
||||
uses: actions-cool/issues-helper@v3
|
||||
with:
|
||||
actions: 'remove-labels'
|
||||
issue-number: ${{ github.event.issue.number }}
|
||||
labels: 'Inactive'
|
||||
89
.github/workflows/publish-release-assets.yml
vendored
89
.github/workflows/publish-release-assets.yml
vendored
@ -1,89 +0,0 @@
|
||||
name: Publish Release Assets
|
||||
|
||||
on:
|
||||
release:
|
||||
types: [published]
|
||||
|
||||
permissions:
|
||||
contents: write
|
||||
|
||||
jobs:
|
||||
publish:
|
||||
name: Publish Release Assets
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- uses: actions/checkout@v4
|
||||
|
||||
- name: Setup Bun
|
||||
uses: oven-sh/setup-bun@v1
|
||||
with:
|
||||
bun-version: 'latest'
|
||||
|
||||
- name: Cache Bun dependencies
|
||||
uses: actions/cache@v3
|
||||
with:
|
||||
path: |
|
||||
~/.bun
|
||||
key: ${{ runner.os }}-bun-cache-${{ hashFiles('**/bun.lockb') }}
|
||||
restore-keys: |
|
||||
${{ runner.os }}-bun-cache-
|
||||
|
||||
- name: Install deps
|
||||
run: bun install --cache
|
||||
|
||||
- name: Build
|
||||
run: bun run build
|
||||
|
||||
- name: Run publish script
|
||||
run: |
|
||||
chmod +x scripts/publish.sh
|
||||
./scripts/publish.sh
|
||||
|
||||
- name: Upload tar.gz file to release
|
||||
uses: softprops/action-gh-release@v2
|
||||
with:
|
||||
files: |
|
||||
out/ppanel-admin-web.tar.gz
|
||||
out/ppanel-user-web.tar.gz
|
||||
token: ${{ secrets.GITHUB_TOKEN }}
|
||||
|
||||
- name: Set up QEMU
|
||||
uses: docker/setup-qemu-action@v3
|
||||
|
||||
- name: Set up Docker Buildx
|
||||
uses: docker/setup-buildx-action@v3
|
||||
|
||||
- name: Log in to Docker Hub
|
||||
uses: docker/login-action@v2
|
||||
with:
|
||||
username: ${{ secrets.DOCKER_USERNAME }}
|
||||
password: ${{ secrets.DOCKER_PASSWORD }}
|
||||
|
||||
- name: Install jq
|
||||
run: sudo apt-get install -y jq
|
||||
|
||||
- name: Extract version from package.json
|
||||
id: version
|
||||
run: echo "PPANEL_VERSION=$(jq -r '.version' package.json)" >> $GITHUB_ENV
|
||||
|
||||
- name: Build and push Docker image for ppanel-admin-web
|
||||
uses: docker/build-push-action@v6
|
||||
with:
|
||||
context: .
|
||||
file: ./docker/ppanel-admin-web/Dockerfile
|
||||
platforms: linux/amd64,linux/arm64
|
||||
push: true
|
||||
tags: |
|
||||
${{ secrets.DOCKER_USERNAME }}/ppanel-admin-web:latest
|
||||
${{ secrets.DOCKER_USERNAME }}/ppanel-admin-web:${{ env.PPANEL_VERSION }}
|
||||
|
||||
- name: Build and push Docker image for ppanel-user-web
|
||||
uses: docker/build-push-action@v6
|
||||
with:
|
||||
context: .
|
||||
file: ./docker/ppanel-user-web/Dockerfile
|
||||
platforms: linux/amd64,linux/arm64
|
||||
push: true
|
||||
tags: |
|
||||
${{ secrets.DOCKER_USERNAME }}/ppanel-user-web:latest
|
||||
${{ secrets.DOCKER_USERNAME }}/ppanel-user-web:${{ env.PPANEL_VERSION }}
|
||||
42
.github/workflows/release.yml
vendored
42
.github/workflows/release.yml
vendored
@ -1,42 +0,0 @@
|
||||
name: Build and Release
|
||||
|
||||
on:
|
||||
push:
|
||||
branches: [main, next, beta]
|
||||
|
||||
permissions:
|
||||
contents: write
|
||||
|
||||
jobs:
|
||||
release:
|
||||
name: Build
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- uses: actions/checkout@v4
|
||||
|
||||
- name: Setup Bun
|
||||
uses: oven-sh/setup-bun@v1
|
||||
with:
|
||||
bun-version: 'latest'
|
||||
|
||||
- name: Cache Bun dependencies
|
||||
uses: actions/cache@v3
|
||||
with:
|
||||
path: |
|
||||
~/.bun
|
||||
node_modules
|
||||
key: ${{ runner.os }}-bun-cache-${{ hashFiles('**/bun.lockb') }}
|
||||
restore-keys: |
|
||||
${{ runner.os }}-bun-cache-
|
||||
|
||||
- name: Install deps
|
||||
run: bun install
|
||||
|
||||
- name: Build
|
||||
run: bun run build
|
||||
|
||||
- name: Release
|
||||
id: release
|
||||
run: bun run release
|
||||
env:
|
||||
GH_TOKEN: ${{ secrets.GH_TOKEN }}
|
||||
@ -0,0 +1,16 @@
|
||||
我已找到导致页面显示异常的两个主要原因:
|
||||
|
||||
1. **标签值重复**:“到期通知”的内容区域错误地使用了 `value='verify'`(与“验证邮件”重复),导致点击标签时无法正确匹配。
|
||||
2. **强制渲染属性**:部分标签页使用了 `forceMount` 属性,导致内容即使未被选中也保留在页面上。由于表单已配置 `shouldUnregister: false`,我们可以安全地移除该属性,让未选中的标签页自动隐藏。
|
||||
|
||||
**修改计划:**
|
||||
|
||||
编辑 `apps/admin/app/dashboard/auth-control/forms/email-settings-form.tsx` 文件:
|
||||
|
||||
1. **修正标签关联**:将第 474 行的 `value='verify'` 修改为 `value='expiration'`。
|
||||
2. **优化显示逻辑**:移除以下位置的 `forceMount` 属性,确保只有当前选中的标签页才会显示:
|
||||
- SMTP 设置 (第 260 行)
|
||||
- 到期通知 (第 474 行)
|
||||
- 维护通知 (第 519 行)
|
||||
|
||||
这样修改后,点击对应的标签将只显示对应的内容,且“全部显示”的问题将得到解决。
|
||||
15
.vscode/settings.json
vendored
15
.vscode/settings.json
vendored
@ -1,15 +0,0 @@
|
||||
{
|
||||
"eslint.workingDirectories": [
|
||||
{
|
||||
"mode": "auto"
|
||||
}
|
||||
],
|
||||
"explorer.fileNesting.enabled": true,
|
||||
"explorer.fileNesting.patterns": {
|
||||
"*.ts": "${capture}.js",
|
||||
"*.js": "${capture}.js.map, ${capture}.min.js, ${capture}.d.ts",
|
||||
"*.jsx": "${capture}.js",
|
||||
"*.tsx": "${capture}.ts",
|
||||
"README.md": "*.md, LICENSE"
|
||||
}
|
||||
}
|
||||
81
CHANGELOG.md
81
CHANGELOG.md
@ -1,22 +1,79 @@
|
||||
<a name="readme-top"></a>
|
||||
# Changelog
|
||||
|
||||
# [1.5.0](https://github.com/perfect-panel/ppanel-web/compare/v1.4.8...v1.5.0) (2025-09-28)
|
||||
|
||||
|
||||
### ✨ Features
|
||||
|
||||
* Update server configuration translations for multiple languages ([fc43de1](https://github.com/perfect-panel/ppanel-web/commit/fc43de1))
|
||||
## [1.6.1](https://github.com/perfect-panel/ppanel-web/compare/v1.6.0...v1.6.1) (2025-11-05)
|
||||
|
||||
|
||||
### 🐛 Bug Fixes
|
||||
|
||||
* Add DynamicMultiplier component for managing node multipliers and update ServersPage layout ([bb6671c](https://github.com/perfect-panel/ppanel-web/commit/bb6671c))
|
||||
* Remove unnecessary blank lines in multiple index files for cleaner code structure ([6a823b8](https://github.com/perfect-panel/ppanel-web/commit/6a823b8))
|
||||
* Remove unused ratio variable from server traffic log and server form for cleaner code ([55034dc](https://github.com/perfect-panel/ppanel-web/commit/55034dc))
|
||||
* Update Badge variants and restructure traffic ratio display in ServersPage ([3d778e5](https://github.com/perfect-panel/ppanel-web/commit/3d778e5))
|
||||
* Update minimum ratio value to 0 in protocol fields and adjust related schemas; enhance unit conversion in ServerConfig ([3b6ef17](https://github.com/perfect-panel/ppanel-web/commit/3b6ef17))
|
||||
* Update protocol fields to use 'obfs' instead of 'security' and adjust related configurations ([4abdd36](https://github.com/perfect-panel/ppanel-web/commit/4abdd36))
|
||||
* Fixing issues with generating standard and quantum-resistant encryption keys ([5eac6a9](https://github.com/perfect-panel/ppanel-web/commit/5eac6a9))
|
||||
|
||||
<a name="readme-top"></a>
|
||||
|
||||
# Changelog
|
||||
|
||||
# [1.6.0](https://github.com/perfect-panel/ppanel-web/compare/v1.5.4...v1.6.0) (2025-10-28)
|
||||
|
||||
### ✨ Features
|
||||
|
||||
- Add server installation dialog and commands ([4429c9d](https://github.com/perfect-panel/ppanel-web/commit/4429c9d))
|
||||
|
||||
### 🐛 Bug Fixes
|
||||
|
||||
- Add typeRoots configuration to ensure type definitions are resolved correctly ([ad60ea9](https://github.com/perfect-panel/ppanel-web/commit/ad60ea9))
|
||||
|
||||
<a name="readme-top"></a>
|
||||
|
||||
# Changelog
|
||||
|
||||
## [1.5.4](https://github.com/perfect-panel/ppanel-web/compare/v1.5.3...v1.5.4) (2025-10-26)
|
||||
|
||||
### 🐛 Bug Fixes
|
||||
|
||||
- Update generateRealityKeyPair to use async key generation ([e60e369](https://github.com/perfect-panel/ppanel-web/commit/e60e369))
|
||||
- Update the wallet localization file and add new fields such as automatic reset and recharge ([88aa965](https://github.com/perfect-panel/ppanel-web/commit/88aa965))
|
||||
|
||||
## [1.5.3](https://github.com/perfect-panel/ppanel-web/compare/v1.5.2...v1.5.3) (2025-10-21)
|
||||
|
||||
### 🐛 Bug Fixes
|
||||
|
||||
- Fix bugs ([a46657d](https://github.com/perfect-panel/ppanel-web/commit/a46657d))
|
||||
- Fix dependencies ([8bd25d6](https://github.com/perfect-panel/ppanel-web/commit/8bd25d6))
|
||||
- Remove unnecessary migration function code and add device configuration options ([521a7a9](https://github.com/perfect-panel/ppanel-web/commit/521a7a9))
|
||||
- Update bun.lockb to reflect dependency changes ([ca892dd](https://github.com/perfect-panel/ppanel-web/commit/ca892dd))
|
||||
|
||||
<a name="readme-top"></a>
|
||||
|
||||
# Changelog
|
||||
|
||||
## [1.5.2](https://github.com/perfect-panel/ppanel-web/compare/v1.5.1...v1.5.2) (2025-09-29)
|
||||
|
||||
### 🐛 Bug Fixes
|
||||
|
||||
- Add step attribute to datetime-local inputs for precise time selection in forms ([32fd181](https://github.com/perfect-panel/ppanel-web/commit/32fd181))
|
||||
- Rename 'hysteria2' to 'hysteria' across protocol definitions and schemas for consistency ([5816dd5](https://github.com/perfect-panel/ppanel-web/commit/5816dd5))
|
||||
- Update protocol options in ServerConfig for accuracy and consistency ([9266529](https://github.com/perfect-panel/ppanel-web/commit/9266529))
|
||||
|
||||
## [1.5.1](https://github.com/perfect-panel/ppanel-web/compare/v1.5.0...v1.5.1) (2025-09-28)
|
||||
|
||||
### 🐛 Bug Fixes
|
||||
|
||||
- Simplify protocol enable checks by removing unnecessary false comparisons ([4828700](https://github.com/perfect-panel/ppanel-web/commit/4828700))
|
||||
|
||||
# [1.5.0](https://github.com/perfect-panel/ppanel-web/compare/v1.4.8...v1.5.0) (2025-09-28)
|
||||
|
||||
### ✨ Features
|
||||
|
||||
- Update server configuration translations for multiple languages ([fc43de1](https://github.com/perfect-panel/ppanel-web/commit/fc43de1))
|
||||
|
||||
### 🐛 Bug Fixes
|
||||
|
||||
- Add DynamicMultiplier component for managing node multipliers and update ServersPage layout ([bb6671c](https://github.com/perfect-panel/ppanel-web/commit/bb6671c))
|
||||
- Remove unnecessary blank lines in multiple index files for cleaner code structure ([6a823b8](https://github.com/perfect-panel/ppanel-web/commit/6a823b8))
|
||||
- Remove unused ratio variable from server traffic log and server form for cleaner code ([55034dc](https://github.com/perfect-panel/ppanel-web/commit/55034dc))
|
||||
- Update Badge variants and restructure traffic ratio display in ServersPage ([3d778e5](https://github.com/perfect-panel/ppanel-web/commit/3d778e5))
|
||||
- Update minimum ratio value to 0 in protocol fields and adjust related schemas; enhance unit conversion in ServerConfig ([3b6ef17](https://github.com/perfect-panel/ppanel-web/commit/3b6ef17))
|
||||
- Update protocol fields to use 'obfs' instead of 'security' and adjust related configurations ([4abdd36](https://github.com/perfect-panel/ppanel-web/commit/4abdd36))
|
||||
|
||||
<a name="readme-top"></a>
|
||||
|
||||
|
||||
@ -4,7 +4,7 @@
|
||||
|
||||
<img width="160" src="https://raw.githubusercontent.com/perfect-panel/ppanel-assets/refs/heads/main/logo.svg">
|
||||
|
||||
<h1>PPanel web</h1>
|
||||
<h1>PPanel web hifastvpn</h1>
|
||||
|
||||
This is a PPanel web powered by PPanel
|
||||
|
||||
|
||||
@ -225,6 +225,7 @@ export default function AdsForm<T extends Record<string, any>>({
|
||||
<FormControl>
|
||||
<EnhancedInput
|
||||
type='datetime-local'
|
||||
step='1'
|
||||
placeholder={t('form.enterStartTime')}
|
||||
value={field.value ? new Date(field.value).toISOString().slice(0, 16) : ''}
|
||||
min={Number(new Date().toISOString().slice(0, 16))}
|
||||
@ -253,6 +254,7 @@ export default function AdsForm<T extends Record<string, any>>({
|
||||
<FormControl>
|
||||
<EnhancedInput
|
||||
type='datetime-local'
|
||||
step='1'
|
||||
placeholder={t('form.enterEndTime')}
|
||||
value={
|
||||
field.value ? new Date(field.value).toISOString().slice(0, 16) : ''
|
||||
|
||||
@ -87,6 +87,7 @@ export default function EmailSettingsForm() {
|
||||
|
||||
const form = useForm<EmailSettingsFormData>({
|
||||
resolver: zodResolver(emailSettingsSchema),
|
||||
shouldUnregister: false,
|
||||
defaultValues: {
|
||||
id: 0,
|
||||
method: 'email',
|
||||
@ -416,8 +417,8 @@ export default function EmailSettingsForm() {
|
||||
<FormControl>
|
||||
<HTMLEditor
|
||||
placeholder={t('email.inputPlaceholder')}
|
||||
value={field.value}
|
||||
onBlur={field.onChange}
|
||||
value={field.value ?? ''}
|
||||
onChange={field.onChange}
|
||||
/>
|
||||
</FormControl>
|
||||
<div className='mt-4 space-y-2 border-t pt-4'>
|
||||
@ -480,8 +481,8 @@ export default function EmailSettingsForm() {
|
||||
<FormControl>
|
||||
<HTMLEditor
|
||||
placeholder={t('email.inputPlaceholder')}
|
||||
value={field.value}
|
||||
onBlur={field.onChange}
|
||||
value={field.value ?? ''}
|
||||
onChange={field.onChange}
|
||||
/>
|
||||
</FormControl>
|
||||
<div className='mt-4 space-y-2 border-t pt-4'>
|
||||
@ -525,8 +526,8 @@ export default function EmailSettingsForm() {
|
||||
<FormControl>
|
||||
<HTMLEditor
|
||||
placeholder={t('email.inputPlaceholder')}
|
||||
value={field.value}
|
||||
onBlur={field.onChange}
|
||||
value={field.value ?? ''}
|
||||
onChange={field.onChange}
|
||||
/>
|
||||
</FormControl>
|
||||
<div className='mt-4 space-y-2 border-t pt-4'>
|
||||
@ -580,8 +581,8 @@ export default function EmailSettingsForm() {
|
||||
<FormControl>
|
||||
<HTMLEditor
|
||||
placeholder={t('email.inputPlaceholder')}
|
||||
value={field.value}
|
||||
onBlur={field.onChange}
|
||||
value={field.value ?? ''}
|
||||
onChange={field.onChange}
|
||||
/>
|
||||
</FormControl>
|
||||
<div className='mt-4 space-y-2 border-t pt-4'>
|
||||
|
||||
@ -366,6 +366,7 @@ export default function EmailBroadcastForm() {
|
||||
<FormControl>
|
||||
<EnhancedInput
|
||||
type='datetime-local'
|
||||
step='1'
|
||||
disabled={form.watch('scope') === 5} // ScopeSkip
|
||||
value={field.value}
|
||||
onValueChange={field.onChange}
|
||||
@ -384,6 +385,7 @@ export default function EmailBroadcastForm() {
|
||||
<FormControl>
|
||||
<EnhancedInput
|
||||
type='datetime-local'
|
||||
step='1'
|
||||
disabled={form.watch('scope') === 5} // ScopeSkip
|
||||
value={field.value}
|
||||
onValueChange={field.onChange}
|
||||
@ -425,6 +427,7 @@ export default function EmailBroadcastForm() {
|
||||
<FormControl>
|
||||
<EnhancedInput
|
||||
type='datetime-local'
|
||||
step='1'
|
||||
placeholder={t('leaveEmptyForImmediateSend')}
|
||||
value={field.value}
|
||||
onValueChange={field.onChange}
|
||||
|
||||
@ -269,6 +269,7 @@ export default function QuotaBroadcastForm() {
|
||||
<FormControl>
|
||||
<EnhancedInput
|
||||
type='datetime-local'
|
||||
step='1'
|
||||
value={field.value}
|
||||
onValueChange={field.onChange}
|
||||
/>
|
||||
@ -286,6 +287,7 @@ export default function QuotaBroadcastForm() {
|
||||
<FormControl>
|
||||
<EnhancedInput
|
||||
type='datetime-local'
|
||||
step='1'
|
||||
value={field.value}
|
||||
onValueChange={field.onChange}
|
||||
/>
|
||||
|
||||
@ -36,9 +36,13 @@ export type ProtocolName =
|
||||
| 'vmess'
|
||||
| 'vless'
|
||||
| 'trojan'
|
||||
| 'hysteria2'
|
||||
| 'hysteria'
|
||||
| 'tuic'
|
||||
| 'anytls';
|
||||
| 'anytls'
|
||||
| 'naive'
|
||||
| 'http'
|
||||
| 'socks'
|
||||
| 'mieru';
|
||||
|
||||
const buildSchema = (t: ReturnType<typeof useTranslations>) =>
|
||||
z.object({
|
||||
|
||||
@ -79,8 +79,18 @@ export default function DynamicMultiplier() {
|
||||
<div className='space-y-4 pt-4'>
|
||||
<ArrayInput<API.TimePeriod>
|
||||
fields={[
|
||||
{ name: 'start_time', prefix: t('server_config.fields.start_time'), type: 'time' },
|
||||
{ name: 'end_time', prefix: t('server_config.fields.end_time'), type: 'time' },
|
||||
{
|
||||
name: 'start_time',
|
||||
prefix: t('server_config.fields.start_time'),
|
||||
type: 'time',
|
||||
step: '1',
|
||||
},
|
||||
{
|
||||
name: 'end_time',
|
||||
prefix: t('server_config.fields.end_time'),
|
||||
type: 'time',
|
||||
step: '1',
|
||||
},
|
||||
{
|
||||
name: 'multiplier',
|
||||
prefix: t('server_config.fields.multiplier'),
|
||||
|
||||
@ -3,7 +3,7 @@ export const protocols = [
|
||||
'vmess',
|
||||
'vless',
|
||||
'trojan',
|
||||
'hysteria2',
|
||||
'hysteria',
|
||||
'tuic',
|
||||
'anytls',
|
||||
'socks',
|
||||
@ -64,7 +64,7 @@ export const SECURITY = {
|
||||
vmess: ['none', 'tls'] as const,
|
||||
vless: ['none', 'tls', 'reality'] as const,
|
||||
trojan: ['tls'] as const,
|
||||
hysteria2: ['tls'] as const,
|
||||
hysteria: ['tls'] as const,
|
||||
tuic: ['tls'] as const,
|
||||
anytls: ['tls'] as const,
|
||||
naive: ['none', 'tls'] as const,
|
||||
|
||||
@ -90,9 +90,9 @@ export function getProtocolDefaultConfig(proto: ProtocolType) {
|
||||
cert_dns_env: null,
|
||||
ratio: 1,
|
||||
} as any;
|
||||
case 'hysteria2':
|
||||
case 'hysteria':
|
||||
return {
|
||||
type: 'hysteria2',
|
||||
type: 'hysteria',
|
||||
enable: false,
|
||||
port: null,
|
||||
hop_ports: null,
|
||||
|
||||
@ -444,7 +444,16 @@ export const PROTOCOL_FIELDS: Record<string, FieldConfig[]> = {
|
||||
placeholder: (t) => t('encryption_private_key_placeholder'),
|
||||
group: 'encryption',
|
||||
generate: {
|
||||
function: generateMLKEM768KeyPair,
|
||||
functions: [
|
||||
{
|
||||
label: (t) => t('generate_standard_encryption_key'),
|
||||
function: generateRealityKeyPair,
|
||||
},
|
||||
{
|
||||
label: (t) => t('generate_quantum_resistant_key'),
|
||||
function: generateMLKEM768KeyPair,
|
||||
},
|
||||
],
|
||||
updateFields: {
|
||||
encryption_private_key: 'privateKey',
|
||||
encryption_password: 'publicKey',
|
||||
@ -603,7 +612,7 @@ export const PROTOCOL_FIELDS: Record<string, FieldConfig[]> = {
|
||||
condition: (p) => p.security === 'tls' && p.cert_mode === 'dns',
|
||||
},
|
||||
],
|
||||
hysteria2: [
|
||||
hysteria: [
|
||||
{
|
||||
name: 'ratio',
|
||||
type: 'number',
|
||||
|
||||
@ -104,16 +104,16 @@ const trojan = z.object({
|
||||
cert_dns_env: nullableString,
|
||||
});
|
||||
|
||||
const hysteria2 = z.object({
|
||||
const hysteria = z.object({
|
||||
ratio: nullableRatio,
|
||||
type: z.literal('hysteria2'),
|
||||
type: z.literal('hysteria'),
|
||||
enable: nullableBool,
|
||||
hop_ports: nullableString,
|
||||
hop_interval: z.number().nullish(),
|
||||
obfs_password: nullableString,
|
||||
obfs: z.enum(['none', 'salamander'] as const).nullish(),
|
||||
port: nullablePort,
|
||||
security: z.enum(SECURITY.hysteria2).nullish(),
|
||||
security: z.enum(SECURITY.hysteria).nullish(),
|
||||
sni: nullableString,
|
||||
allow_insecure: nullableBool,
|
||||
fingerprint: nullableString,
|
||||
@ -207,7 +207,7 @@ export const protocolApiScheme = z.discriminatedUnion('type', [
|
||||
vmess,
|
||||
vless,
|
||||
trojan,
|
||||
hysteria2,
|
||||
hysteria,
|
||||
tuic,
|
||||
anytls,
|
||||
socks,
|
||||
|
||||
@ -12,7 +12,11 @@ export type FieldConfig = {
|
||||
step?: number;
|
||||
suffix?: string;
|
||||
generate?: {
|
||||
function: () => Promise<string | Record<string, string>> | string | Record<string, string>;
|
||||
function?: () => Promise<string | Record<string, string>> | string | Record<string, string>;
|
||||
functions?: {
|
||||
label: string | ((t: (key: string) => string, protocol: any) => string);
|
||||
function: () => Promise<string | Record<string, string>> | string | Record<string, string>;
|
||||
}[];
|
||||
updateFields?: Record<string, string>;
|
||||
};
|
||||
condition?: (protocol: any, values: any) => boolean;
|
||||
|
||||
@ -1,4 +1,4 @@
|
||||
import { x25519 } from '@noble/curves/ed25519';
|
||||
import { x25519 } from '@noble/curves/ed25519.js';
|
||||
import { toB64Url } from './util';
|
||||
|
||||
/**
|
||||
|
||||
@ -5,14 +5,11 @@ import {
|
||||
createServer,
|
||||
deleteServer,
|
||||
filterServerList,
|
||||
hasMigrateSeverNode,
|
||||
migrateServerNode,
|
||||
resetSortWithServer,
|
||||
updateServer,
|
||||
} from '@/services/admin/server';
|
||||
import { useNode } from '@/store/node';
|
||||
import { useServer } from '@/store/server';
|
||||
import { useQuery } from '@tanstack/react-query';
|
||||
import { Badge } from '@workspace/ui/components/badge';
|
||||
import { Button } from '@workspace/ui/components/button';
|
||||
import { ConfirmButton } from '@workspace/ui/custom-components/confirm-button';
|
||||
@ -24,6 +21,7 @@ import DynamicMultiplier from './dynamic-multiplier';
|
||||
import OnlineUsersCell from './online-users-cell';
|
||||
import ServerConfig from './server-config';
|
||||
import ServerForm from './server-form';
|
||||
import ServerInstall from './server-install';
|
||||
|
||||
function PctBar({ value }: { value: number }) {
|
||||
const v = value.toFixed(2);
|
||||
@ -63,36 +61,8 @@ export default function ServersPage() {
|
||||
const { fetchServers } = useServer();
|
||||
|
||||
const [loading, setLoading] = useState(false);
|
||||
const [migrating, setMigrating] = useState(false);
|
||||
const ref = useRef<ProTableActions>(null);
|
||||
|
||||
const { data: hasMigrate, refetch: refetchHasMigrate } = useQuery({
|
||||
queryKey: ['hasMigrateSeverNode'],
|
||||
queryFn: async () => {
|
||||
const { data } = await hasMigrateSeverNode();
|
||||
return data.data?.has_migrate;
|
||||
},
|
||||
});
|
||||
|
||||
const handleMigrate = async () => {
|
||||
setMigrating(true);
|
||||
try {
|
||||
const { data } = await migrateServerNode();
|
||||
const fail = data.data?.fail || 0;
|
||||
if (fail > 0) {
|
||||
toast.error(data.data?.message);
|
||||
} else {
|
||||
toast.success(t('migrated'));
|
||||
}
|
||||
refetchHasMigrate();
|
||||
ref.current?.refresh();
|
||||
} catch (error) {
|
||||
toast.error(t('migrateFailed'));
|
||||
} finally {
|
||||
setMigrating(false);
|
||||
}
|
||||
};
|
||||
|
||||
return (
|
||||
<div className='space-y-4'>
|
||||
<div className='grid grid-cols-1 gap-4 md:grid-cols-2'>
|
||||
@ -105,11 +75,6 @@ export default function ServersPage() {
|
||||
title: t('pageTitle'),
|
||||
toolbar: (
|
||||
<div className='flex gap-2'>
|
||||
{hasMigrate && (
|
||||
<Button variant='outline' onClick={handleMigrate} disabled={migrating}>
|
||||
{migrating ? t('migrating') : t('migrate')}
|
||||
</Button>
|
||||
)}
|
||||
<ServerForm
|
||||
trigger={t('create')}
|
||||
title={t('drawerCreateTitle')}
|
||||
@ -155,9 +120,7 @@ export default function ServersPage() {
|
||||
accessorKey: 'protocols',
|
||||
header: t('protocols'),
|
||||
cell: ({ row }) => {
|
||||
const list = row.original.protocols.filter(
|
||||
(p) => p.enable !== false,
|
||||
) as API.Protocol[];
|
||||
const list = row.original.protocols.filter((p) => p.enable) as API.Protocol[];
|
||||
if (!list.length) return '—';
|
||||
return (
|
||||
<div className='flex flex-col gap-1'>
|
||||
@ -261,6 +224,7 @@ export default function ServersPage() {
|
||||
}
|
||||
}}
|
||||
/>,
|
||||
<ServerInstall key='install' server={row} />,
|
||||
<ConfirmButton
|
||||
key='delete'
|
||||
trigger={
|
||||
|
||||
@ -43,6 +43,7 @@ import { useEffect, useState } from 'react';
|
||||
import { useForm } from 'react-hook-form';
|
||||
import { toast } from 'sonner';
|
||||
import { z } from 'zod';
|
||||
import { SS_CIPHERS } from './form-schema';
|
||||
|
||||
const dnsConfigSchema = z.object({
|
||||
proto: z.string(), // z.enum(['tcp', 'udp', 'tls', 'https', 'quic']),
|
||||
@ -53,25 +54,9 @@ const dnsConfigSchema = z.object({
|
||||
const outboundConfigSchema = z.object({
|
||||
name: z.string(),
|
||||
protocol: z.string(),
|
||||
// z.enum([
|
||||
// 'http',
|
||||
// 'https',
|
||||
// 'socks5',
|
||||
// 'shadowsocks',
|
||||
// 'vmess',
|
||||
// 'vless',
|
||||
// 'trojan',
|
||||
// 'hysteria2',
|
||||
// 'tuic',
|
||||
// 'naive',
|
||||
// 'brook',
|
||||
// 'snell',
|
||||
// 'wireguard',
|
||||
// 'direct',
|
||||
// 'reject',
|
||||
// ]),
|
||||
address: z.string(),
|
||||
port: z.number(),
|
||||
cipher: z.string().optional(),
|
||||
password: z.string().optional(),
|
||||
rules: z.array(z.string()).optional(),
|
||||
});
|
||||
@ -109,7 +94,7 @@ export default function ServerConfig() {
|
||||
node_pull_interval: undefined,
|
||||
node_push_interval: undefined,
|
||||
traffic_report_threshold: undefined,
|
||||
ip_strategy: undefined,
|
||||
ip_strategy: 'prefer_ipv4',
|
||||
dns: [],
|
||||
block: [],
|
||||
outbound: [],
|
||||
@ -123,7 +108,8 @@ export default function ServerConfig() {
|
||||
node_pull_interval: cfgResp.node_pull_interval as number | undefined,
|
||||
node_push_interval: cfgResp.node_push_interval as number | undefined,
|
||||
traffic_report_threshold: cfgResp.traffic_report_threshold as number | undefined,
|
||||
ip_strategy: cfgResp.ip_strategy as 'prefer_ipv4' | 'prefer_ipv6' | undefined,
|
||||
ip_strategy:
|
||||
(cfgResp.ip_strategy as 'prefer_ipv4' | 'prefer_ipv6' | undefined) || 'prefer_ipv4',
|
||||
dns: cfgResp.dns || [],
|
||||
block: cfgResp.block || [],
|
||||
outbound: cfgResp.outbound || [],
|
||||
@ -381,89 +367,104 @@ export default function ServerConfig() {
|
||||
<FormField
|
||||
control={form.control}
|
||||
name='outbound'
|
||||
render={({ field }) => (
|
||||
<FormItem>
|
||||
<FormControl>
|
||||
<ArrayInput
|
||||
className='grid grid-cols-2 gap-2'
|
||||
fields={[
|
||||
{
|
||||
name: 'name',
|
||||
type: 'text',
|
||||
className: 'col-span-2',
|
||||
placeholder: t('server_config.fields.outbound_name_placeholder'),
|
||||
},
|
||||
{
|
||||
name: 'protocol',
|
||||
type: 'select',
|
||||
placeholder: t(
|
||||
'server_config.fields.outbound_protocol_placeholder',
|
||||
),
|
||||
options: [
|
||||
{ label: 'HTTP', value: 'http' },
|
||||
{ label: 'HTTPS', value: 'https' },
|
||||
{ label: 'SOCKS5', value: 'socks5' },
|
||||
{ label: 'Shadowsocks', value: 'shadowsocks' },
|
||||
{ label: 'VMess', value: 'vmess' },
|
||||
{ label: 'VLESS', value: 'vless' },
|
||||
{ label: 'Trojan', value: 'trojan' },
|
||||
{ label: 'Hysteria2', value: 'hysteria2' },
|
||||
{ label: 'TUIC', value: 'tuic' },
|
||||
{ label: 'NaiveProxy', value: 'naive' },
|
||||
{ label: 'Brook', value: 'brook' },
|
||||
{ label: 'Snell', value: 'snell' },
|
||||
{ label: 'WireGuard', value: 'wireguard' },
|
||||
{ label: 'Direct', value: 'direct' },
|
||||
{ label: 'Reject', value: 'reject' },
|
||||
],
|
||||
},
|
||||
{
|
||||
name: 'address',
|
||||
type: 'text',
|
||||
placeholder: t('server_config.fields.outbound_address_placeholder'),
|
||||
},
|
||||
{
|
||||
name: 'port',
|
||||
type: 'number',
|
||||
placeholder: t('server_config.fields.outbound_port_placeholder'),
|
||||
},
|
||||
{
|
||||
name: 'password',
|
||||
type: 'text',
|
||||
placeholder: t(
|
||||
'server_config.fields.outbound_password_placeholder',
|
||||
),
|
||||
},
|
||||
{
|
||||
name: 'rules',
|
||||
type: 'textarea',
|
||||
className: 'col-span-2',
|
||||
placeholder: t('server_config.fields.outbound_rules_placeholder'),
|
||||
},
|
||||
]}
|
||||
value={(field.value || []).map((item) => ({
|
||||
...item,
|
||||
rules: Array.isArray(item.rules) ? item.rules.join('\n') : '',
|
||||
}))}
|
||||
onChange={(values) => {
|
||||
const converted = values.map((item: any) => ({
|
||||
name: item.name,
|
||||
protocol: item.protocol,
|
||||
address: item.address,
|
||||
port: item.port,
|
||||
password: item.password,
|
||||
rules:
|
||||
typeof item.rules === 'string'
|
||||
? item.rules.split('\n').map((r: string) => r.trim())
|
||||
: item.rules || [],
|
||||
}));
|
||||
field.onChange(converted);
|
||||
}}
|
||||
/>
|
||||
</FormControl>
|
||||
<FormMessage />
|
||||
</FormItem>
|
||||
)}
|
||||
render={({ field }) => {
|
||||
return (
|
||||
<FormItem>
|
||||
<FormControl>
|
||||
<ArrayInput
|
||||
className='grid grid-cols-2 gap-2'
|
||||
fields={[
|
||||
{
|
||||
name: 'name',
|
||||
type: 'text',
|
||||
className: 'col-span-2',
|
||||
placeholder: t('server_config.fields.outbound_name_placeholder'),
|
||||
},
|
||||
{
|
||||
name: 'protocol',
|
||||
type: 'select',
|
||||
placeholder: t(
|
||||
'server_config.fields.outbound_protocol_placeholder',
|
||||
),
|
||||
options: [
|
||||
{ label: 'HTTP', value: 'http' },
|
||||
{ label: 'SOCKS', value: 'socks' },
|
||||
{ label: 'Shadowsocks', value: 'shadowsocks' },
|
||||
{ label: 'Brook', value: 'brook' },
|
||||
{ label: 'Snell', value: 'snell' },
|
||||
{ label: 'VMess', value: 'vmess' },
|
||||
{ label: 'VLESS', value: 'vless' },
|
||||
{ label: 'Trojan', value: 'trojan' },
|
||||
{ label: 'WireGuard', value: 'wireguard' },
|
||||
{ label: 'Hysteria', value: 'hysteria' },
|
||||
{ label: 'TUIC', value: 'tuic' },
|
||||
{ label: 'AnyTLS', value: 'anytls' },
|
||||
{ label: 'Naive', value: 'naive' },
|
||||
{ label: 'Direct', value: 'direct' },
|
||||
{ label: 'Reject', value: 'reject' },
|
||||
],
|
||||
},
|
||||
{
|
||||
name: 'cipher',
|
||||
type: 'select',
|
||||
options: SS_CIPHERS.map((cipher) => ({
|
||||
label: cipher,
|
||||
value: cipher,
|
||||
})),
|
||||
visible: (item: Record<string, any>) =>
|
||||
item.protocol === 'shadowsocks',
|
||||
},
|
||||
{
|
||||
name: 'address',
|
||||
type: 'text',
|
||||
placeholder: t(
|
||||
'server_config.fields.outbound_address_placeholder',
|
||||
),
|
||||
},
|
||||
{
|
||||
name: 'port',
|
||||
type: 'number',
|
||||
placeholder: t('server_config.fields.outbound_port_placeholder'),
|
||||
},
|
||||
{
|
||||
name: 'password',
|
||||
type: 'text',
|
||||
placeholder: t(
|
||||
'server_config.fields.outbound_password_placeholder',
|
||||
),
|
||||
},
|
||||
{
|
||||
name: 'rules',
|
||||
type: 'textarea',
|
||||
className: 'col-span-2',
|
||||
placeholder: t('server_config.fields.outbound_rules_placeholder'),
|
||||
},
|
||||
]}
|
||||
value={(field.value || []).map((item) => ({
|
||||
...item,
|
||||
rules: Array.isArray(item.rules) ? item.rules.join('\n') : '',
|
||||
}))}
|
||||
onChange={(values) => {
|
||||
const converted = values.map((item: any) => ({
|
||||
name: item.name,
|
||||
protocol: item.protocol,
|
||||
address: item.address,
|
||||
port: item.port,
|
||||
cipher: item.cipher,
|
||||
password: item.password,
|
||||
rules:
|
||||
typeof item.rules === 'string'
|
||||
? item.rules.split('\n').map((r: string) => r.trim())
|
||||
: item.rules || [],
|
||||
}));
|
||||
field.onChange(converted);
|
||||
}}
|
||||
/>
|
||||
</FormControl>
|
||||
<FormMessage />
|
||||
</FormItem>
|
||||
);
|
||||
}}
|
||||
/>
|
||||
</TabsContent>
|
||||
|
||||
|
||||
@ -10,6 +10,12 @@ import {
|
||||
} from '@workspace/ui/components/accordion';
|
||||
import { Badge } from '@workspace/ui/components/badge';
|
||||
import { Button } from '@workspace/ui/components/button';
|
||||
import {
|
||||
DropdownMenu,
|
||||
DropdownMenuContent,
|
||||
DropdownMenuItem,
|
||||
DropdownMenuTrigger,
|
||||
} from '@workspace/ui/components/dropdown-menu';
|
||||
import {
|
||||
Form,
|
||||
FormControl,
|
||||
@ -99,29 +105,68 @@ function DynamicField({
|
||||
onValueChange={(v) => fieldProps.onChange(v)}
|
||||
suffix={
|
||||
field.generate ? (
|
||||
<Button
|
||||
type='button'
|
||||
variant='ghost'
|
||||
onClick={async () => {
|
||||
const result = await field.generate!.function();
|
||||
if (typeof result === 'string') {
|
||||
fieldProps.onChange(result);
|
||||
} else if (field.generate!.updateFields) {
|
||||
Object.entries(field.generate!.updateFields).forEach(
|
||||
([fieldName, resultKey]) => {
|
||||
const fullFieldName = `protocols.${protocolIndex}.${fieldName}`;
|
||||
form.setValue(fullFieldName, (result as any)[resultKey]);
|
||||
},
|
||||
);
|
||||
} else {
|
||||
if (result.privateKey) {
|
||||
fieldProps.onChange(result.privateKey);
|
||||
field.generate.functions && field.generate.functions.length > 0 ? (
|
||||
<DropdownMenu>
|
||||
<DropdownMenuTrigger asChild>
|
||||
<Button type='button' variant='ghost' size='sm'>
|
||||
<Icon icon='mdi:key' className='h-4 w-4' />
|
||||
</Button>
|
||||
</DropdownMenuTrigger>
|
||||
<DropdownMenuContent align='end'>
|
||||
{field.generate.functions.map((genFunc, idx) => (
|
||||
<DropdownMenuItem
|
||||
key={idx}
|
||||
onClick={async () => {
|
||||
const result = await genFunc.function();
|
||||
if (typeof result === 'string') {
|
||||
fieldProps.onChange(result);
|
||||
} else if (field.generate!.updateFields) {
|
||||
Object.entries(field.generate!.updateFields).forEach(
|
||||
([fieldName, resultKey]) => {
|
||||
const fullFieldName = `protocols.${protocolIndex}.${fieldName}`;
|
||||
form.setValue(fullFieldName, (result as any)[resultKey]);
|
||||
},
|
||||
);
|
||||
} else {
|
||||
if (result.privateKey) {
|
||||
fieldProps.onChange(result.privateKey);
|
||||
}
|
||||
}
|
||||
}}
|
||||
>
|
||||
{typeof genFunc.label === 'function'
|
||||
? genFunc.label(t, protocolData)
|
||||
: genFunc.label}
|
||||
</DropdownMenuItem>
|
||||
))}
|
||||
</DropdownMenuContent>
|
||||
</DropdownMenu>
|
||||
) : field.generate.function ? (
|
||||
<Button
|
||||
type='button'
|
||||
variant='ghost'
|
||||
size='sm'
|
||||
onClick={async () => {
|
||||
const result = await field.generate!.function!();
|
||||
if (typeof result === 'string') {
|
||||
fieldProps.onChange(result);
|
||||
} else if (field.generate!.updateFields) {
|
||||
Object.entries(field.generate!.updateFields).forEach(
|
||||
([fieldName, resultKey]) => {
|
||||
const fullFieldName = `protocols.${protocolIndex}.${fieldName}`;
|
||||
form.setValue(fullFieldName, (result as any)[resultKey]);
|
||||
},
|
||||
);
|
||||
} else {
|
||||
if (result.privateKey) {
|
||||
fieldProps.onChange(result.privateKey);
|
||||
}
|
||||
}
|
||||
}
|
||||
}}
|
||||
>
|
||||
<Icon icon='mdi:key' className='h-4 w-4' />
|
||||
</Button>
|
||||
}}
|
||||
>
|
||||
<Icon icon='mdi:key' className='h-4 w-4' />
|
||||
</Button>
|
||||
) : null
|
||||
) : (
|
||||
field.suffix
|
||||
)
|
||||
@ -356,7 +401,8 @@ export default function ServerForm(props: {
|
||||
...initialValues,
|
||||
protocols: PROTOCOLS.map((type) => {
|
||||
const existingProtocol = initialValues.protocols?.find((p) => p.type === type);
|
||||
return existingProtocol || getProtocolDefaultConfig(type);
|
||||
const defaultConfig = getProtocolDefaultConfig(type);
|
||||
return existingProtocol ? { ...defaultConfig, ...existingProtocol } : defaultConfig;
|
||||
}),
|
||||
});
|
||||
}
|
||||
@ -492,7 +538,7 @@ export default function ServerForm(props: {
|
||||
PROTOCOLS.findIndex((t) => t === type),
|
||||
);
|
||||
const current = (protocolsValues[i] || {}) as Record<string, any>;
|
||||
const isEnabled = current?.enable !== false;
|
||||
const isEnabled = current?.enable;
|
||||
const fields = PROTOCOL_FIELDS[type] || [];
|
||||
return (
|
||||
<AccordionItem key={type} value={type} className='mb-2 rounded-lg border'>
|
||||
@ -529,7 +575,8 @@ export default function ServerForm(props: {
|
||||
checked={!!isEnabled}
|
||||
disabled={Boolean(
|
||||
initialValues?.id &&
|
||||
isProtocolUsedInNodes(initialValues?.id || 0, type),
|
||||
isProtocolUsedInNodes(initialValues?.id || 0, type) &&
|
||||
isEnabled,
|
||||
)}
|
||||
onCheckedChange={(checked) => {
|
||||
form.setValue(`protocols.${i}.enable`, checked);
|
||||
|
||||
119
apps/admin/app/dashboard/servers/server-install.tsx
Normal file
119
apps/admin/app/dashboard/servers/server-install.tsx
Normal file
@ -0,0 +1,119 @@
|
||||
'use client';
|
||||
|
||||
import { getNodeConfig } from '@/services/admin/system';
|
||||
import { useQuery } from '@tanstack/react-query';
|
||||
import { Button } from '@workspace/ui/components/button';
|
||||
import {
|
||||
Dialog,
|
||||
DialogContent,
|
||||
DialogFooter,
|
||||
DialogHeader,
|
||||
DialogTitle,
|
||||
DialogTrigger,
|
||||
} from '@workspace/ui/components/dialog';
|
||||
import { Input } from '@workspace/ui/components/input';
|
||||
import { Label } from '@workspace/ui/components/label';
|
||||
import { useTranslations } from 'next-intl';
|
||||
import React, { useCallback, useEffect, useMemo, useState } from 'react';
|
||||
import { toast } from 'sonner';
|
||||
|
||||
type Props = {
|
||||
server: API.Server;
|
||||
};
|
||||
|
||||
export default function ServerInstall({ server }: Props) {
|
||||
const t = useTranslations('servers');
|
||||
const [open, setOpen] = useState(false);
|
||||
const [domain, setDomain] = useState('');
|
||||
|
||||
const { data: cfgResp } = useQuery({
|
||||
queryKey: ['getNodeConfig'],
|
||||
queryFn: async () => {
|
||||
const { data } = await getNodeConfig();
|
||||
return data.data as API.NodeConfig | undefined;
|
||||
},
|
||||
enabled: open,
|
||||
});
|
||||
|
||||
useEffect(() => {
|
||||
if (open) {
|
||||
const host = localStorage.getItem('API_HOST') ?? window.location.origin;
|
||||
setDomain(host);
|
||||
}
|
||||
}, [open]);
|
||||
|
||||
const installCommand = useMemo(() => {
|
||||
const secret = cfgResp?.node_secret ?? '';
|
||||
return `wget -N https://raw.githubusercontent.com/perfect-panel/ppanel-node/master/scripts/install.sh && bash install.sh --api-host ${domain} --server-id ${server.id} --secret-key ${secret}`;
|
||||
}, [domain, server.id, cfgResp?.node_secret]);
|
||||
|
||||
async function handleCopy() {
|
||||
try {
|
||||
if (navigator?.clipboard?.writeText) {
|
||||
await navigator.clipboard.writeText(installCommand);
|
||||
} else {
|
||||
// fallback for environments without clipboard API
|
||||
const el = document.createElement('textarea');
|
||||
el.value = installCommand;
|
||||
document.body.appendChild(el);
|
||||
el.select();
|
||||
document.execCommand('copy');
|
||||
document.body.removeChild(el);
|
||||
}
|
||||
toast.success(t('copied'));
|
||||
setOpen(false);
|
||||
} catch (error) {
|
||||
toast.error(t('copyFailed'));
|
||||
}
|
||||
}
|
||||
|
||||
const onDomainChange = useCallback((e: React.ChangeEvent<HTMLInputElement>) => {
|
||||
setDomain(e.target.value);
|
||||
localStorage.setItem('API_HOST', e.target.value);
|
||||
}, []);
|
||||
return (
|
||||
<Dialog open={open} onOpenChange={setOpen}>
|
||||
<DialogTrigger asChild>
|
||||
<Button variant='secondary'>{t('connect')}</Button>
|
||||
</DialogTrigger>
|
||||
|
||||
<DialogContent className='w-[720px] max-w-full md:max-w-screen-md'>
|
||||
<DialogHeader>
|
||||
<DialogTitle>{t('oneClickInstall')}</DialogTitle>
|
||||
</DialogHeader>
|
||||
|
||||
<div className='space-y-4'>
|
||||
<div>
|
||||
<Label>{t('apiHost')}</Label>
|
||||
<div className='flex items-center gap-2'>
|
||||
<Input
|
||||
value={domain}
|
||||
placeholder={t('apiHostPlaceholder')}
|
||||
onChange={onDomainChange}
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div>
|
||||
<Label>{t('installCommand')}</Label>
|
||||
<div className='flex flex-col gap-2'>
|
||||
<textarea
|
||||
readOnly
|
||||
aria-label={t('installCommand')}
|
||||
value={installCommand}
|
||||
className='min-h-[88px] w-full rounded border p-2 font-mono text-sm'
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<DialogFooter className='flex-row justify-end gap-2 pt-3'>
|
||||
<Button variant='outline' onClick={() => setOpen(false)}>
|
||||
{t('close')}
|
||||
</Button>
|
||||
<Button onClick={handleCopy}>{t('copyAndClose')}</Button>
|
||||
</DialogFooter>
|
||||
</DialogContent>
|
||||
</Dialog>
|
||||
);
|
||||
}
|
||||
450
apps/admin/app/dashboard/settings/version/page.tsx
Normal file
450
apps/admin/app/dashboard/settings/version/page.tsx
Normal file
@ -0,0 +1,450 @@
|
||||
'use client';
|
||||
|
||||
import {
|
||||
createAppVersion,
|
||||
deleteAppVersion,
|
||||
getAppVersionList,
|
||||
updateAppVersion,
|
||||
} from '@/services/admin/application';
|
||||
import { zodResolver } from '@hookform/resolvers/zod';
|
||||
import { useMutation, useQuery, useQueryClient } from '@tanstack/react-query';
|
||||
import { Button } from '@workspace/ui/components/button';
|
||||
import {
|
||||
Dialog,
|
||||
DialogContent,
|
||||
DialogFooter,
|
||||
DialogHeader,
|
||||
DialogTitle,
|
||||
} from '@workspace/ui/components/dialog';
|
||||
import {
|
||||
Form,
|
||||
FormControl,
|
||||
FormField,
|
||||
FormItem,
|
||||
FormLabel,
|
||||
FormMessage,
|
||||
} from '@workspace/ui/components/form';
|
||||
import {
|
||||
Select,
|
||||
SelectContent,
|
||||
SelectItem,
|
||||
SelectTrigger,
|
||||
SelectValue,
|
||||
} from '@workspace/ui/components/select';
|
||||
import { Switch } from '@workspace/ui/components/switch';
|
||||
import {
|
||||
Table,
|
||||
TableBody,
|
||||
TableCell,
|
||||
TableHead,
|
||||
TableHeader,
|
||||
TableRow,
|
||||
} from '@workspace/ui/components/table';
|
||||
import { EnhancedInput } from '@workspace/ui/custom-components/enhanced-input';
|
||||
import { Icon } from '@workspace/ui/custom-components/icon';
|
||||
|
||||
import { useTranslations } from 'next-intl';
|
||||
import { useState } from 'react';
|
||||
import { useForm } from 'react-hook-form';
|
||||
import { toast } from 'sonner';
|
||||
import { z } from 'zod';
|
||||
|
||||
const versionSchema = z.object({
|
||||
id: z.number().optional(),
|
||||
platform: z.string().min(1),
|
||||
version: z.string().min(1),
|
||||
min_version: z.string().optional(),
|
||||
url: z.string().url(),
|
||||
description: z.string().optional(),
|
||||
force_update: z.boolean(),
|
||||
is_default: z.boolean(),
|
||||
is_in_review: z.boolean(),
|
||||
});
|
||||
|
||||
type VersionFormData = z.infer<typeof versionSchema>;
|
||||
|
||||
export default function VersionPage() {
|
||||
const t = useTranslations('system');
|
||||
const queryClient = useQueryClient();
|
||||
const [page, setPage] = useState(1);
|
||||
const [pageSize, setPageSize] = useState(10);
|
||||
const [open, setOpen] = useState(false);
|
||||
const [editingVersion, setEditingVersion] = useState<API.ApplicationVersion | null>(null);
|
||||
|
||||
const { data } = useQuery({
|
||||
queryKey: ['app-versions', page, pageSize],
|
||||
queryFn: async () => {
|
||||
const res = await getAppVersionList({ page, size: pageSize });
|
||||
return res.data?.data;
|
||||
},
|
||||
});
|
||||
|
||||
const form = useForm<VersionFormData>({
|
||||
resolver: zodResolver(versionSchema),
|
||||
defaultValues: {
|
||||
platform: 'android',
|
||||
version: '',
|
||||
min_version: '',
|
||||
url: '',
|
||||
description: '',
|
||||
force_update: false,
|
||||
is_default: false,
|
||||
is_in_review: false,
|
||||
},
|
||||
});
|
||||
|
||||
const createMutation = useMutation({
|
||||
mutationFn: createAppVersion,
|
||||
onSuccess: () => {
|
||||
toast.success(t('common.saveSuccess'));
|
||||
setOpen(false);
|
||||
form.reset();
|
||||
queryClient.invalidateQueries({ queryKey: ['app-versions'] });
|
||||
},
|
||||
onError: () => {
|
||||
toast.error(t('common.saveFailed'));
|
||||
},
|
||||
});
|
||||
|
||||
const updateMutation = useMutation({
|
||||
mutationFn: updateAppVersion,
|
||||
onSuccess: () => {
|
||||
toast.success(t('common.saveSuccess'));
|
||||
setOpen(false);
|
||||
setEditingVersion(null);
|
||||
form.reset();
|
||||
queryClient.invalidateQueries({ queryKey: ['app-versions'] });
|
||||
},
|
||||
onError: () => {
|
||||
toast.error(t('common.saveFailed'));
|
||||
},
|
||||
});
|
||||
|
||||
const deleteMutation = useMutation({
|
||||
mutationFn: deleteAppVersion,
|
||||
onSuccess: () => {
|
||||
toast.success(t('common.saveSuccess'));
|
||||
queryClient.invalidateQueries({ queryKey: ['app-versions'] });
|
||||
},
|
||||
onError: () => {
|
||||
toast.error(t('common.saveFailed'));
|
||||
},
|
||||
});
|
||||
|
||||
const onSubmit = (values: VersionFormData) => {
|
||||
const payload = {
|
||||
...values,
|
||||
description: JSON.stringify({ 'en-US': values.description, 'zh-CN': values.description }),
|
||||
};
|
||||
|
||||
if (editingVersion) {
|
||||
updateMutation.mutate({ ...payload, id: editingVersion.id } as API.UpdateAppVersionRequest);
|
||||
} else {
|
||||
createMutation.mutate(payload as API.CreateAppVersionRequest);
|
||||
}
|
||||
};
|
||||
|
||||
const handleEdit = (version: API.ApplicationVersion) => {
|
||||
setEditingVersion(version);
|
||||
let desc = '';
|
||||
if (version.description && typeof version.description === 'object') {
|
||||
desc = Object.values(version.description)[0] || '';
|
||||
} else if (typeof version.description === 'string') {
|
||||
try {
|
||||
const parsed = JSON.parse(version.description);
|
||||
desc = (Object.values(parsed)[0] as string) || '';
|
||||
} catch (e) {
|
||||
desc = version.description;
|
||||
}
|
||||
}
|
||||
|
||||
form.reset({
|
||||
platform: version.platform,
|
||||
version: version.version,
|
||||
min_version: version.min_version,
|
||||
url: version.url,
|
||||
description: desc,
|
||||
force_update: version.force_update,
|
||||
is_default: version.is_default,
|
||||
is_in_review: version.is_in_review,
|
||||
});
|
||||
setOpen(true);
|
||||
};
|
||||
|
||||
const handleDelete = (id: number) => {
|
||||
if (confirm(t('version.confirmDelete'))) {
|
||||
deleteMutation.mutate({ id });
|
||||
}
|
||||
};
|
||||
|
||||
const handleOpenChange = (open: boolean) => {
|
||||
setOpen(open);
|
||||
if (!open) {
|
||||
setEditingVersion(null);
|
||||
form.reset({
|
||||
platform: 'android',
|
||||
version: '',
|
||||
min_version: '',
|
||||
url: '',
|
||||
description: '',
|
||||
force_update: false,
|
||||
is_default: false,
|
||||
is_in_review: false,
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
return (
|
||||
<div className='space-y-4'>
|
||||
<div className='flex items-center justify-between'>
|
||||
<h2 className='text-2xl font-bold tracking-tight'>{t('version.title')}</h2>
|
||||
<Button onClick={() => handleOpenChange(true)}>
|
||||
<Icon icon='mdi:plus' className='mr-2 h-4 w-4' />
|
||||
{t('version.create')}
|
||||
</Button>
|
||||
</div>
|
||||
|
||||
<div className='rounded-md border'>
|
||||
<Table>
|
||||
<TableHeader>
|
||||
<TableRow>
|
||||
<TableHead>ID</TableHead>
|
||||
<TableHead>{t('version.platform')}</TableHead>
|
||||
<TableHead>{t('version.versionNumber')}</TableHead>
|
||||
<TableHead>{t('version.url')}</TableHead>
|
||||
<TableHead>{t('version.force')}</TableHead>
|
||||
<TableHead>{t('version.default')}</TableHead>
|
||||
<TableHead>{t('version.actions')}</TableHead>
|
||||
</TableRow>
|
||||
</TableHeader>
|
||||
<TableBody>
|
||||
{data?.list?.map((version: API.ApplicationVersion) => (
|
||||
<TableRow key={version.id}>
|
||||
<TableCell>{version.id}</TableCell>
|
||||
<TableCell>{version.platform}</TableCell>
|
||||
<TableCell>{version.version}</TableCell>
|
||||
<TableCell className='max-w-[200px] truncate' title={version.url}>
|
||||
{version.url}
|
||||
</TableCell>
|
||||
<TableCell>{version.force_update ? t('version.yes') : t('version.no')}</TableCell>
|
||||
<TableCell>{version.is_default ? t('version.yes') : t('version.no')}</TableCell>
|
||||
<TableCell>
|
||||
<div className='flex space-x-2'>
|
||||
<Button variant='ghost' size='icon' onClick={() => handleEdit(version)}>
|
||||
<Icon icon='mdi:pencil' className='h-4 w-4' />
|
||||
</Button>
|
||||
<Button variant='ghost' size='icon' onClick={() => handleDelete(version.id)}>
|
||||
<Icon icon='mdi:delete' className='h-4 w-4 text-red-500' />
|
||||
</Button>
|
||||
</div>
|
||||
</TableCell>
|
||||
</TableRow>
|
||||
))}
|
||||
{!data?.list?.length && (
|
||||
<TableRow>
|
||||
<TableCell colSpan={7} className='h-24 text-center'>
|
||||
{t('version.noResults')}
|
||||
</TableCell>
|
||||
</TableRow>
|
||||
)}
|
||||
</TableBody>
|
||||
</Table>
|
||||
</div>
|
||||
|
||||
<div className='flex items-center justify-between py-2'>
|
||||
<div className='text-muted-foreground text-sm'>
|
||||
{t('version.total', { count: data?.total || 0 })}
|
||||
</div>
|
||||
<div className='flex items-center space-x-2'>
|
||||
<Select value={String(pageSize)} onValueChange={(val) => setPageSize(Number(val))}>
|
||||
<SelectTrigger className='w-[80px]'>
|
||||
<SelectValue />
|
||||
</SelectTrigger>
|
||||
<SelectContent>
|
||||
<SelectItem value='10'>10</SelectItem>
|
||||
<SelectItem value='20'>20</SelectItem>
|
||||
<SelectItem value='50'>50</SelectItem>
|
||||
</SelectContent>
|
||||
</Select>
|
||||
<Button
|
||||
variant='outline'
|
||||
size='sm'
|
||||
onClick={() => setPage(Math.max(1, page - 1))}
|
||||
disabled={page <= 1}
|
||||
>
|
||||
{t('version.previous')}
|
||||
</Button>
|
||||
<span className='text-sm'>{t('version.page', { page })}</span>
|
||||
<Button
|
||||
variant='outline'
|
||||
size='sm'
|
||||
onClick={() => setPage(page + 1)}
|
||||
disabled={!data?.list?.length || data.list.length < pageSize}
|
||||
>
|
||||
{t('version.next')}
|
||||
</Button>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<Dialog open={open} onOpenChange={handleOpenChange}>
|
||||
<DialogContent className='sm:max-w-[600px]'>
|
||||
<DialogHeader>
|
||||
<DialogTitle>
|
||||
{editingVersion ? t('version.edit') : t('version.createVersion')}
|
||||
</DialogTitle>
|
||||
</DialogHeader>
|
||||
<Form {...form}>
|
||||
<form onSubmit={form.handleSubmit(onSubmit)} className='space-y-4'>
|
||||
<div className='grid grid-cols-2 gap-4'>
|
||||
<FormField
|
||||
control={form.control}
|
||||
name='platform'
|
||||
render={({ field }) => (
|
||||
<FormItem>
|
||||
<FormLabel>{t('version.platform')}</FormLabel>
|
||||
<Select onValueChange={field.onChange} defaultValue={field.value}>
|
||||
<FormControl>
|
||||
<SelectTrigger>
|
||||
<SelectValue placeholder={t('version.platformPlaceholder')} />
|
||||
</SelectTrigger>
|
||||
</FormControl>
|
||||
<SelectContent>
|
||||
<SelectItem value='android'>Android</SelectItem>
|
||||
<SelectItem value='ios'>iOS</SelectItem>
|
||||
<SelectItem value='windows'>Windows</SelectItem>
|
||||
<SelectItem value='macos'>macOS</SelectItem>
|
||||
<SelectItem value='linux'>Linux</SelectItem>
|
||||
<SelectItem value='harmony'>Harmony</SelectItem>
|
||||
</SelectContent>
|
||||
</Select>
|
||||
<FormMessage />
|
||||
</FormItem>
|
||||
)}
|
||||
/>
|
||||
<FormField
|
||||
control={form.control}
|
||||
name='version'
|
||||
render={({ field }) => (
|
||||
<FormItem>
|
||||
<FormLabel>{t('version.versionNumber')}</FormLabel>
|
||||
<FormControl>
|
||||
<EnhancedInput
|
||||
value={field.value}
|
||||
onValueChange={field.onChange}
|
||||
placeholder={t('version.versionPlaceholder')}
|
||||
/>
|
||||
</FormControl>
|
||||
<FormMessage />
|
||||
</FormItem>
|
||||
)}
|
||||
/>
|
||||
</div>
|
||||
<div className='grid grid-cols-2 gap-4'>
|
||||
<FormField
|
||||
control={form.control}
|
||||
name='min_version'
|
||||
render={({ field }) => (
|
||||
<FormItem>
|
||||
<FormLabel>{t('version.minVersion')}</FormLabel>
|
||||
<FormControl>
|
||||
<EnhancedInput
|
||||
value={field.value}
|
||||
onValueChange={field.onChange}
|
||||
placeholder={t('version.versionPlaceholder')}
|
||||
/>
|
||||
</FormControl>
|
||||
<FormMessage />
|
||||
</FormItem>
|
||||
)}
|
||||
/>
|
||||
<FormField
|
||||
control={form.control}
|
||||
name='url'
|
||||
render={({ field }) => (
|
||||
<FormItem>
|
||||
<FormLabel>{t('version.downloadUrl')}</FormLabel>
|
||||
<FormControl>
|
||||
<EnhancedInput
|
||||
value={field.value}
|
||||
onValueChange={field.onChange}
|
||||
placeholder='https://...'
|
||||
/>
|
||||
</FormControl>
|
||||
<FormMessage />
|
||||
</FormItem>
|
||||
)}
|
||||
/>
|
||||
</div>
|
||||
<FormField
|
||||
control={form.control}
|
||||
name='description'
|
||||
render={({ field }) => (
|
||||
<FormItem>
|
||||
<FormLabel>{t('version.descriptionField')}</FormLabel>
|
||||
<FormControl>
|
||||
<EnhancedInput
|
||||
value={field.value}
|
||||
onValueChange={field.onChange}
|
||||
placeholder={t('version.descriptionPlaceholder')}
|
||||
/>
|
||||
</FormControl>
|
||||
<FormMessage />
|
||||
</FormItem>
|
||||
)}
|
||||
/>
|
||||
<div className='flex flex-row gap-4'>
|
||||
<FormField
|
||||
control={form.control}
|
||||
name='force_update'
|
||||
render={({ field }) => (
|
||||
<FormItem className='flex flex-1 flex-row items-center justify-between rounded-lg border p-3 shadow-sm'>
|
||||
<div className='space-y-0.5'>
|
||||
<FormLabel>{t('version.forceUpdate')}</FormLabel>
|
||||
</div>
|
||||
<FormControl>
|
||||
<Switch checked={field.value} onCheckedChange={field.onChange} />
|
||||
</FormControl>
|
||||
</FormItem>
|
||||
)}
|
||||
/>
|
||||
<FormField
|
||||
control={form.control}
|
||||
name='is_default'
|
||||
render={({ field }) => (
|
||||
<FormItem className='flex flex-1 flex-row items-center justify-between rounded-lg border p-3 shadow-sm'>
|
||||
<div className='space-y-0.5'>
|
||||
<FormLabel>{t('version.default')}</FormLabel>
|
||||
</div>
|
||||
<FormControl>
|
||||
<Switch checked={field.value} onCheckedChange={field.onChange} />
|
||||
</FormControl>
|
||||
</FormItem>
|
||||
)}
|
||||
/>
|
||||
<FormField
|
||||
control={form.control}
|
||||
name='is_in_review'
|
||||
render={({ field }) => (
|
||||
<FormItem className='flex flex-1 flex-row items-center justify-between rounded-lg border p-3 shadow-sm'>
|
||||
<div className='space-y-0.5'>
|
||||
<FormLabel>{t('version.inReview')}</FormLabel>
|
||||
</div>
|
||||
<FormControl>
|
||||
<Switch checked={field.value} onCheckedChange={field.onChange} />
|
||||
</FormControl>
|
||||
</FormItem>
|
||||
)}
|
||||
/>
|
||||
</div>
|
||||
<DialogFooter>
|
||||
<Button type='submit'>
|
||||
{editingVersion ? t('version.update') : t('version.create')}
|
||||
</Button>
|
||||
</DialogFooter>
|
||||
</form>
|
||||
</Form>
|
||||
</DialogContent>
|
||||
</Dialog>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
@ -38,6 +38,7 @@ const currencySchema = z.object({
|
||||
access_key: z.string().optional(),
|
||||
currency_unit: z.string().min(1),
|
||||
currency_symbol: z.string().min(1),
|
||||
fixed_rate: z.number().optional(),
|
||||
});
|
||||
|
||||
type CurrencyFormData = z.infer<typeof currencySchema>;
|
||||
@ -62,6 +63,7 @@ export default function CurrencyConfig() {
|
||||
access_key: '',
|
||||
currency_unit: 'USD',
|
||||
currency_symbol: '$',
|
||||
fixed_rate: 0,
|
||||
},
|
||||
});
|
||||
|
||||
@ -170,6 +172,26 @@ export default function CurrencyConfig() {
|
||||
</FormItem>
|
||||
)}
|
||||
/>
|
||||
|
||||
<FormField
|
||||
control={form.control}
|
||||
name='fixed_rate'
|
||||
render={({ field }) => (
|
||||
<FormItem>
|
||||
<FormLabel>{t('currency.fixedRate')}</FormLabel>
|
||||
<FormControl>
|
||||
<EnhancedInput
|
||||
type='number'
|
||||
placeholder={t('currency.fixedRatePlaceholder', { defaultValue: '0' })}
|
||||
value={field.value}
|
||||
onValueChange={(val) => field.onChange(Number(val))}
|
||||
/>
|
||||
</FormControl>
|
||||
<FormDescription>{t('currency.fixedRateDescription')}</FormDescription>
|
||||
<FormMessage />
|
||||
</FormItem>
|
||||
)}
|
||||
/>
|
||||
</form>
|
||||
</Form>
|
||||
</ScrollArea>
|
||||
|
||||
@ -1,6 +1,5 @@
|
||||
'use client';
|
||||
|
||||
import { Display } from '@/components/display';
|
||||
import { ProTable, ProTableActions } from '@/components/pro-table';
|
||||
import {
|
||||
createUser,
|
||||
@ -12,7 +11,6 @@ import {
|
||||
import { useSubscribe } from '@/store/subscribe';
|
||||
import { formatDate } from '@/utils/common';
|
||||
import { useQuery } from '@tanstack/react-query';
|
||||
import { Badge } from '@workspace/ui/components/badge';
|
||||
import { Button } from '@workspace/ui/components/button';
|
||||
import {
|
||||
DropdownMenu,
|
||||
@ -20,6 +18,13 @@ import {
|
||||
DropdownMenuItem,
|
||||
DropdownMenuTrigger,
|
||||
} from '@workspace/ui/components/dropdown-menu';
|
||||
import { Input } from '@workspace/ui/components/input';
|
||||
import {
|
||||
Popover,
|
||||
PopoverClose,
|
||||
PopoverContent,
|
||||
PopoverTrigger,
|
||||
} from '@workspace/ui/components/popover';
|
||||
import { ScrollArea } from '@workspace/ui/components/scroll-area';
|
||||
import {
|
||||
Sheet,
|
||||
@ -31,6 +36,7 @@ import {
|
||||
import { Switch } from '@workspace/ui/components/switch';
|
||||
import { Tabs, TabsContent, TabsList, TabsTrigger } from '@workspace/ui/components/tabs';
|
||||
import { ConfirmButton } from '@workspace/ui/custom-components/confirm-button';
|
||||
import { FilePenLine } from 'lucide-react';
|
||||
import { useTranslations } from 'next-intl';
|
||||
import Link from 'next/link';
|
||||
import { useSearchParams } from 'next/navigation';
|
||||
@ -38,11 +44,69 @@ import { useRef, useState } from 'react';
|
||||
import { toast } from 'sonner';
|
||||
import { UserDetail } from './user-detail';
|
||||
import UserForm from './user-form';
|
||||
import { AuthMethodsForm } from './user-profile/auth-methods-form';
|
||||
import { BasicInfoForm } from './user-profile/basic-info-form';
|
||||
import { NotifySettingsForm } from './user-profile/notify-settings-form';
|
||||
import UserSubscription from './user-subscription';
|
||||
|
||||
function getDeviceTypeInfo(userAgent = '') {
|
||||
let deviceType = 'Unknown';
|
||||
const ua = userAgent.toLowerCase();
|
||||
|
||||
if (ua.includes('android')) {
|
||||
deviceType = 'Android';
|
||||
} else if (ua.includes('iphone') || ua.includes('ios')) {
|
||||
deviceType = 'iPhone';
|
||||
} else if (ua.includes('ipad')) {
|
||||
deviceType = 'iPad';
|
||||
} else if (ua.includes('mac os') || ua.includes('mac')) {
|
||||
deviceType = 'Mac';
|
||||
} else if (ua.includes('windows')) {
|
||||
deviceType = 'Windows';
|
||||
} else if (ua.includes('linux')) {
|
||||
deviceType = 'Linux';
|
||||
}
|
||||
|
||||
return { deviceType };
|
||||
}
|
||||
|
||||
// 为 RemarkForm 组件定义 props 类型
|
||||
interface RemarkFormProps {
|
||||
initialRemark?: string | null;
|
||||
onSave: (remark: string) => void;
|
||||
CloseComponent: React.ComponentType<{ asChild?: boolean; children: React.ReactNode }>;
|
||||
}
|
||||
|
||||
// 新的子组件,在管理它自己的备注状态
|
||||
const RemarkForm: React.FC<RemarkFormProps> = ({ onSave, initialRemark, CloseComponent }) => {
|
||||
const [remark, setRemark] = useState<string>(initialRemark ?? '');
|
||||
|
||||
const handleInputChange = (event: React.ChangeEvent<HTMLInputElement>) => {
|
||||
setRemark(event.target.value);
|
||||
};
|
||||
|
||||
const handleSaveClick = () => {
|
||||
onSave(remark);
|
||||
};
|
||||
|
||||
return (
|
||||
<>
|
||||
<div className='mb-2 text-sm font-semibold'>备注</div>
|
||||
<Input
|
||||
type='text'
|
||||
value={remark}
|
||||
onChange={handleInputChange}
|
||||
placeholder='在此输入备注...'
|
||||
className='w-full'
|
||||
/>
|
||||
<CloseComponent asChild>
|
||||
<Button onClick={handleSaveClick} variant='default' size={'sm'} className={'mt-2'}>
|
||||
保存
|
||||
</Button>
|
||||
</CloseComponent>
|
||||
</>
|
||||
);
|
||||
};
|
||||
|
||||
export default function Page() {
|
||||
const t = useTranslations('user');
|
||||
const [loading, setLoading] = useState(false);
|
||||
@ -56,6 +120,7 @@ export default function Page() {
|
||||
user_id: sp.get('user_id') || undefined,
|
||||
subscribe_id: sp.get('subscribe_id') || undefined,
|
||||
user_subscribe_id: sp.get('user_subscribe_id') || undefined,
|
||||
device_id: sp.get('device_id') || undefined,
|
||||
};
|
||||
|
||||
return (
|
||||
@ -128,20 +193,96 @@ export default function Page() {
|
||||
},
|
||||
{
|
||||
accessorKey: 'auth_methods',
|
||||
header: t('userName'),
|
||||
header: '绑定邮箱',
|
||||
cell: ({ row }) => {
|
||||
const method = row.original.auth_methods?.[0];
|
||||
const method = row.original.auth_methods;
|
||||
return (
|
||||
<div>
|
||||
<Badge className='mr-1 uppercase' title={method?.verified ? t('verified') : ''}>
|
||||
{method?.auth_type}
|
||||
</Badge>
|
||||
{method?.auth_identifier}
|
||||
<Popover>
|
||||
<PopoverTrigger>
|
||||
<div className={'flex items-center'}>
|
||||
{method?.find((v) => v.auth_type === 'email')?.auth_identifier || '待绑定'}
|
||||
{row.original?.remark ? `(${row.original.remark})` : ''}
|
||||
<FilePenLine size={14} className={'text-primary ml-2'} />
|
||||
</div>
|
||||
</PopoverTrigger>
|
||||
<PopoverContent className={'w-64'}>
|
||||
<RemarkForm
|
||||
initialRemark={row.original.remark}
|
||||
CloseComponent={PopoverClose}
|
||||
onSave={async (remark) => {
|
||||
const {
|
||||
auth_methods,
|
||||
user_devices,
|
||||
enable_balance_notify,
|
||||
enable_login_notify,
|
||||
enable_subscribe_notify,
|
||||
enable_trade_notify,
|
||||
updated_at,
|
||||
created_at,
|
||||
id,
|
||||
...rest
|
||||
} = row.original;
|
||||
await updateUserBasicInfo({
|
||||
user_id: id,
|
||||
...rest,
|
||||
remark,
|
||||
} as unknown as API.UpdateUserBasiceInfoRequest);
|
||||
toast.success(t('updateSuccess'));
|
||||
ref.current?.refresh();
|
||||
}}
|
||||
/>
|
||||
</PopoverContent>
|
||||
</Popover>
|
||||
</div>
|
||||
);
|
||||
},
|
||||
},
|
||||
{
|
||||
accessorKey: 'user_devices',
|
||||
header: '绑定设备',
|
||||
cell: ({ row }) => {
|
||||
const devices = row?.original.user_devices ?? [];
|
||||
|
||||
return (
|
||||
<div style={{ display: 'flex', flexDirection: 'column', gap: '4px' }}>
|
||||
{devices.map((v, index) => {
|
||||
const { deviceType } = getDeviceTypeInfo(v.user_agent);
|
||||
|
||||
return (
|
||||
<div key={v.id + '_wrapper'}>
|
||||
<div
|
||||
style={{
|
||||
padding: '4px 6px',
|
||||
background: '#f8f8f8',
|
||||
borderRadius: '4px',
|
||||
border: '1px solid #e0e0e0',
|
||||
fontSize: '12px',
|
||||
lineHeight: '16px',
|
||||
}}
|
||||
>
|
||||
<div style={{ fontWeight: 500 }}>
|
||||
ID:{v.id}({deviceType})
|
||||
</div>
|
||||
</div>
|
||||
|
||||
{index !== devices.length - 1 && (
|
||||
<div
|
||||
style={{
|
||||
height: '1px',
|
||||
background: '#eee',
|
||||
margin: '4px 0',
|
||||
}}
|
||||
></div>
|
||||
)}
|
||||
</div>
|
||||
);
|
||||
})}
|
||||
</div>
|
||||
);
|
||||
},
|
||||
},
|
||||
/*{
|
||||
accessorKey: 'balance',
|
||||
header: t('balance'),
|
||||
cell: ({ row }) => <Display type='currency' value={row.getValue('balance')} />,
|
||||
@ -155,12 +296,31 @@ export default function Page() {
|
||||
accessorKey: 'commission',
|
||||
header: t('commission'),
|
||||
cell: ({ row }) => <Display type='currency' value={row.getValue('commission')} />,
|
||||
},
|
||||
},*/
|
||||
{
|
||||
accessorKey: 'refer_code',
|
||||
header: t('inviteCode'),
|
||||
cell: ({ row }) => row.getValue('refer_code') || '--',
|
||||
},
|
||||
{
|
||||
accessorKey: 'last_login_time',
|
||||
header: '最后登录时间',
|
||||
cell: ({ row }) => {
|
||||
const v = (row.original as any)?.last_login_time;
|
||||
if (!v) return '---';
|
||||
const ts = Number(v);
|
||||
const ms = ts < 1e12 ? ts * 1000 : ts;
|
||||
return formatDate(ms) as any;
|
||||
},
|
||||
},
|
||||
{
|
||||
accessorKey: 'member_status',
|
||||
header: '会员状态',
|
||||
cell: ({ row }) => {
|
||||
const v = (row.original as any)?.member_status;
|
||||
return <span className='text-sm'>{v ?? '---'}</span>;
|
||||
},
|
||||
},
|
||||
{
|
||||
accessorKey: 'referer_id',
|
||||
header: t('referer'),
|
||||
@ -203,6 +363,10 @@ export default function Page() {
|
||||
key: 'user_subscribe_id',
|
||||
placeholder: t('subscriptionId'),
|
||||
},
|
||||
{
|
||||
key: 'device_id',
|
||||
placeholder: '设备id',
|
||||
},
|
||||
]}
|
||||
actions={{
|
||||
render: (row) => {
|
||||
@ -281,7 +445,7 @@ function ProfileSheet({ userId }: { userId: number }) {
|
||||
<TabsList className='mb-3'>
|
||||
<TabsTrigger value='basic'>{t('basicInfoTitle')}</TabsTrigger>
|
||||
<TabsTrigger value='notify'>{t('notifySettingsTitle')}</TabsTrigger>
|
||||
<TabsTrigger value='auth'>{t('authMethodsTitle')}</TabsTrigger>
|
||||
{/*<TabsTrigger value='auth'>{t('authMethodsTitle')}</TabsTrigger>*/}
|
||||
</TabsList>
|
||||
<TabsContent value='basic' className='mt-0'>
|
||||
<BasicInfoForm user={user} refetch={refetch as any} />
|
||||
@ -289,9 +453,9 @@ function ProfileSheet({ userId }: { userId: number }) {
|
||||
<TabsContent value='notify' className='mt-0'>
|
||||
<NotifySettingsForm user={user} refetch={refetch as any} />
|
||||
</TabsContent>
|
||||
<TabsContent value='auth' className='mt-0'>
|
||||
{/*<TabsContent value='auth' className='mt-0'>
|
||||
<AuthMethodsForm user={user} refetch={refetch as any} />
|
||||
</TabsContent>
|
||||
</TabsContent>*/}
|
||||
</Tabs>
|
||||
</ScrollArea>
|
||||
)}
|
||||
|
||||
@ -148,7 +148,8 @@ export function UserDetail({ id }: { id: number }) {
|
||||
|
||||
const identifier =
|
||||
data?.auth_methods.find((m) => m.auth_type === 'email')?.auth_identifier ||
|
||||
data?.auth_methods[0]?.auth_identifier;
|
||||
`设备Id:${data?.user_devices[0]?.id}` ||
|
||||
'账号不存在';
|
||||
|
||||
return (
|
||||
<HoverCard>
|
||||
|
||||
@ -1,6 +1,7 @@
|
||||
'use client';
|
||||
|
||||
import useGlobalStore, { GlobalStore } from '@/config/use-global';
|
||||
import { useStatsStore } from '@/store/stats';
|
||||
import { Logout } from '@/utils/common';
|
||||
import { QueryClient, QueryClientProvider } from '@tanstack/react-query';
|
||||
import { ReactQueryStreamedHydration } from '@tanstack/react-query-next-experimental';
|
||||
@ -42,6 +43,12 @@ export default function Providers({
|
||||
setCommon(common);
|
||||
}, [setCommon, common]);
|
||||
|
||||
const { stats } = useStatsStore();
|
||||
|
||||
useEffect(() => {
|
||||
stats();
|
||||
}, []);
|
||||
|
||||
return (
|
||||
<NextThemesProvider attribute='class' defaultTheme='system' enableSystem>
|
||||
<QueryClientProvider client={queryClient}>
|
||||
|
||||
@ -77,6 +77,11 @@ export const navs = [
|
||||
icon: 'flat-color-icons:currency-exchange',
|
||||
},
|
||||
{ title: 'ADS Config', url: '/dashboard/ads', icon: 'flat-color-icons:electrical-sensor' },
|
||||
{
|
||||
title: 'Version Management',
|
||||
url: '/dashboard/settings/version',
|
||||
icon: 'flat-color-icons:kindle',
|
||||
},
|
||||
],
|
||||
},
|
||||
|
||||
|
||||
@ -45,6 +45,12 @@ export const useGlobalStore = create<GlobalStore>((set, get) => ({
|
||||
ip_register_limit: 0,
|
||||
ip_register_limit_duration: 0,
|
||||
},
|
||||
device: {
|
||||
enable: false,
|
||||
show_ads: false,
|
||||
enable_security: false,
|
||||
only_real_device: false,
|
||||
},
|
||||
},
|
||||
invite: {
|
||||
forced_invite: false,
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Adresa",
|
||||
"address_placeholder": "Adresa serveru",
|
||||
"apiHost": "API hostitel",
|
||||
"apiHostPlaceholder": "http(s)://example.com",
|
||||
"bandwidth_placeholder": "Zadejte šířku pásma, nechte prázdné pro BBR",
|
||||
"basic": "Základní konfigurace",
|
||||
"cancel": "Zrušit",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Tuto akci nelze vrátit zpět.",
|
||||
"confirmDeleteTitle": "Smazat tento server?",
|
||||
"congestion_controller": "Ovladač přetížení",
|
||||
"connect": "Připojit",
|
||||
"copied": "Zkopírováno",
|
||||
"copy": "Kopírovat",
|
||||
"country": "Země",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Vypršelo",
|
||||
"extra": "Další konfigurace",
|
||||
"flow": "Tok",
|
||||
"generate_quantum_resistant_key": "Generovat kvantově odolný klíč",
|
||||
"generate_standard_encryption_key": "Generovat standardní šifrovací klíč",
|
||||
"hop_interval": "Interval skoku",
|
||||
"hop_ports": "Porty skoku",
|
||||
"hop_ports_placeholder": "např. 1-65535",
|
||||
"host": "Hostitel",
|
||||
"id": "ID",
|
||||
"installCommand": "Instalační příkaz",
|
||||
"ipAddresses": "IP adresy",
|
||||
"memory": "Paměť",
|
||||
"migrate": "Migrace dat",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Zadejte heslo pro obfuskaci",
|
||||
"obfs_path": "Obfs cesta",
|
||||
"offline": "Offline",
|
||||
"oneClickInstall": "Instalace jedním kliknutím",
|
||||
"online": "Online",
|
||||
"onlineUsers": "Online uživatelé",
|
||||
"padding_scheme": "Schéma vycpání",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Adresse",
|
||||
"address_placeholder": "Serveradresse",
|
||||
"apiHost": "API-Host",
|
||||
"apiHostPlaceholder": "http(s)://beispiel.de",
|
||||
"bandwidth_placeholder": "Geben Sie die Bandbreite ein, lassen Sie das Feld leer für BBR",
|
||||
"basic": "Grundkonfiguration",
|
||||
"cancel": "Abbrechen",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Diese Aktion kann nicht rückgängig gemacht werden.",
|
||||
"confirmDeleteTitle": "Diesen Server löschen?",
|
||||
"congestion_controller": "Staukontroller",
|
||||
"connect": "Verbinden",
|
||||
"copied": "Kopiert",
|
||||
"copy": "Kopieren",
|
||||
"country": "Land",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Abgelaufen",
|
||||
"extra": "Zusätzliche Konfiguration",
|
||||
"flow": "Fluss",
|
||||
"generate_quantum_resistant_key": "Quantenresistenten Schlüssel generieren",
|
||||
"generate_standard_encryption_key": "Standard-Verschlüsselungsschlüssel generieren",
|
||||
"hop_interval": "Hop-Intervall",
|
||||
"hop_ports": "Hop-Ports",
|
||||
"hop_ports_placeholder": "z.B. 1-65535",
|
||||
"host": "Host",
|
||||
"id": "ID",
|
||||
"installCommand": "Installationsbefehl",
|
||||
"ipAddresses": "IP-Adressen",
|
||||
"memory": "Speicher",
|
||||
"migrate": "Daten migrieren",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Obfuskationspasswort eingeben",
|
||||
"obfs_path": "Obfs-Pfad",
|
||||
"offline": "Offline",
|
||||
"oneClickInstall": "Ein-Klick-Installation",
|
||||
"online": "Online",
|
||||
"onlineUsers": "Online-Benutzer",
|
||||
"padding_scheme": "Polsterungsschema",
|
||||
|
||||
@ -1,16 +1,13 @@
|
||||
{
|
||||
"ADS Config": "ADS Config",
|
||||
"Announcement Management": "Announcement Management",
|
||||
|
||||
"Auth Control": "Auth Control",
|
||||
"Balance": "Balance",
|
||||
"Commerce": "Commerce",
|
||||
"Commission": "Commission",
|
||||
"Coupon Management": "Coupon Management",
|
||||
"Dashboard": "Dashboard",
|
||||
|
||||
"Document Management": "Document Management",
|
||||
|
||||
"Email": "Email",
|
||||
"Gift": "Gift",
|
||||
"Login": "Login",
|
||||
@ -23,7 +20,6 @@
|
||||
"Order Management": "Order Management",
|
||||
"Payment Config": "Payment Config",
|
||||
"Product Management": "Product Management",
|
||||
|
||||
"Register": "Register",
|
||||
"Reset Subscribe": "Reset Subscribe",
|
||||
"Server Management": "Server Management",
|
||||
@ -34,10 +30,10 @@
|
||||
"System": "System",
|
||||
"System Config": "System Config",
|
||||
"System Tool": "System Tool",
|
||||
|
||||
"Ticket Management": "Ticket Management",
|
||||
"Traffic Details": "Traffic Details",
|
||||
"User Detail": "User Detail",
|
||||
"User Management": "User Management",
|
||||
"Users & Support": "Users & Support"
|
||||
"Users & Support": "Users & Support",
|
||||
"Version Management": "Version Management"
|
||||
}
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Address",
|
||||
"address_placeholder": "Server address",
|
||||
"apiHost": "API Host",
|
||||
"apiHostPlaceholder": "http(s)://example.com",
|
||||
"bandwidth_placeholder": "Enter bandwidth, leave empty for BBR",
|
||||
"basic": "Basic Configuration",
|
||||
"cancel": "Cancel",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "This action cannot be undone.",
|
||||
"confirmDeleteTitle": "Delete this server?",
|
||||
"congestion_controller": "Congestion controller",
|
||||
"connect": "Connect",
|
||||
"copied": "Copied",
|
||||
"copy": "Copy",
|
||||
"country": "Country",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Expired",
|
||||
"extra": "Extra Configuration",
|
||||
"flow": "Flow",
|
||||
"generate_quantum_resistant_key": "Generate Quantum-Resistant Key",
|
||||
"generate_standard_encryption_key": "Generate Standard Encryption Key",
|
||||
"hop_interval": "Hop interval",
|
||||
"hop_ports": "Hop ports",
|
||||
"hop_ports_placeholder": "e.g. 1-65535",
|
||||
"host": "Host",
|
||||
"id": "ID",
|
||||
"installCommand": "Install command",
|
||||
"ipAddresses": "IP addresses",
|
||||
"memory": "Memory",
|
||||
"migrate": "Migrate Data",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Enter obfuscation password",
|
||||
"obfs_path": "Obfs Path",
|
||||
"offline": "Offline",
|
||||
"oneClickInstall": "One-click Install",
|
||||
"online": "Online",
|
||||
"onlineUsers": "Online users",
|
||||
"padding_scheme": "Padding Scheme",
|
||||
|
||||
@ -18,7 +18,10 @@
|
||||
"currencySymbolPlaceholder": "$",
|
||||
"currencyUnit": "Currency Unit",
|
||||
"currencyUnitDescription": "Used for display purposes only; changing this will affect all currency units in the system",
|
||||
"currencyUnitPlaceholder": "USD"
|
||||
"currencyUnitPlaceholder": "USD",
|
||||
"fixedRate": "Fixed Exchange Rate",
|
||||
"fixedRatePlaceholder": "0",
|
||||
"fixedRateDescription": "If a fixed rate is set, it will be used instead of the API rate"
|
||||
},
|
||||
"invite": {
|
||||
"title": "Invitation Settings",
|
||||
@ -135,5 +138,35 @@
|
||||
"inputPlaceholder": "Please enter",
|
||||
"saveSuccess": "Save Successful",
|
||||
"saveFailed": "Save Failed"
|
||||
},
|
||||
"version": {
|
||||
"title": "Version Management",
|
||||
"description": "Manage app versions for all platforms",
|
||||
"create": "Create",
|
||||
"edit": "Edit Version",
|
||||
"createVersion": "Create Version",
|
||||
"platform": "Platform",
|
||||
"platformPlaceholder": "Select platform",
|
||||
"versionNumber": "Version",
|
||||
"versionPlaceholder": "1.0.0",
|
||||
"minVersion": "Min Version",
|
||||
"downloadUrl": "Download URL",
|
||||
"descriptionField": "Description",
|
||||
"descriptionPlaceholder": "Update description...",
|
||||
"forceUpdate": "Force Update",
|
||||
"default": "Default",
|
||||
"inReview": "In Review",
|
||||
"actions": "Actions",
|
||||
"url": "URL",
|
||||
"force": "Force",
|
||||
"total": "Total: {count} items",
|
||||
"previous": "Previous",
|
||||
"next": "Next",
|
||||
"page": "Page {page}",
|
||||
"noResults": "No results.",
|
||||
"yes": "Yes",
|
||||
"no": "No",
|
||||
"update": "Update",
|
||||
"confirmDelete": "Are you sure you want to delete?"
|
||||
}
|
||||
}
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Dirección",
|
||||
"address_placeholder": "Dirección del servidor",
|
||||
"apiHost": "Host de API",
|
||||
"apiHostPlaceholder": "http(s)://ejemplo.com",
|
||||
"bandwidth_placeholder": "Introduce el ancho de banda, deja vacío para BBR",
|
||||
"basic": "Configuración Básica",
|
||||
"cancel": "Cancelar",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Esta acción no se puede deshacer.",
|
||||
"confirmDeleteTitle": "¿Eliminar este servidor?",
|
||||
"congestion_controller": "Controlador de congestión",
|
||||
"connect": "Conectar",
|
||||
"copied": "Copiado",
|
||||
"copy": "Copiar",
|
||||
"country": "País",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Expirado",
|
||||
"extra": "Configuración Extra",
|
||||
"flow": "Flujo",
|
||||
"generate_quantum_resistant_key": "Generar clave resistente a cuánticos",
|
||||
"generate_standard_encryption_key": "Generar clave de cifrado estándar",
|
||||
"hop_interval": "Intervalo de salto",
|
||||
"hop_ports": "Puertos de salto",
|
||||
"hop_ports_placeholder": "p. ej. 1-65535",
|
||||
"host": "Host",
|
||||
"id": "ID",
|
||||
"installCommand": "Comando de instalación",
|
||||
"ipAddresses": "Direcciones IP",
|
||||
"memory": "Memoria",
|
||||
"migrate": "Migrar datos",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Ingrese la contraseña de ofuscación",
|
||||
"obfs_path": "Ruta de Ofuscación",
|
||||
"offline": "Desconectado",
|
||||
"oneClickInstall": "Instalación con un clic",
|
||||
"online": "Conectado",
|
||||
"onlineUsers": "Usuarios en línea",
|
||||
"padding_scheme": "Esquema de Relleno",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Dirección",
|
||||
"address_placeholder": "Dirección del servidor",
|
||||
"apiHost": "Host de API",
|
||||
"apiHostPlaceholder": "http(s)://ejemplo.com",
|
||||
"bandwidth_placeholder": "Ingresa el ancho de banda, deja vacío para BBR",
|
||||
"basic": "Configuración Básica",
|
||||
"cancel": "Cancelar",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Esta acción no se puede deshacer.",
|
||||
"confirmDeleteTitle": "¿Eliminar este servidor?",
|
||||
"congestion_controller": "Controlador de congestión",
|
||||
"connect": "Conectar",
|
||||
"copied": "Copiado",
|
||||
"copy": "Copiar",
|
||||
"country": "País",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Expirado",
|
||||
"extra": "Configuración Extra",
|
||||
"flow": "Flujo",
|
||||
"generate_quantum_resistant_key": "Generar clave resistente a cuánticos",
|
||||
"generate_standard_encryption_key": "Generar clave de cifrado estándar",
|
||||
"hop_interval": "Intervalo de salto",
|
||||
"hop_ports": "Puertos de salto",
|
||||
"hop_ports_placeholder": "p. ej. 1-65535",
|
||||
"host": "Host",
|
||||
"id": "ID",
|
||||
"installCommand": "Comando de instalación",
|
||||
"ipAddresses": "Direcciones IP",
|
||||
"memory": "Memoria",
|
||||
"migrate": "Migrar datos",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Ingresa la contraseña de ofuscación",
|
||||
"obfs_path": "Ruta de Ofuscación",
|
||||
"offline": "Desconectado",
|
||||
"oneClickInstall": "Instalación con un clic",
|
||||
"online": "Conectado",
|
||||
"onlineUsers": "Usuarios en línea",
|
||||
"padding_scheme": "Esquema de Relleno",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "آدرس",
|
||||
"address_placeholder": "آدرس سرور",
|
||||
"apiHost": "میزبان API",
|
||||
"apiHostPlaceholder": "http(s)://example.com",
|
||||
"bandwidth_placeholder": "عرض پهنای باند، برای BBR خالی بگذارید",
|
||||
"basic": "پیکربندی پایه",
|
||||
"cancel": "لغو",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "این عمل قابل بازگشت نیست.",
|
||||
"confirmDeleteTitle": "آیا این سرور را حذف کنید؟",
|
||||
"congestion_controller": "کنترلکننده ترافیک",
|
||||
"connect": "اتصال",
|
||||
"copied": "کپی شد",
|
||||
"copy": "کپی",
|
||||
"country": "کشور",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "منقضی شده",
|
||||
"extra": "پیکربندی اضافی",
|
||||
"flow": "جریان",
|
||||
"generate_quantum_resistant_key": "تولید کلید مقاوم در برابر کوانتوم",
|
||||
"generate_standard_encryption_key": "تولید کلید رمزگذاری استاندارد",
|
||||
"hop_interval": "فاصله پرش",
|
||||
"hop_ports": "پورتهای پرش",
|
||||
"hop_ports_placeholder": "مثلاً 1-65535",
|
||||
"host": "میزبان",
|
||||
"id": "شناسه",
|
||||
"installCommand": "دستور نصب",
|
||||
"ipAddresses": "آدرسهای IP",
|
||||
"memory": "حافظه",
|
||||
"migrate": "انتقال داده",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "رمز عبور اختفا را وارد کنید",
|
||||
"obfs_path": "مسیر پنهانسازی",
|
||||
"offline": "آفلاین",
|
||||
"oneClickInstall": "نصب با یک کلیک",
|
||||
"online": "آنلاین",
|
||||
"onlineUsers": "کاربران آنلاین",
|
||||
"padding_scheme": "طرح پدینگ",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Osoite",
|
||||
"address_placeholder": "Palvelimen osoite",
|
||||
"apiHost": "API-isäntä",
|
||||
"apiHostPlaceholder": "http(s)://esimerkki.com",
|
||||
"bandwidth_placeholder": "Syötä kaistanleveys, jätä tyhjäksi BBR:lle",
|
||||
"basic": "Perusasetukset",
|
||||
"cancel": "Peruuta",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Tätä toimintoa ei voi peruuttaa.",
|
||||
"confirmDeleteTitle": "Poista tämä palvelin?",
|
||||
"congestion_controller": "Ruuhkansäätö",
|
||||
"connect": "Yhdistä",
|
||||
"copied": "Kopioitu",
|
||||
"copy": "Kopioi",
|
||||
"country": "Maa",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Vanhentunut",
|
||||
"extra": "Lisäasetukset",
|
||||
"flow": "Virta",
|
||||
"generate_quantum_resistant_key": "Luo kvanttikestävä avain",
|
||||
"generate_standard_encryption_key": "Luo standardi salausavain",
|
||||
"hop_interval": "Hyppyvälit",
|
||||
"hop_ports": "Hyppysatamat",
|
||||
"hop_ports_placeholder": "esim. 1-65535",
|
||||
"host": "Isäntä",
|
||||
"id": "ID",
|
||||
"installCommand": "Asennuskomento",
|
||||
"ipAddresses": "IP-osoitteet",
|
||||
"memory": "Muisti",
|
||||
"migrate": "Siirrä tiedot",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Syötä häilytyssalasana",
|
||||
"obfs_path": "Häilytys polku",
|
||||
"offline": "Offline",
|
||||
"oneClickInstall": "Yhden napsautuksen asennus",
|
||||
"online": "Online",
|
||||
"onlineUsers": "Verkossa olevat käyttäjät",
|
||||
"padding_scheme": "Täyttökaavio",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Adresse",
|
||||
"address_placeholder": "Adresse du serveur",
|
||||
"apiHost": "Hôte API",
|
||||
"apiHostPlaceholder": "http(s)://exemple.com",
|
||||
"bandwidth_placeholder": "Entrez la bande passante, laissez vide pour BBR",
|
||||
"basic": "Configuration de base",
|
||||
"cancel": "Annuler",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Cette action ne peut pas être annulée.",
|
||||
"confirmDeleteTitle": "Supprimer ce serveur ?",
|
||||
"congestion_controller": "Contrôleur de congestion",
|
||||
"connect": "Se connecter",
|
||||
"copied": "Copié",
|
||||
"copy": "Copier",
|
||||
"country": "Pays",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Expiré",
|
||||
"extra": "Configuration supplémentaire",
|
||||
"flow": "Flux",
|
||||
"generate_quantum_resistant_key": "Générer une clé résistante aux quantiques",
|
||||
"generate_standard_encryption_key": "Générer une clé de chiffrement standard",
|
||||
"hop_interval": "Intervalle de saut",
|
||||
"hop_ports": "Ports de saut",
|
||||
"hop_ports_placeholder": "ex. 1-65535",
|
||||
"host": "Hôte",
|
||||
"id": "ID",
|
||||
"installCommand": "Commande d'installation",
|
||||
"ipAddresses": "Adresses IP",
|
||||
"memory": "Mémoire",
|
||||
"migrate": "Migrer les données",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Entrez le mot de passe d'obfuscation",
|
||||
"obfs_path": "Chemin Obfs",
|
||||
"offline": "Hors ligne",
|
||||
"oneClickInstall": "Installation en un clic",
|
||||
"online": "En ligne",
|
||||
"onlineUsers": "Utilisateurs en ligne",
|
||||
"padding_scheme": "Schéma de remplissage",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "पता",
|
||||
"address_placeholder": "सर्वर का पता",
|
||||
"apiHost": "एपीआई होस्ट",
|
||||
"apiHostPlaceholder": "http(s)://example.com",
|
||||
"bandwidth_placeholder": "बैंडविड्थ दर्ज करें, BBR के लिए खाली छोड़ें",
|
||||
"basic": "बुनियादी कॉन्फ़िगरेशन",
|
||||
"cancel": "रद्द करें",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "यह क्रिया पूर्ववत नहीं की जा सकती।",
|
||||
"confirmDeleteTitle": "क्या इस सर्वर को हटाएं?",
|
||||
"congestion_controller": "भीड़ नियंत्रण",
|
||||
"connect": "जोड़ें",
|
||||
"copied": "कॉपी किया गया",
|
||||
"copy": "कॉपी करें",
|
||||
"country": "देश",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "समय समाप्त",
|
||||
"extra": "अतिरिक्त कॉन्फ़िगरेशन",
|
||||
"flow": "प्रवाह",
|
||||
"generate_quantum_resistant_key": "क्वांटम-प्रतिरोधी कुंजी उत्पन्न करें",
|
||||
"generate_standard_encryption_key": "मानक एन्क्रिप्शन कुंजी उत्पन्न करें",
|
||||
"hop_interval": "हॉप अंतराल",
|
||||
"hop_ports": "हॉप पोर्ट",
|
||||
"hop_ports_placeholder": "जैसे 1-65535",
|
||||
"host": "होस्ट",
|
||||
"id": "आईडी",
|
||||
"installCommand": "इंस्टॉल कमांड",
|
||||
"ipAddresses": "आईपी पते",
|
||||
"memory": "मेमोरी",
|
||||
"migrate": "डेटा माइग्रेट करें",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "अवशोषण पासवर्ड दर्ज करें",
|
||||
"obfs_path": "ओबफ्स पथ",
|
||||
"offline": "ऑफलाइन",
|
||||
"oneClickInstall": "एक-क्लिक इंस्टॉलेशन",
|
||||
"online": "ऑनलाइन",
|
||||
"onlineUsers": "ऑनलाइन उपयोगकर्ता",
|
||||
"padding_scheme": "पैडिंग योजना",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Cím",
|
||||
"address_placeholder": "Szerver cím",
|
||||
"apiHost": "API gazda",
|
||||
"apiHostPlaceholder": "http(s)://pelda.com",
|
||||
"bandwidth_placeholder": "Adja meg a sávszélességet, hagyja üresen a BBR-hez",
|
||||
"basic": "Alapértelmezett Beállítások",
|
||||
"cancel": "Mégse",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Ez a művelet nem vonható vissza.",
|
||||
"confirmDeleteTitle": "Törölni szeretné ezt a szervert?",
|
||||
"congestion_controller": "Torlaszkezelő",
|
||||
"connect": "Csatlakozás",
|
||||
"copied": "Másolva",
|
||||
"copy": "Másolás",
|
||||
"country": "Ország",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Lejárt",
|
||||
"extra": "További konfiguráció",
|
||||
"flow": "Forgalom",
|
||||
"generate_quantum_resistant_key": "Kvantumálló kulcs generálása",
|
||||
"generate_standard_encryption_key": "Szabványos titkosítási kulcs generálása",
|
||||
"hop_interval": "Ugrás időköz",
|
||||
"hop_ports": "Ugrás portok",
|
||||
"hop_ports_placeholder": "pl. 1-65535",
|
||||
"host": "Gazda",
|
||||
"id": "ID",
|
||||
"installCommand": "Telepítési parancs",
|
||||
"ipAddresses": "IP címek",
|
||||
"memory": "Memória",
|
||||
"migrate": "Adatok migrálása",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Adja meg az obfuszkálás jelszót",
|
||||
"obfs_path": "Obfs útvonal",
|
||||
"offline": "Offline",
|
||||
"oneClickInstall": "Egylépéses telepítés",
|
||||
"online": "Online",
|
||||
"onlineUsers": "Online felhasználók",
|
||||
"padding_scheme": "Kitöltési Sémák",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "アドレス",
|
||||
"address_placeholder": "サーバーアドレス",
|
||||
"apiHost": "APIホスト",
|
||||
"apiHostPlaceholder": "http(s)://example.com",
|
||||
"bandwidth_placeholder": "帯域幅を入力してください。BBRの場合は空白のままにしてください。",
|
||||
"basic": "基本設定",
|
||||
"cancel": "キャンセル",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "この操作は元に戻せません。",
|
||||
"confirmDeleteTitle": "このサーバーを削除しますか?",
|
||||
"congestion_controller": "混雑制御",
|
||||
"connect": "接続",
|
||||
"copied": "コピーしました",
|
||||
"copy": "コピー",
|
||||
"country": "国",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "期限切れ",
|
||||
"extra": "追加設定",
|
||||
"flow": "フロー",
|
||||
"generate_quantum_resistant_key": "量子耐性キーを生成",
|
||||
"generate_standard_encryption_key": "標準暗号化キーを生成",
|
||||
"hop_interval": "ホップ間隔",
|
||||
"hop_ports": "ホップポート",
|
||||
"hop_ports_placeholder": "例: 1-65535",
|
||||
"host": "ホスト",
|
||||
"id": "ID",
|
||||
"installCommand": "インストールコマンド",
|
||||
"ipAddresses": "IPアドレス",
|
||||
"memory": "メモリ",
|
||||
"migrate": "データを移行する",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "難読化パスワードを入力してください",
|
||||
"obfs_path": "難読化パス",
|
||||
"offline": "オフライン",
|
||||
"oneClickInstall": "ワンクリックインストール",
|
||||
"online": "オンライン",
|
||||
"onlineUsers": "オンラインユーザー",
|
||||
"padding_scheme": "パディングスキーム",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "주소",
|
||||
"address_placeholder": "서버 주소",
|
||||
"apiHost": "API 호스트",
|
||||
"apiHostPlaceholder": "http(s)://example.com",
|
||||
"bandwidth_placeholder": "대역폭을 입력하세요. BBR을 사용하려면 비워 두세요.",
|
||||
"basic": "기본 설정",
|
||||
"cancel": "취소",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "이 작업은 실행 취소할 수 없습니다.",
|
||||
"confirmDeleteTitle": "이 서버를 삭제하시겠습니까?",
|
||||
"congestion_controller": "혼잡 제어기",
|
||||
"connect": "연결",
|
||||
"copied": "복사됨",
|
||||
"copy": "복사",
|
||||
"country": "국가",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "만료됨",
|
||||
"extra": "추가 구성",
|
||||
"flow": "흐름",
|
||||
"generate_quantum_resistant_key": "양자 저항 키 생성",
|
||||
"generate_standard_encryption_key": "표준 암호화 키 생성",
|
||||
"hop_interval": "홉 간격",
|
||||
"hop_ports": "홉 포트",
|
||||
"hop_ports_placeholder": "예: 1-65535",
|
||||
"host": "호스트",
|
||||
"id": "ID",
|
||||
"installCommand": "설치 명령",
|
||||
"ipAddresses": "IP 주소",
|
||||
"memory": "메모리",
|
||||
"migrate": "데이터 마이그레이션",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "난독화 비밀번호를 입력하세요",
|
||||
"obfs_path": "난독화 경로",
|
||||
"offline": "오프라인",
|
||||
"oneClickInstall": "원클릭 설치",
|
||||
"online": "온라인",
|
||||
"onlineUsers": "온라인 사용자",
|
||||
"padding_scheme": "패딩 규칙",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Adresse",
|
||||
"address_placeholder": "Serveradresse",
|
||||
"apiHost": "API-vert",
|
||||
"apiHostPlaceholder": "http(s)://eksempel.com",
|
||||
"bandwidth_placeholder": "Skriv inn båndbredde, la stå tomt for BBR",
|
||||
"basic": "Grunnleggende Konfigurasjon",
|
||||
"cancel": "Avbryt",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Denne handlingen kan ikke angres.",
|
||||
"confirmDeleteTitle": "Slette denne serveren?",
|
||||
"congestion_controller": "Kongestjonskontroller",
|
||||
"connect": "Koble til",
|
||||
"copied": "Kopiert",
|
||||
"copy": "Kopier",
|
||||
"country": "Land",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Utløpt",
|
||||
"extra": "Ekstra konfigurasjon",
|
||||
"flow": "Flyt",
|
||||
"generate_quantum_resistant_key": "Generer kvantumresistent nøkkel",
|
||||
"generate_standard_encryption_key": "Generer standard krypteringsnøkkel",
|
||||
"hop_interval": "Hoppintervall",
|
||||
"hop_ports": "Hoppporter",
|
||||
"hop_ports_placeholder": "f.eks. 1-65535",
|
||||
"host": "Vert",
|
||||
"id": "ID",
|
||||
"installCommand": "Installasjonskommando",
|
||||
"ipAddresses": "IP-adresser",
|
||||
"memory": "Minne",
|
||||
"migrate": "Migrer data",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Skriv inn obfuskasjonspassord",
|
||||
"obfs_path": "Obfs Sti",
|
||||
"offline": "Frakoblet",
|
||||
"oneClickInstall": "Én-klikk installasjon",
|
||||
"online": "På nett",
|
||||
"onlineUsers": "Brukere på nett",
|
||||
"padding_scheme": "Polstring Skjema",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Adres",
|
||||
"address_placeholder": "Adres serwera",
|
||||
"apiHost": "Host API",
|
||||
"apiHostPlaceholder": "http(s)://przyklad.com",
|
||||
"bandwidth_placeholder": "Wprowadź przepustowość, pozostaw puste dla BBR",
|
||||
"basic": "Podstawowa konfiguracja",
|
||||
"cancel": "Anuluj",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Ta akcja nie może być cofnięta.",
|
||||
"confirmDeleteTitle": "Usunąć ten serwer?",
|
||||
"congestion_controller": "Kontroler przeciążenia",
|
||||
"connect": "Połącz",
|
||||
"copied": "Skopiowano",
|
||||
"copy": "Kopiuj",
|
||||
"country": "Kraj",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Wygasł",
|
||||
"extra": "Dodatkowa konfiguracja",
|
||||
"flow": "Przepływ",
|
||||
"generate_quantum_resistant_key": "Generuj klucz odporny na kwanty",
|
||||
"generate_standard_encryption_key": "Generuj standardowy klucz szyfrowania",
|
||||
"hop_interval": "Interwał skoku",
|
||||
"hop_ports": "Porty skoku",
|
||||
"hop_ports_placeholder": "np. 1-65535",
|
||||
"host": "Host",
|
||||
"id": "ID",
|
||||
"installCommand": "Polecenie instalacji",
|
||||
"ipAddresses": "Adresy IP",
|
||||
"memory": "Pamięć",
|
||||
"migrate": "Migracja danych",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Wprowadź hasło obfuskacji",
|
||||
"obfs_path": "Ścieżka obfuskacji",
|
||||
"offline": "Offline",
|
||||
"oneClickInstall": "Instalacja jednym kliknięciem",
|
||||
"online": "Online",
|
||||
"onlineUsers": "Użytkownicy online",
|
||||
"padding_scheme": "Schemat wypełnienia",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Endereço",
|
||||
"address_placeholder": "Endereço do servidor",
|
||||
"apiHost": "Host da API",
|
||||
"apiHostPlaceholder": "http(s)://exemplo.com",
|
||||
"bandwidth_placeholder": "Insira a largura de banda, deixe em branco para BBR",
|
||||
"basic": "Configuração Básica",
|
||||
"cancel": "Cancelar",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Esta ação não pode ser desfeita.",
|
||||
"confirmDeleteTitle": "Excluir este servidor?",
|
||||
"congestion_controller": "Controlador de congestionamento",
|
||||
"connect": "Conectar",
|
||||
"copied": "Copiado",
|
||||
"copy": "Copiar",
|
||||
"country": "País",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Expirado",
|
||||
"extra": "Configuração Extra",
|
||||
"flow": "Fluxo",
|
||||
"generate_quantum_resistant_key": "Gerar chave resistente a quânticos",
|
||||
"generate_standard_encryption_key": "Gerar chave de criptografia padrão",
|
||||
"hop_interval": "Intervalo de salto",
|
||||
"hop_ports": "Portas de salto",
|
||||
"hop_ports_placeholder": "ex. 1-65535",
|
||||
"host": "Host",
|
||||
"id": "ID",
|
||||
"installCommand": "Comando de instalação",
|
||||
"ipAddresses": "Endereços IP",
|
||||
"memory": "Memória",
|
||||
"migrate": "Migrar Dados",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Insira a senha de ofuscação",
|
||||
"obfs_path": "Caminho de Ofuscação",
|
||||
"offline": "Offline",
|
||||
"oneClickInstall": "Instalação com um clique",
|
||||
"online": "Online",
|
||||
"onlineUsers": "Usuários online",
|
||||
"padding_scheme": "Esquema de Preenchimento",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Adresă",
|
||||
"address_placeholder": "Adresă server",
|
||||
"apiHost": "Gazda API",
|
||||
"apiHostPlaceholder": "http(s)://exemplu.com",
|
||||
"bandwidth_placeholder": "Introduceți lățimea de bandă, lăsați liber pentru BBR",
|
||||
"basic": "Configurare de bază",
|
||||
"cancel": "Anulează",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Această acțiune nu poate fi anulată.",
|
||||
"confirmDeleteTitle": "Șterge acest server?",
|
||||
"congestion_controller": "Controler de congestie",
|
||||
"connect": "Conectare",
|
||||
"copied": "Copiat",
|
||||
"copy": "Copiază",
|
||||
"country": "Țară",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Expirat",
|
||||
"extra": "Configurație suplimentară",
|
||||
"flow": "Flux",
|
||||
"generate_quantum_resistant_key": "Generează cheie rezistentă la cuantică",
|
||||
"generate_standard_encryption_key": "Generează cheie de criptare standard",
|
||||
"hop_interval": "Interval de hop",
|
||||
"hop_ports": "Porturi hop",
|
||||
"hop_ports_placeholder": "de ex. 1-65535",
|
||||
"host": "Gazdă",
|
||||
"id": "ID",
|
||||
"installCommand": "Comandă de instalare",
|
||||
"ipAddresses": "Adrese IP",
|
||||
"memory": "Memorie",
|
||||
"migrate": "Migrați datele",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Introdu parola de obfuscare",
|
||||
"obfs_path": "Cale Obfs",
|
||||
"offline": "Offline",
|
||||
"oneClickInstall": "Instalare cu un singur clic",
|
||||
"online": "Online",
|
||||
"onlineUsers": "Utilizatori online",
|
||||
"padding_scheme": "Schema de umplere",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Адрес",
|
||||
"address_placeholder": "Адрес сервера",
|
||||
"apiHost": "API хост",
|
||||
"apiHostPlaceholder": "http(s)://пример.ком",
|
||||
"bandwidth_placeholder": "Введите пропускную способность, оставьте пустым для BBR",
|
||||
"basic": "Базовая конфигурация",
|
||||
"cancel": "Отмена",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Это действие нельзя отменить.",
|
||||
"confirmDeleteTitle": "Удалить этот сервер?",
|
||||
"congestion_controller": "Контроллер перегрузки",
|
||||
"connect": "Подключить",
|
||||
"copied": "Скопировано",
|
||||
"copy": "Копировать",
|
||||
"country": "Страна",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Истекло",
|
||||
"extra": "Дополнительная конфигурация",
|
||||
"flow": "Поток",
|
||||
"generate_quantum_resistant_key": "Генерировать квантово-устойчивый ключ",
|
||||
"generate_standard_encryption_key": "Генерировать стандартный ключ шифрования",
|
||||
"hop_interval": "Интервал перехода",
|
||||
"hop_ports": "Порты перехода",
|
||||
"hop_ports_placeholder": "например, 1-65535",
|
||||
"host": "Хост",
|
||||
"id": "ID",
|
||||
"installCommand": "Команда установки",
|
||||
"ipAddresses": "IP-адреса",
|
||||
"memory": "Память",
|
||||
"migrate": "Перенести данные",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Введите пароль обфускации",
|
||||
"obfs_path": "Обфусцированный путь",
|
||||
"offline": "Офлайн",
|
||||
"oneClickInstall": "Установка в один клик",
|
||||
"online": "Онлайн",
|
||||
"onlineUsers": "Онлайн пользователи",
|
||||
"padding_scheme": "Схема выравнивания",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "ที่อยู่",
|
||||
"address_placeholder": "ที่อยู่เซิร์ฟเวอร์",
|
||||
"apiHost": "โฮสต์ API",
|
||||
"apiHostPlaceholder": "http(s)://example.com",
|
||||
"bandwidth_placeholder": "กรุณากรอกแบนด์วิธ ทิ้งว่างไว้สำหรับ BBR",
|
||||
"basic": "การตั้งค่าพื้นฐาน",
|
||||
"cancel": "ยกเลิก",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "การกระทำนี้ไม่สามารถย้อนกลับได้",
|
||||
"confirmDeleteTitle": "ลบเซิร์ฟเวอร์นี้หรือไม่?",
|
||||
"congestion_controller": "ตัวควบคุมความแออัด",
|
||||
"connect": "เชื่อมต่อ",
|
||||
"copied": "คัดลอกแล้ว",
|
||||
"copy": "คัดลอก",
|
||||
"country": "ประเทศ",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "หมดอายุ",
|
||||
"extra": "การกำหนดค่าพิเศษ",
|
||||
"flow": "การไหล",
|
||||
"generate_quantum_resistant_key": "สร้างคีย์ต้านทานควอนตัม",
|
||||
"generate_standard_encryption_key": "สร้างคีย์เข้ารหัสมาตรฐาน",
|
||||
"hop_interval": "ช่วงเวลาการกระโดด",
|
||||
"hop_ports": "พอร์ตการกระโดด",
|
||||
"hop_ports_placeholder": "เช่น 1-65535",
|
||||
"host": "โฮสต์",
|
||||
"id": "ID",
|
||||
"installCommand": "คำสั่งติดตั้ง",
|
||||
"ipAddresses": "ที่อยู่ IP",
|
||||
"memory": "หน่วยความจำ",
|
||||
"migrate": "ย้ายข้อมูล",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "กรอกรหัสผ่านการปกปิด",
|
||||
"obfs_path": "เส้นทางการทำให้ไม่สามารถอ่านได้",
|
||||
"offline": "ออฟไลน์",
|
||||
"oneClickInstall": "ติดตั้งด้วยคลิกเดียว",
|
||||
"online": "ออนไลน์",
|
||||
"onlineUsers": "ผู้ใช้งานออนไลน์",
|
||||
"padding_scheme": "รูปแบบการเติม",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Adres",
|
||||
"address_placeholder": "Sunucu adresi",
|
||||
"apiHost": "API Sunucusu",
|
||||
"apiHostPlaceholder": "http(s)://ornek.com",
|
||||
"bandwidth_placeholder": "Bant genişliğini girin, BBR için boş bırakın",
|
||||
"basic": "Temel Yapılandırma",
|
||||
"cancel": "İptal",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Bu işlem geri alınamaz.",
|
||||
"confirmDeleteTitle": "Bu sunucuyu silmek istiyor musunuz?",
|
||||
"congestion_controller": "Tıkanıklık kontrolörü",
|
||||
"connect": "Bağlan",
|
||||
"copied": "Kopyalandı",
|
||||
"copy": "Kopyala",
|
||||
"country": "Ülke",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Süresi dolmuş",
|
||||
"extra": "Ek Yapılandırma",
|
||||
"flow": "Akış",
|
||||
"generate_quantum_resistant_key": "Kuantuma Dayanıklı Anahtar Oluştur",
|
||||
"generate_standard_encryption_key": "Standart Şifreleme Anahtarı Oluştur",
|
||||
"hop_interval": "Atlama aralığı",
|
||||
"hop_ports": "Atlama portları",
|
||||
"hop_ports_placeholder": "örn. 1-65535",
|
||||
"host": "Ana bilgisayar",
|
||||
"id": "ID",
|
||||
"installCommand": "Kurulum komutu",
|
||||
"ipAddresses": "IP adresleri",
|
||||
"memory": "Bellek",
|
||||
"migrate": "Veri Taşı",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Gizleme şifresini girin",
|
||||
"obfs_path": "Obfs Yolu",
|
||||
"offline": "Çevrimdışı",
|
||||
"oneClickInstall": "Tek Tıkla Kurulum",
|
||||
"online": "Çevrimiçi",
|
||||
"onlineUsers": "Çevrimiçi kullanıcılar",
|
||||
"padding_scheme": "Dolgu Şeması",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Адреса",
|
||||
"address_placeholder": "Адреса сервера",
|
||||
"apiHost": "API хост",
|
||||
"apiHostPlaceholder": "http(s)://example.com",
|
||||
"bandwidth_placeholder": "Введіть пропускну здатність, залиште порожнім для BBR",
|
||||
"basic": "Базова конфігурація",
|
||||
"cancel": "Скасувати",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Цю дію не можна скасувати.",
|
||||
"confirmDeleteTitle": "Видалити цей сервер?",
|
||||
"congestion_controller": "Контролер перевантаження",
|
||||
"connect": "Підключити",
|
||||
"copied": "Скопійовано",
|
||||
"copy": "Копіювати",
|
||||
"country": "Країна",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Термін дії закінчився",
|
||||
"extra": "Додаткова конфігурація",
|
||||
"flow": "Потік",
|
||||
"generate_quantum_resistant_key": "Згенерувати квантово-стійкий ключ",
|
||||
"generate_standard_encryption_key": "Згенерувати стандартний ключ шифрування",
|
||||
"hop_interval": "Інтервал стрибка",
|
||||
"hop_ports": "Порти стрибка",
|
||||
"hop_ports_placeholder": "наприклад, 1-65535",
|
||||
"host": "Хост",
|
||||
"id": "ID",
|
||||
"installCommand": "Команда встановлення",
|
||||
"ipAddresses": "IP адреси",
|
||||
"memory": "Пам'ять",
|
||||
"migrate": "Міграція даних",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Введіть пароль обфускації",
|
||||
"obfs_path": "Обфускаційний шлях",
|
||||
"offline": "Офлайн",
|
||||
"oneClickInstall": "Встановлення в один клік",
|
||||
"online": "Онлайн",
|
||||
"onlineUsers": "Онлайн користувачі",
|
||||
"padding_scheme": "Схема заповнення",
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "Địa chỉ",
|
||||
"address_placeholder": "Địa chỉ máy chủ",
|
||||
"apiHost": "Máy chủ API",
|
||||
"apiHostPlaceholder": "http(s)://example.com",
|
||||
"bandwidth_placeholder": "Nhập băng thông, để trống cho BBR",
|
||||
"basic": "Cấu Hình Cơ Bản",
|
||||
"cancel": "Hủy",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "Hành động này không thể hoàn tác.",
|
||||
"confirmDeleteTitle": "Xóa máy chủ này?",
|
||||
"congestion_controller": "Bộ điều khiển tắc nghẽn",
|
||||
"connect": "Kết nối",
|
||||
"copied": "Đã sao chép",
|
||||
"copy": "Sao chép",
|
||||
"country": "Quốc gia",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "Đã hết hạn",
|
||||
"extra": "Cấu hình thêm",
|
||||
"flow": "Lưu lượng",
|
||||
"generate_quantum_resistant_key": "Tạo khóa chống lượng tử",
|
||||
"generate_standard_encryption_key": "Tạo khóa mã hóa tiêu chuẩn",
|
||||
"hop_interval": "Khoảng thời gian nhảy",
|
||||
"hop_ports": "Cổng nhảy",
|
||||
"hop_ports_placeholder": "vd. 1-65535",
|
||||
"host": "Máy chủ",
|
||||
"id": "ID",
|
||||
"installCommand": "Lệnh cài đặt",
|
||||
"ipAddresses": "Địa chỉ IP",
|
||||
"memory": "Bộ nhớ",
|
||||
"migrate": "Di chuyển dữ liệu",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "Nhập mật khẩu làm mờ",
|
||||
"obfs_path": "Đường dẫn Obfs",
|
||||
"offline": "Ngoại tuyến",
|
||||
"oneClickInstall": "Cài đặt một lần nhấp",
|
||||
"online": "Trực tuyến",
|
||||
"onlineUsers": "Người dùng trực tuyến",
|
||||
"padding_scheme": "Sơ Đồ Đệm",
|
||||
|
||||
@ -1,16 +1,13 @@
|
||||
{
|
||||
"ADS Config": "广告配置",
|
||||
"Announcement Management": "公告管理",
|
||||
|
||||
"Auth Control": "认证控制",
|
||||
"Balance": "余额变动",
|
||||
"Commerce": "商务",
|
||||
"Commission": "佣金记录",
|
||||
"Coupon Management": "优惠券管理",
|
||||
"Dashboard": "仪表盘",
|
||||
|
||||
"Document Management": "文档管理",
|
||||
|
||||
"Email": "邮件日志",
|
||||
"Gift": "赠送记录",
|
||||
"Login": "登录日志",
|
||||
@ -23,7 +20,6 @@
|
||||
"Order Management": "订单管理",
|
||||
"Payment Config": "支付配置",
|
||||
"Product Management": "商品管理",
|
||||
|
||||
"Register": "注册日志",
|
||||
"Reset Subscribe": "重置订阅",
|
||||
"Server Management": "服务器管理",
|
||||
@ -34,10 +30,10 @@
|
||||
"System": "系统",
|
||||
"System Config": "系统配置",
|
||||
"System Tool": "系统工具",
|
||||
|
||||
"Ticket Management": "工单管理",
|
||||
"Traffic Details": "流量明细",
|
||||
"User Detail": "用户详情",
|
||||
"User Management": "用户管理",
|
||||
"Users & Support": "用户与支持"
|
||||
"Users & Support": "用户与支持",
|
||||
"Version Management": "版本管理"
|
||||
}
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "地址",
|
||||
"address_placeholder": "服务器地址",
|
||||
"apiHost": "API Host",
|
||||
"apiHostPlaceholder": "http(s)://example.com",
|
||||
"bandwidth_placeholder": "请输入带宽,留空则使用BBR",
|
||||
"basic": "基础配置",
|
||||
"cancel": "取消",
|
||||
@ -13,12 +15,16 @@
|
||||
"cert_mode": "证书模式",
|
||||
"cipher": "加密算法",
|
||||
"city": "城市",
|
||||
"close": "关闭",
|
||||
"confirm": "确认",
|
||||
"confirmDeleteDesc": "该操作不可撤销。",
|
||||
"confirmDeleteTitle": "确认删除该服务器?",
|
||||
"congestion_controller": "拥塞控制",
|
||||
"connect": "对接",
|
||||
"copied": "已复制",
|
||||
"copy": "复制",
|
||||
"copyAndClose": "复制并关闭",
|
||||
"copyFailed": "复制失败",
|
||||
"country": "国家",
|
||||
"cpu": "CPU",
|
||||
"create": "新建",
|
||||
@ -47,11 +53,14 @@
|
||||
"expired": "已过期",
|
||||
"extra": "额外配置",
|
||||
"flow": "流控",
|
||||
"generate_quantum_resistant_key": "生成抗量子密钥",
|
||||
"generate_standard_encryption_key": "生成标准加密密钥",
|
||||
"hop_interval": "跳跃端口间隔",
|
||||
"hop_ports": "跳跃端口",
|
||||
"hop_ports_placeholder": "例如 1-65535",
|
||||
"host": "Host",
|
||||
"id": "编号",
|
||||
"installCommand": "一键安装命令",
|
||||
"ipAddresses": "IP 地址",
|
||||
"memory": "内存",
|
||||
"migrate": "迁移数据",
|
||||
@ -69,6 +78,7 @@
|
||||
"obfs_password_placeholder": "输入混淆密码",
|
||||
"obfs_path": "混淆路径",
|
||||
"offline": "离线",
|
||||
"oneClickInstall": "一键接入",
|
||||
"online": "在线",
|
||||
"onlineUsers": "在线人数",
|
||||
"padding_scheme": "填充方案",
|
||||
|
||||
@ -18,7 +18,10 @@
|
||||
"currencySymbolPlaceholder": "$",
|
||||
"currencyUnit": "货币单位",
|
||||
"currencyUnitDescription": "仅用于展示使用,更改后系统中所有的货币单位都将发生变更",
|
||||
"currencyUnitPlaceholder": "USD"
|
||||
"currencyUnitPlaceholder": "USD",
|
||||
"fixedRate": "固定汇率",
|
||||
"fixedRatePlaceholder": "0",
|
||||
"fixedRateDescription": "如果设置了固定汇率,将使用此值而非API获取的汇率"
|
||||
},
|
||||
"invite": {
|
||||
"title": "邀请设置",
|
||||
@ -137,5 +140,35 @@
|
||||
"inputPlaceholder": "请输入",
|
||||
"saveSuccess": "保存成功",
|
||||
"saveFailed": "保存失败"
|
||||
},
|
||||
"version": {
|
||||
"title": "版本管理",
|
||||
"description": "管理各平台应用版本信息",
|
||||
"create": "创建",
|
||||
"edit": "编辑版本",
|
||||
"createVersion": "创建版本",
|
||||
"platform": "平台",
|
||||
"platformPlaceholder": "选择平台",
|
||||
"versionNumber": "版本号",
|
||||
"versionPlaceholder": "1.0.0",
|
||||
"minVersion": "最低版本",
|
||||
"downloadUrl": "下载链接",
|
||||
"descriptionField": "描述",
|
||||
"descriptionPlaceholder": "更新说明...",
|
||||
"forceUpdate": "强制更新",
|
||||
"default": "默认版本",
|
||||
"inReview": "审核中",
|
||||
"actions": "操作",
|
||||
"url": "下载地址",
|
||||
"force": "强制",
|
||||
"total": "共 {count} 条",
|
||||
"previous": "上一页",
|
||||
"next": "下一页",
|
||||
"page": "第 {page} 页",
|
||||
"noResults": "暂无数据",
|
||||
"yes": "是",
|
||||
"no": "否",
|
||||
"update": "更新",
|
||||
"confirmDelete": "确定要删除吗?"
|
||||
}
|
||||
}
|
||||
|
||||
@ -5,6 +5,8 @@
|
||||
},
|
||||
"address": "地址",
|
||||
"address_placeholder": "伺服器地址",
|
||||
"apiHost": "API 主機",
|
||||
"apiHostPlaceholder": "http(s)://example.com",
|
||||
"bandwidth_placeholder": "輸入帶寬,留空以使用BBR",
|
||||
"basic": "基本配置",
|
||||
"cancel": "取消",
|
||||
@ -17,6 +19,7 @@
|
||||
"confirmDeleteDesc": "此操作無法撤銷。",
|
||||
"confirmDeleteTitle": "刪除此伺服器?",
|
||||
"congestion_controller": "擁塞控制器",
|
||||
"connect": "連接",
|
||||
"copied": "已複製",
|
||||
"copy": "複製",
|
||||
"country": "國家",
|
||||
@ -47,11 +50,14 @@
|
||||
"expired": "已過期",
|
||||
"extra": "額外配置",
|
||||
"flow": "流量",
|
||||
"generate_quantum_resistant_key": "生成抗量子密鑰",
|
||||
"generate_standard_encryption_key": "生成標準加密密鑰",
|
||||
"hop_interval": "跳躍間隔",
|
||||
"hop_ports": "跳躍端口",
|
||||
"hop_ports_placeholder": "例如 1-65535",
|
||||
"host": "主機",
|
||||
"id": "ID",
|
||||
"installCommand": "安裝命令",
|
||||
"ipAddresses": "IP 地址",
|
||||
"memory": "內存",
|
||||
"migrate": "遷移數據",
|
||||
@ -69,6 +75,7 @@
|
||||
"obfs_password_placeholder": "輸入混淆密碼",
|
||||
"obfs_path": "混淆路徑",
|
||||
"offline": "離線",
|
||||
"oneClickInstall": "一鍵安裝",
|
||||
"online": "在線",
|
||||
"onlineUsers": "在線用戶",
|
||||
"padding_scheme": "填充方案",
|
||||
|
||||
@ -11,7 +11,8 @@
|
||||
},
|
||||
"dependencies": {
|
||||
"@lottiefiles/dotlottie-react": "^0.15.1",
|
||||
"@noble/curves": "^2.0.0",
|
||||
"@noble/curves": "^2.0.1",
|
||||
"@noble/ed25519": "^3.0.0",
|
||||
"@tanstack/react-query": "^5.85.5",
|
||||
"@tanstack/react-query-next-experimental": "^5.85.5",
|
||||
"@workspace/ui": "workspace:*",
|
||||
@ -20,7 +21,7 @@
|
||||
"js-yaml": "^4.1.0",
|
||||
"mlkem-wasm": "^0.0.6",
|
||||
"nanoid": "^5.1.5",
|
||||
"next": "^15.5.2",
|
||||
"next": "15.5.7",
|
||||
"next-intl": "^3.26.3",
|
||||
"next-runtime-env": "^3.3.0",
|
||||
"next-themes": "^0.4.6",
|
||||
|
||||
@ -85,3 +85,71 @@ export async function getSubscribeApplicationList(
|
||||
},
|
||||
);
|
||||
}
|
||||
|
||||
/** Create App Version POST /v1/admin/application/version */
|
||||
export async function createAppVersion(
|
||||
body: API.CreateAppVersionRequest,
|
||||
options?: { [key: string]: any },
|
||||
) {
|
||||
return request<API.Response & { data?: API.ApplicationVersion }>(
|
||||
'/v1/admin/application/version',
|
||||
{
|
||||
method: 'POST',
|
||||
headers: {
|
||||
'Content-Type': 'application/json',
|
||||
},
|
||||
data: body,
|
||||
...(options || {}),
|
||||
},
|
||||
);
|
||||
}
|
||||
|
||||
/** Update App Version PUT /v1/admin/application/version */
|
||||
export async function updateAppVersion(
|
||||
body: API.UpdateAppVersionRequest,
|
||||
options?: { [key: string]: any },
|
||||
) {
|
||||
return request<API.Response & { data?: API.ApplicationVersion }>(
|
||||
'/v1/admin/application/version',
|
||||
{
|
||||
method: 'PUT',
|
||||
headers: {
|
||||
'Content-Type': 'application/json',
|
||||
},
|
||||
data: body,
|
||||
...(options || {}),
|
||||
},
|
||||
);
|
||||
}
|
||||
|
||||
/** Delete App Version DELETE /v1/admin/application/version */
|
||||
export async function deleteAppVersion(
|
||||
body: API.DeleteAppVersionRequest,
|
||||
options?: { [key: string]: any },
|
||||
) {
|
||||
return request<API.Response & { data?: any }>('/v1/admin/application/version', {
|
||||
method: 'DELETE',
|
||||
headers: {
|
||||
'Content-Type': 'application/json',
|
||||
},
|
||||
data: body,
|
||||
...(options || {}),
|
||||
});
|
||||
}
|
||||
|
||||
/** Get App Version List GET /v1/admin/application/version/list */
|
||||
export async function getAppVersionList(
|
||||
params: API.GetAppVersionListParams,
|
||||
options?: { [key: string]: any },
|
||||
) {
|
||||
return request<API.Response & { data?: API.GetAppVersionListResponse }>(
|
||||
'/v1/admin/application/version/list',
|
||||
{
|
||||
method: 'GET',
|
||||
params: {
|
||||
...params,
|
||||
},
|
||||
...(options || {}),
|
||||
},
|
||||
);
|
||||
}
|
||||
|
||||
@ -76,6 +76,17 @@ export async function updateNodeConfig(body: API.NodeConfig, options?: { [key: s
|
||||
});
|
||||
}
|
||||
|
||||
/** PreView Node Multiplier GET /v1/admin/system/node_multiplier/preview */
|
||||
export async function preViewNodeMultiplier(options?: { [key: string]: any }) {
|
||||
return request<API.Response & { data?: API.PreViewNodeMultiplierResponse }>(
|
||||
'/v1/admin/system/node_multiplier/preview',
|
||||
{
|
||||
method: 'GET',
|
||||
...(options || {}),
|
||||
},
|
||||
);
|
||||
}
|
||||
|
||||
/** get Privacy Policy Config GET /v1/admin/system/privacy */
|
||||
export async function getPrivacyPolicyConfig(options?: { [key: string]: any }) {
|
||||
return request<API.Response & { data?: API.PrivacyPolicyConfig }>('/v1/admin/system/privacy', {
|
||||
|
||||
60
apps/admin/services/admin/typings.d.ts
vendored
60
apps/admin/services/admin/typings.d.ts
vendored
@ -65,10 +65,53 @@ declare namespace API {
|
||||
|
||||
type ApplicationVersion = {
|
||||
id: number;
|
||||
platform: string;
|
||||
url: string;
|
||||
version: string;
|
||||
description: string;
|
||||
min_version?: string;
|
||||
force_update: boolean;
|
||||
description: Record<string, string>;
|
||||
is_default: boolean;
|
||||
is_in_review: boolean;
|
||||
created_at: number;
|
||||
};
|
||||
|
||||
type CreateAppVersionRequest = {
|
||||
platform: string;
|
||||
version: string;
|
||||
min_version?: string;
|
||||
force_update?: boolean;
|
||||
description?: string;
|
||||
url: string;
|
||||
is_default?: boolean;
|
||||
is_in_review?: boolean;
|
||||
};
|
||||
|
||||
type UpdateAppVersionRequest = {
|
||||
id: number;
|
||||
platform: string;
|
||||
version: string;
|
||||
min_version?: string;
|
||||
force_update?: boolean;
|
||||
description?: string;
|
||||
url: string;
|
||||
is_default?: boolean;
|
||||
is_in_review?: boolean;
|
||||
};
|
||||
|
||||
type DeleteAppVersionRequest = {
|
||||
id: number;
|
||||
};
|
||||
|
||||
type GetAppVersionListParams = {
|
||||
page?: number;
|
||||
size?: number;
|
||||
platform?: string;
|
||||
};
|
||||
|
||||
type GetAppVersionListResponse = {
|
||||
total: number;
|
||||
list: ApplicationVersion[];
|
||||
};
|
||||
|
||||
type AppUserSubcbribe = {
|
||||
@ -108,6 +151,7 @@ declare namespace API {
|
||||
type AuthConfig = {
|
||||
mobile: MobileAuthenticateConfig;
|
||||
email: EmailAuthticateConfig;
|
||||
device: DeviceAuthticateConfig;
|
||||
register: PubilcRegisterConfig;
|
||||
};
|
||||
|
||||
@ -397,6 +441,7 @@ declare namespace API {
|
||||
access_key: string;
|
||||
currency_unit: string;
|
||||
currency_symbol: string;
|
||||
fixed_rate?: number;
|
||||
};
|
||||
|
||||
type DeleteAdsRequest = {
|
||||
@ -456,6 +501,13 @@ declare namespace API {
|
||||
user_subscribe_id: number;
|
||||
};
|
||||
|
||||
type DeviceAuthticateConfig = {
|
||||
enable: boolean;
|
||||
show_ads: boolean;
|
||||
enable_security: boolean;
|
||||
only_real_device: boolean;
|
||||
};
|
||||
|
||||
type Document = {
|
||||
id: number;
|
||||
title: string;
|
||||
@ -1495,6 +1547,11 @@ declare namespace API {
|
||||
orderNo: string;
|
||||
};
|
||||
|
||||
type PreViewNodeMultiplierResponse = {
|
||||
current_time: string;
|
||||
ratio: number;
|
||||
};
|
||||
|
||||
type PreviewSubscribeTemplateParams = {
|
||||
id: number;
|
||||
};
|
||||
@ -2347,6 +2404,7 @@ declare namespace API {
|
||||
id: number;
|
||||
avatar: string;
|
||||
balance: number;
|
||||
remark: string;
|
||||
commission: number;
|
||||
referral_percentage: number;
|
||||
only_first_purchase: boolean;
|
||||
|
||||
@ -47,6 +47,18 @@ export async function userLogin(body: API.UserLoginRequest, options?: { [key: st
|
||||
});
|
||||
}
|
||||
|
||||
/** Device Login POST /v1/auth/login/device */
|
||||
export async function deviceLogin(body: API.DeviceLoginRequest, options?: { [key: string]: any }) {
|
||||
return request<API.Response & { data?: API.LoginResponse }>('/v1/auth/login/device', {
|
||||
method: 'POST',
|
||||
headers: {
|
||||
'Content-Type': 'application/json',
|
||||
},
|
||||
data: body,
|
||||
...(options || {}),
|
||||
});
|
||||
}
|
||||
|
||||
/** User Telephone login POST /v1/auth/login/telephone */
|
||||
export async function telephoneLogin(
|
||||
body: API.TelephoneLoginRequest,
|
||||
|
||||
20
apps/admin/services/common/typings.d.ts
vendored
20
apps/admin/services/common/typings.d.ts
vendored
@ -114,6 +114,7 @@ declare namespace API {
|
||||
type AuthConfig = {
|
||||
mobile: MobileAuthenticateConfig;
|
||||
email: EmailAuthticateConfig;
|
||||
device: DeviceAuthticateConfig;
|
||||
register: PubilcRegisterConfig;
|
||||
};
|
||||
|
||||
@ -211,6 +212,19 @@ declare namespace API {
|
||||
currency_symbol: string;
|
||||
};
|
||||
|
||||
type DeviceAuthticateConfig = {
|
||||
enable: boolean;
|
||||
show_ads: boolean;
|
||||
enable_security: boolean;
|
||||
only_real_device: boolean;
|
||||
};
|
||||
|
||||
type DeviceLoginRequest = {
|
||||
identifier: string;
|
||||
user_agent: string;
|
||||
cf_token?: string;
|
||||
};
|
||||
|
||||
type Document = {
|
||||
id: number;
|
||||
title: string;
|
||||
@ -706,6 +720,7 @@ declare namespace API {
|
||||
};
|
||||
|
||||
type ResetPasswordRequest = {
|
||||
identifier: string;
|
||||
email: string;
|
||||
password: string;
|
||||
code?: string;
|
||||
@ -898,6 +913,7 @@ declare namespace API {
|
||||
};
|
||||
|
||||
type TelephoneLoginRequest = {
|
||||
identifier: string;
|
||||
telephone: string;
|
||||
telephone_code: string;
|
||||
telephone_area_code: string;
|
||||
@ -906,6 +922,7 @@ declare namespace API {
|
||||
};
|
||||
|
||||
type TelephoneRegisterRequest = {
|
||||
identifier: string;
|
||||
telephone: string;
|
||||
telephone_area_code: string;
|
||||
password: string;
|
||||
@ -915,6 +932,7 @@ declare namespace API {
|
||||
};
|
||||
|
||||
type TelephoneResetPasswordRequest = {
|
||||
identifier: string;
|
||||
telephone: string;
|
||||
telephone_area_code: string;
|
||||
password: string;
|
||||
@ -1035,12 +1053,14 @@ declare namespace API {
|
||||
};
|
||||
|
||||
type UserLoginRequest = {
|
||||
identifier: string;
|
||||
email: string;
|
||||
password: string;
|
||||
cf_token?: string;
|
||||
};
|
||||
|
||||
type UserRegisterRequest = {
|
||||
identifier: string;
|
||||
email: string;
|
||||
password: string;
|
||||
invite?: string;
|
||||
|
||||
@ -65,7 +65,7 @@ export const useServerStore = create<ServerState>((set, get) => ({
|
||||
|
||||
getServerEnabledProtocols: (serverId: number) => {
|
||||
const server = get().servers.find((s) => s.id === serverId);
|
||||
return server?.protocols?.filter((p) => p.enable !== false) || [];
|
||||
return server?.protocols?.filter((p) => p.enable) || [];
|
||||
},
|
||||
|
||||
getProtocolPort: (serverId?: number, protocol?: string) => {
|
||||
|
||||
74
apps/admin/store/stats.ts
Normal file
74
apps/admin/store/stats.ts
Normal file
@ -0,0 +1,74 @@
|
||||
import { create } from 'zustand';
|
||||
|
||||
// Fixed remote stats endpoint and required header
|
||||
export const REQUIRED_HEADER_NAME = 'stats';
|
||||
export const REQUIRED_HEADER_VALUE = 'ppanel.dev';
|
||||
const STATS_URL = 'https://stats.ppanel.dev';
|
||||
const STATS_LOADED_KEY = 'ppanel:stats:loaded';
|
||||
|
||||
interface StatsState {
|
||||
loading: boolean;
|
||||
loaded: boolean;
|
||||
stats: () => Promise<void>;
|
||||
}
|
||||
|
||||
async function hashHostname(hostname: string): Promise<string> {
|
||||
try {
|
||||
const encoder = new TextEncoder();
|
||||
const data = encoder.encode(hostname);
|
||||
const hashBuffer = await crypto.subtle.digest('SHA-256', data);
|
||||
const hashArray = Array.from(new Uint8Array(hashBuffer));
|
||||
return hashArray.map((b) => b.toString(16).padStart(2, '0')).join('');
|
||||
} catch (e) {
|
||||
return '';
|
||||
}
|
||||
}
|
||||
|
||||
export const useStatsStore = create<StatsState>((set) => ({
|
||||
loading: false,
|
||||
loaded:
|
||||
typeof window !== 'undefined' ? Boolean(window.localStorage.getItem(STATS_LOADED_KEY)) : false,
|
||||
|
||||
stats: async () => {
|
||||
// if already recorded, skip
|
||||
if (typeof window !== 'undefined') {
|
||||
try {
|
||||
if (window.localStorage.getItem(STATS_LOADED_KEY)) return;
|
||||
} catch {}
|
||||
}
|
||||
|
||||
set({ loading: true });
|
||||
try {
|
||||
const hostname =
|
||||
typeof window !== 'undefined' && window.location ? window.location.hostname : '';
|
||||
const domain = hostname ? await hashHostname(hostname) : '';
|
||||
|
||||
await fetch(STATS_URL, {
|
||||
method: 'POST',
|
||||
headers: {
|
||||
[REQUIRED_HEADER_NAME]: REQUIRED_HEADER_VALUE,
|
||||
'Content-Type': 'application/json',
|
||||
},
|
||||
body: JSON.stringify({
|
||||
domain,
|
||||
}),
|
||||
});
|
||||
set({ loaded: true });
|
||||
if (typeof window !== 'undefined') {
|
||||
try {
|
||||
window.localStorage.setItem(STATS_LOADED_KEY, '1');
|
||||
} catch {}
|
||||
}
|
||||
} catch (error) {
|
||||
// treat as completed to avoid repeated attempts
|
||||
set({ loaded: false });
|
||||
if (typeof window !== 'undefined') {
|
||||
try {
|
||||
window.localStorage.setItem(STATS_LOADED_KEY, '0');
|
||||
} catch {}
|
||||
}
|
||||
} finally {
|
||||
set({ loading: false });
|
||||
}
|
||||
},
|
||||
}));
|
||||
@ -20,6 +20,7 @@ export default function PhoneAuthForm() {
|
||||
const [type, setType] = useState<'login' | 'register' | 'reset'>('login');
|
||||
const [loading, startTransition] = useTransition();
|
||||
const [initialValues, setInitialValues] = useState<API.TelephoneLoginRequest>({
|
||||
identifier: '',
|
||||
telephone: '',
|
||||
telephone_area_code: '1',
|
||||
password: '',
|
||||
|
||||
@ -19,6 +19,8 @@ export default function Certification({ platform, children }: CertificationProps
|
||||
oAuthLoginGetToken({
|
||||
method: platform,
|
||||
callback: searchParams,
|
||||
// @ts-ignore
|
||||
invite: localStorage.getItem('invite') || '',
|
||||
})
|
||||
.then((res) => {
|
||||
const token = res?.data?.data?.token;
|
||||
|
||||
@ -48,6 +48,12 @@ export const useGlobalStore = create<GlobalStore>((set, get) => ({
|
||||
ip_register_limit: 0,
|
||||
ip_register_limit_duration: 0,
|
||||
},
|
||||
device: {
|
||||
enable: false,
|
||||
show_ads: false,
|
||||
enable_security: false,
|
||||
only_real_device: false,
|
||||
},
|
||||
},
|
||||
invite: {
|
||||
forced_invite: false,
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Koupit",
|
||||
"4": "Vrácení peněz",
|
||||
"5": "Odměna",
|
||||
"6": "Provize"
|
||||
"6": "Provize",
|
||||
"231": "Automatické resetování",
|
||||
"232": "Předběžný reset",
|
||||
"233": "Placený reset",
|
||||
"321": "Dobití",
|
||||
"322": "Výběr",
|
||||
"323": "Platba",
|
||||
"324": "Vrácení peněz",
|
||||
"325": "Odměna",
|
||||
"326": "Úprava administrátora",
|
||||
"331": "Nákup",
|
||||
"332": "Obnovení",
|
||||
"333": "Vrácení peněz",
|
||||
"334": "Výběr",
|
||||
"335": "Úprava administrátora",
|
||||
"341": "Navýšení",
|
||||
"342": "Snížení"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Kaufen",
|
||||
"4": "Rückerstattung",
|
||||
"5": "Belohnung",
|
||||
"6": "Provision"
|
||||
"6": "Provision",
|
||||
"231": "Automatisches Zurücksetzen",
|
||||
"232": "Vorzeitiges Zurücksetzen",
|
||||
"233": "Kostenpflichtiges Zurücksetzen",
|
||||
"321": "Aufladen",
|
||||
"322": "Abheben",
|
||||
"323": "Zahlung",
|
||||
"324": "Rückerstattung",
|
||||
"325": "Belohnung",
|
||||
"326": "Admin-Anpassung",
|
||||
"331": "Kauf",
|
||||
"332": "Verlängerung",
|
||||
"333": "Rückerstattung",
|
||||
"334": "Abheben",
|
||||
"335": "Admin-Anpassung",
|
||||
"341": "Erhöhung",
|
||||
"342": "Reduzierung"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Purchase",
|
||||
"4": "Refund",
|
||||
"5": "Reward",
|
||||
"6": "Commission"
|
||||
"6": "Commission",
|
||||
"231": "Auto Reset",
|
||||
"232": "Advance Reset",
|
||||
"233": "Paid Reset",
|
||||
"321": "Recharge",
|
||||
"322": "Withdraw",
|
||||
"323": "Payment",
|
||||
"324": "Refund",
|
||||
"325": "Reward",
|
||||
"326": "Admin Adjust",
|
||||
"331": "Purchase",
|
||||
"332": "Renewal",
|
||||
"333": "Refund",
|
||||
"334": "Withdraw",
|
||||
"335": "Admin Adjust",
|
||||
"341": "Increase",
|
||||
"342": "Reduce"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "compra",
|
||||
"4": "reembolso",
|
||||
"5": "recompensa",
|
||||
"6": "comisión"
|
||||
"6": "comisión",
|
||||
"231": "restablecimiento automático",
|
||||
"232": "restablecimiento anticipado",
|
||||
"233": "restablecimiento de pago",
|
||||
"321": "recarga",
|
||||
"322": "retiro",
|
||||
"323": "pago",
|
||||
"324": "reembolso",
|
||||
"325": "recompensa",
|
||||
"326": "ajuste de administrador",
|
||||
"331": "compra",
|
||||
"332": "renovación",
|
||||
"333": "reembolso",
|
||||
"334": "retiro",
|
||||
"335": "ajuste de administrador",
|
||||
"341": "incremento",
|
||||
"342": "reducción"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Compra",
|
||||
"4": "Reembolso",
|
||||
"5": "Recompensa",
|
||||
"6": "Comisión"
|
||||
"6": "Comisión",
|
||||
"231": "Restablecimiento automático",
|
||||
"232": "Restablecimiento anticipado",
|
||||
"233": "Restablecimiento de pago",
|
||||
"321": "Recarga",
|
||||
"322": "Retiro",
|
||||
"323": "Pago",
|
||||
"324": "Reembolso",
|
||||
"325": "Recompensa",
|
||||
"326": "Ajuste de administrador",
|
||||
"331": "Compra",
|
||||
"332": "Renovación",
|
||||
"333": "Reembolso",
|
||||
"334": "Retiro",
|
||||
"335": "Ajuste de administrador",
|
||||
"341": "Incremento",
|
||||
"342": "Reducción"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "خرید",
|
||||
"4": "بازپرداخت",
|
||||
"5": "پاداش",
|
||||
"6": "کمیسیون"
|
||||
"6": "کمیسیون",
|
||||
"231": "بازنشانی خودکار",
|
||||
"232": "بازنشانی پیشاپیش",
|
||||
"233": "بازنشانی پولی",
|
||||
"321": "شارژ",
|
||||
"322": "برداشت",
|
||||
"323": "پرداخت",
|
||||
"324": "بازپرداخت",
|
||||
"325": "پاداش",
|
||||
"326": "تنظیم مدیر",
|
||||
"331": "خرید",
|
||||
"332": "تمدید",
|
||||
"333": "بازپرداخت",
|
||||
"334": "برداشت",
|
||||
"335": "تنظیم مدیر",
|
||||
"341": "افزایش",
|
||||
"342": "کاهش"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Osto",
|
||||
"4": "Hyvitys",
|
||||
"5": "Palkinto",
|
||||
"6": "Komissio"
|
||||
"6": "Komissio",
|
||||
"231": "Automaattinen nollaus",
|
||||
"232": "Ennakkonollaus",
|
||||
"233": "Maksullinen nollaus",
|
||||
"321": "Lataus",
|
||||
"322": "Nosto",
|
||||
"323": "Maksu",
|
||||
"324": "Hyvitys",
|
||||
"325": "Palkinto",
|
||||
"326": "Ylläpitäjän säätö",
|
||||
"331": "Osto",
|
||||
"332": "Uusiminen",
|
||||
"333": "Hyvitys",
|
||||
"334": "Nosto",
|
||||
"335": "Ylläpitäjän säätö",
|
||||
"341": "Lisäys",
|
||||
"342": "Vähennys"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Achat",
|
||||
"4": "Remboursement",
|
||||
"5": "Récompense",
|
||||
"6": "Commission"
|
||||
"6": "Commission",
|
||||
"231": "Réinitialisation automatique",
|
||||
"232": "Réinitialisation anticipée",
|
||||
"233": "Réinitialisation payante",
|
||||
"321": "Recharge",
|
||||
"322": "Retrait",
|
||||
"323": "Paiement",
|
||||
"324": "Remboursement",
|
||||
"325": "Récompense",
|
||||
"326": "Ajustement administrateur",
|
||||
"331": "Achat",
|
||||
"332": "Renouvellement",
|
||||
"333": "Remboursement",
|
||||
"334": "Retrait",
|
||||
"335": "Ajustement administrateur",
|
||||
"341": "Augmentation",
|
||||
"342": "Réduction"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "खरीद",
|
||||
"4": "वापसी",
|
||||
"5": "इनाम",
|
||||
"6": "कमीशन"
|
||||
"6": "कमीशन",
|
||||
"231": "स्वचालित रीसेट",
|
||||
"232": "अग्रिम रीसेट",
|
||||
"233": "सशुल्क रीसेट",
|
||||
"321": "रिचार्ज",
|
||||
"322": "निकासी",
|
||||
"323": "भुगतान",
|
||||
"324": "वापसी",
|
||||
"325": "इनाम",
|
||||
"326": "व्यवस्थापक समायोजन",
|
||||
"331": "खरीद",
|
||||
"332": "नवीनीकरण",
|
||||
"333": "वापसी",
|
||||
"334": "निकासी",
|
||||
"335": "व्यवस्थापक समायोजन",
|
||||
"341": "वृद्धि",
|
||||
"342": "कमी"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Vásárlás",
|
||||
"4": "Visszatérítés",
|
||||
"5": "Jutalom",
|
||||
"6": "Jutalék"
|
||||
"6": "Jutalék",
|
||||
"231": "Automatikus visszaállítás",
|
||||
"232": "Előzetes visszaállítás",
|
||||
"233": "Fizetős visszaállítás",
|
||||
"321": "Feltöltés",
|
||||
"322": "Kivétel",
|
||||
"323": "Fizetés",
|
||||
"324": "Visszatérítés",
|
||||
"325": "Jutalom",
|
||||
"326": "Admin módosítás",
|
||||
"331": "Vásárlás",
|
||||
"332": "Megújítás",
|
||||
"333": "Visszatérítés",
|
||||
"334": "Kivétel",
|
||||
"335": "Admin módosítás",
|
||||
"341": "Növelés",
|
||||
"342": "Csökkentés"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "購入",
|
||||
"4": "返金",
|
||||
"5": "報酬",
|
||||
"6": "手数料"
|
||||
"6": "手数料",
|
||||
"231": "自動リセット",
|
||||
"232": "事前リセット",
|
||||
"233": "有料リセット",
|
||||
"321": "チャージ",
|
||||
"322": "引き出し",
|
||||
"323": "支払い",
|
||||
"324": "返金",
|
||||
"325": "報酬",
|
||||
"326": "管理者調整",
|
||||
"331": "購入",
|
||||
"332": "更新",
|
||||
"333": "返金",
|
||||
"334": "引き出し",
|
||||
"335": "管理者調整",
|
||||
"341": "増加",
|
||||
"342": "減少"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "구매",
|
||||
"4": "환불",
|
||||
"5": "보상",
|
||||
"6": "커미션"
|
||||
"6": "커미션",
|
||||
"231": "자동 초기화",
|
||||
"232": "사전 초기화",
|
||||
"233": "유료 초기화",
|
||||
"321": "충전",
|
||||
"322": "출금",
|
||||
"323": "결제",
|
||||
"324": "환불",
|
||||
"325": "보상",
|
||||
"326": "관리자 조정",
|
||||
"331": "구매",
|
||||
"332": "갱신",
|
||||
"333": "환불",
|
||||
"334": "출금",
|
||||
"335": "관리자 조정",
|
||||
"341": "증가",
|
||||
"342": "감소"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Kjøp",
|
||||
"4": "Refusjon",
|
||||
"5": "Belønning",
|
||||
"6": "Kommisjon"
|
||||
"6": "Kommisjon",
|
||||
"231": "Automatisk tilbakestilling",
|
||||
"232": "Forhåndstilbakestilling",
|
||||
"233": "Betalt tilbakestilling",
|
||||
"321": "Innskudd",
|
||||
"322": "Uttak",
|
||||
"323": "Betaling",
|
||||
"324": "Refusjon",
|
||||
"325": "Belønning",
|
||||
"326": "Admin-justering",
|
||||
"331": "Kjøp",
|
||||
"332": "Fornyelse",
|
||||
"333": "Refusjon",
|
||||
"334": "Uttak",
|
||||
"335": "Admin-justering",
|
||||
"341": "Økning",
|
||||
"342": "Reduksjon"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Zakup",
|
||||
"4": "Zwrot",
|
||||
"5": "Nagroda",
|
||||
"6": "Prowizja"
|
||||
"6": "Prowizja",
|
||||
"231": "Automatyczne resetowanie",
|
||||
"232": "Wcześniejszy reset",
|
||||
"233": "Płatny reset",
|
||||
"321": "Doładowanie",
|
||||
"322": "Wypłata",
|
||||
"323": "Płatność",
|
||||
"324": "Zwrot",
|
||||
"325": "Nagroda",
|
||||
"326": "Korekta administratora",
|
||||
"331": "Zakup",
|
||||
"332": "Odnowienie",
|
||||
"333": "Zwrot",
|
||||
"334": "Wypłata",
|
||||
"335": "Korekta administratora",
|
||||
"341": "Zwiększenie",
|
||||
"342": "Zmniejszenie"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "compra",
|
||||
"4": "reembolso",
|
||||
"5": "recompensa",
|
||||
"6": "comissão"
|
||||
"6": "comissão",
|
||||
"231": "redefinição automática",
|
||||
"232": "redefinição antecipada",
|
||||
"233": "redefinição paga",
|
||||
"321": "recarga",
|
||||
"322": "retirada",
|
||||
"323": "pagamento",
|
||||
"324": "reembolso",
|
||||
"325": "recompensa",
|
||||
"326": "ajuste do administrador",
|
||||
"331": "compra",
|
||||
"332": "renovação",
|
||||
"333": "reembolso",
|
||||
"334": "retirada",
|
||||
"335": "ajuste do administrador",
|
||||
"341": "aumento",
|
||||
"342": "redução"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Cumpărare",
|
||||
"4": "Rambursare",
|
||||
"5": "Recompensă",
|
||||
"6": "Comision"
|
||||
"6": "Comision",
|
||||
"231": "Resetare automată",
|
||||
"232": "Resetare în avans",
|
||||
"233": "Resetare plătită",
|
||||
"321": "Reîncărcare",
|
||||
"322": "Retragere",
|
||||
"323": "Plată",
|
||||
"324": "Rambursare",
|
||||
"325": "Recompensă",
|
||||
"326": "Ajustare administrator",
|
||||
"331": "Cumpărare",
|
||||
"332": "Reînnoire",
|
||||
"333": "Rambursare",
|
||||
"334": "Retragere",
|
||||
"335": "Ajustare administrator",
|
||||
"341": "Creștere",
|
||||
"342": "Reducere"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Покупка",
|
||||
"4": "Возврат",
|
||||
"5": "Награда",
|
||||
"6": "Комиссия"
|
||||
"6": "Комиссия",
|
||||
"231": "Автосброс",
|
||||
"232": "Предварительный сброс",
|
||||
"233": "Платный сброс",
|
||||
"321": "Пополнение",
|
||||
"322": "Вывод",
|
||||
"323": "Оплата",
|
||||
"324": "Возврат",
|
||||
"325": "Награда",
|
||||
"326": "Корректировка администратора",
|
||||
"331": "Покупка",
|
||||
"332": "Продление",
|
||||
"333": "Возврат",
|
||||
"334": "Вывод",
|
||||
"335": "Корректировка администратора",
|
||||
"341": "Увеличение",
|
||||
"342": "Уменьшение"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "ซื้อ",
|
||||
"4": "คืนเงิน",
|
||||
"5": "รางวัล",
|
||||
"6": "ค่าคอมมิชชั่น"
|
||||
"6": "ค่าคอมมิชชั่น",
|
||||
"231": "รีเซ็ตอัตโนมัติ",
|
||||
"232": "รีเซ็ตล่วงหน้า",
|
||||
"233": "รีเซ็ตแบบเสียค่าใช้จ่าย",
|
||||
"321": "เติมเงิน",
|
||||
"322": "ถอนเงิน",
|
||||
"323": "การชำระเงิน",
|
||||
"324": "คืนเงิน",
|
||||
"325": "รางวัล",
|
||||
"326": "ปรับโดยผู้ดูแล",
|
||||
"331": "ซื้อ",
|
||||
"332": "ต่ออายุ",
|
||||
"333": "คืนเงิน",
|
||||
"334": "ถอนเงิน",
|
||||
"335": "ปรับโดยผู้ดูแล",
|
||||
"341": "เพิ่มขึ้น",
|
||||
"342": "ลดลง"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Satın Alma",
|
||||
"4": "İade",
|
||||
"5": "Ödül",
|
||||
"6": "Komisyon"
|
||||
"6": "Komisyon",
|
||||
"231": "Otomatik Sıfırlama",
|
||||
"232": "Önceden Sıfırlama",
|
||||
"233": "Ücretli Sıfırlama",
|
||||
"321": "Yükleme",
|
||||
"322": "Çekme",
|
||||
"323": "Ödeme",
|
||||
"324": "İade",
|
||||
"325": "Ödül",
|
||||
"326": "Yönetici Ayarı",
|
||||
"331": "Satın Alma",
|
||||
"332": "Yenileme",
|
||||
"333": "İade",
|
||||
"334": "Çekme",
|
||||
"335": "Yönetici Ayarı",
|
||||
"341": "Artış",
|
||||
"342": "Azaltma"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Покупка",
|
||||
"4": "Повернення коштів",
|
||||
"5": "Нагорода",
|
||||
"6": "Комісія"
|
||||
"6": "Комісія",
|
||||
"231": "Автоскидання",
|
||||
"232": "Попереднє скидання",
|
||||
"233": "Платне скидання",
|
||||
"321": "Поповнення",
|
||||
"322": "Виведення",
|
||||
"323": "Платіж",
|
||||
"324": "Повернення коштів",
|
||||
"325": "Нагорода",
|
||||
"326": "Коригування адміністратора",
|
||||
"331": "Покупка",
|
||||
"332": "Поновлення",
|
||||
"333": "Повернення коштів",
|
||||
"334": "Виведення",
|
||||
"335": "Коригування адміністратора",
|
||||
"341": "Збільшення",
|
||||
"342": "Зменшення"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "Mua",
|
||||
"4": "Hoàn tiền",
|
||||
"5": "Thưởng",
|
||||
"6": "Hoa hồng"
|
||||
"6": "Hoa hồng",
|
||||
"231": "Tự động đặt lại",
|
||||
"232": "Đặt lại trước hạn",
|
||||
"233": "Đặt lại trả phí",
|
||||
"321": "Nạp tiền",
|
||||
"322": "Rút tiền",
|
||||
"323": "Thanh toán",
|
||||
"324": "Hoàn tiền",
|
||||
"325": "Thưởng",
|
||||
"326": "Điều chỉnh quản trị",
|
||||
"331": "Mua",
|
||||
"332": "Gia hạn",
|
||||
"333": "Hoàn tiền",
|
||||
"334": "Rút tiền",
|
||||
"335": "Điều chỉnh quản trị",
|
||||
"341": "Tăng",
|
||||
"342": "Giảm"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "购买",
|
||||
"4": "退款",
|
||||
"5": "奖励",
|
||||
"6": "佣金"
|
||||
"6": "佣金",
|
||||
"231": "自动重置",
|
||||
"232": "提前重置",
|
||||
"233": "付费重置",
|
||||
"321": "充值",
|
||||
"322": "提取",
|
||||
"323": "付款",
|
||||
"324": "退款",
|
||||
"325": "奖励",
|
||||
"326": "管理员调整",
|
||||
"331": "购买",
|
||||
"332": "续订",
|
||||
"333": "退款",
|
||||
"334": "提取",
|
||||
"335": "管理员调整",
|
||||
"341": "增加",
|
||||
"342": "减少"
|
||||
}
|
||||
}
|
||||
|
||||
@ -13,6 +13,22 @@
|
||||
"3": "購買",
|
||||
"4": "退款",
|
||||
"5": "獎勵",
|
||||
"6": "佣金"
|
||||
"6": "佣金",
|
||||
"231": "自動重置",
|
||||
"232": "預先重置",
|
||||
"233": "付費重置",
|
||||
"321": "充值",
|
||||
"322": "提取",
|
||||
"323": "付款",
|
||||
"324": "退款",
|
||||
"325": "獎勵",
|
||||
"326": "管理員調整",
|
||||
"331": "購買",
|
||||
"332": "續訂",
|
||||
"333": "退款",
|
||||
"334": "提取",
|
||||
"335": "管理員調整",
|
||||
"341": "增加",
|
||||
"342": "減少"
|
||||
}
|
||||
}
|
||||
|
||||
Some files were not shown because too many files have changed in this diff Show More
Loading…
x
Reference in New Issue
Block a user