前端版本更新检测方案分析

5 阅读8分钟

前端版本更新检测方案分析

📋 方案概述

本方案通过构建时间戳作为版本标识,在用户路由切换时自动检测服务器是否已部署新版本,若检测到更新则自动刷新页面,解决前端应用版本更新后用户仍使用旧版本资源导致的功能异常问题。

适用场景: Vite + Vue3 + 微前端(qiankun) SPA 应用

核心问题:

  • 用户打开页面后,服务器重新部署新版本
  • 用户切换路由触发懒加载,请求旧版本带 hash 的 JS 文件(如 index-bP2iB1UY.js
  • 服务器已删除旧文件,返回 index.html(SPA fallback)
  • 浏览器期望 JS 模块,收到 HTML 文档 → MIME 类型错误

🚀 方案实现思路

架构流程图

┌─────────────────────────────────────────────────────────────┐
│ 第一步:构建阶段 (vite.config.ts)                             │
├─────────────────────────────────────────────────────────────┤
│ ✅ genGlobalVarsFile() 生成版本信息文件                        │
│    → public/global_vars.build.js (生产环境)                  │
│    → public/global_vars.serve.js (开发环境)                  │
│                                                             │
│ 文件内容示例:                                                │
│ window.___odp_tech_built_info___ = {                        │
│   dateTime: "2025/12/16 10:30:15",  // 构建时间戳            │command: "build",                                         │
│   mode: "production",                                       │
│   version: "0.1.0"                                          │
│ }                                                           │
└─────────────────────────────────────────────────────────────┘
                          ↓
┌─────────────────────────────────────────────────────────────┐
│ 第二步:页面首次加载 (index.html)                             │
├─────────────────────────────────────────────────────────────┤
│ ✅ 内联脚本动态加载 global_vars.{command}.js                  │
│ ✅ script.onload 将构建信息存入 DOM dataset                   │
│                                                             │
│ document.documentElement.dataset.___odp_tech_built_info___ = │
│   JSON.stringify({                                          │
│     builtDateTime: "2025/12/16 10:30:15",  // 快照版本       │builtVersion: "0.1.0",                                  │
│     builtMode: "production"                                 │
│   })                                                        │
│                                                             │
│ 🔑 关键点:dataset 作为"用户打开页面时的版本快照"              │
└─────────────────────────────────────────────────────────────┘
                          ↓
┌─────────────────────────────────────────────────────────────┐
│ 第三步:路由切换检测 (router/index.ts + checkUpdate.ts)       │
├─────────────────────────────────────────────────────────────┤
│ router.beforeEachcheckUpdateSystem()                     │
│                                                             │
│ 1️⃣ 读取本地快照版本 (dataset)                                │
│    const localBuiltInfo = JSON.parse(                       │
│      dataset.___odp_tech_built_info___                      │
│    )                                                        │
│                                                             │
│ 2️⃣ 请求服务器最新版本 (fetch + 时间戳防缓存)                  │
│    const url = origin + BASE_URL +                          │
│      `/global_vars.build.js?_t=${Date.now()}`              │
│    const serveBuiltInfo = 解析响应获取最新版本               │
│                                                             │
│ 3️⃣ 比较版本时间戳                                            │
│    if (serveBuiltInfo.dateTime !== localBuiltInfo.builtDateTime) { │
│      window.location.reload()  // 🔄 刷新页面               │
│    } else {                                                 │
│      delayEnable()  // ⏰ 1分钟后允许下次检测                │
│    }                                                        │
└─────────────────────────────────────────────────────────────┘

核心实现细节

1. 构建时生成版本文件 (vite.config.ts)
import { writeFileSync } from 'fs'
import dayjs from 'dayjs'
import pkg from './package.json'

// 生成构建信息文件
const genGlobalVarsFile = (command: 'build' | 'serve', kvs: Array<[string, any]>) => {
    writeFileSync(
        `public/global_vars.${command}.js`,
        '// This file is auto generated. Do not modify it.\n' +
            kvs.map(([k, v]) => `window.${k} = ${JSON.stringify(v)}`).join(';\n'),
        'utf-8'
    )
}

export default defineConfig(({ command, mode }: ConfigEnv): UserConfig => {
    const buildDateTime = dayjs().format('YYYY/MM/DD HH:mm:ss')

    // 每次构建都生成新的版本文件
    genGlobalVarsFile(command, [
        [
            '___odp_tech_built_info___',
            {
                dateTime: buildDateTime,  // 🔑 核心:构建时间作为版本号
                command,
                mode,
                version: pkg.version
            }
        ]
    ])

    return {
        // ... vite 配置
    }
})

关键点:

  • writeFileSync 同步写入文件到 public/ 目录(会被复制到构建产物)
  • ✅ 根据 command 生成不同文件(serve.js / build.js
  • buildDateTime 每次构建都不同,确保版本唯一性

2. 页面加载时快照版本 (index.html)
<head>
    <script>
        // 内联脚本不会被 qiankun 注释掉
        ;(function () {
            let script = document.createElement('script')

            // 🔑 使用 vite-plugin-html 注入变量
            let url = `<%=baseUrl%>/global_vars.<%=command%>.js?_t=<%=Date.now()%>`
            script.src = url
            document.head.appendChild(script)

            // 存到 DOM 上,作为加载的快照
            script.onload = function () {
                if (window.___odp_tech_built_info___) {
                    const localBuiltInfo = {
                        builtDateTime: ___odp_tech_built_info___.dateTime,
                        builtVersion: ___odp_tech_built_info___.version,
                        builtMode: ___odp_tech_built_info___.mode
                    }
                    // 🔑 存储在 dataset 中(不会随路由变化丢失)
                    document.documentElement.dataset.___odp_tech_built_info___ =
                        JSON.stringify(localBuiltInfo)
                }
            }
        })()
    </script>
</head>

关键点:

  • 内联脚本:避免被微前端框架(qiankun)修改
  • dataset 存储:DOM 属性不会随路由切换丢失,全局可访问
  • 时间戳防缓存?_t=<%=Date.now()%> 确保每次打开页面都请求最新文件
  • baseUrl 注入:适配微前端子应用路径(如 /odp-tech-vue/global_vars.build.js

vite-plugin-html 配置:

import { createHtmlPlugin } from 'vite-plugin-html'

plugins: [
    createHtmlPlugin({
        inject: {
            data: {
                command,  // 'build' | 'serve'
                baseUrl: command === 'build' ? '/odp-tech-vue' : ''
            }
        }
    })
]

3. 路由切换时检测更新 (checkUpdate.ts)
let enable = true  // 防并发标志
let tid: ReturnType<typeof setTimeout> | undefined
const DELAY_TIME = 60e3  // 1分钟冷却

const delayEnable = () => {
    clearTimeout(tid)
    tid = setTimeout(() => {
        enable = true
    }, DELAY_TIME)
}

const checkUpdate = async () => {
    try {
        // 🔒 防止并发检测
        if (!enable) return
        enable = false

        // 1️⃣ 读取本地快照版本
        const { dataset } = document.documentElement
        const localBuiltInfo = JSON.parse(dataset.___odp_tech_built_info___!)

        // 2️⃣ 请求服务器最新版本
        const checkTargetCommand = 'build'
        const url = window.location.origin +
                    import.meta.env.BASE_URL +
                    `/global_vars.${checkTargetCommand}.js?_t=` + Date.now()
        const docRes = await fetch(url)
        const docContent = await docRes.text()
        const serveBuiltInfo = JSON.parse(docContent.match(/{.+/)![0])

        // 判断是否开发环境(跳过刷新)
        const isServeCommand = window.___odp_tech_built_info___.command === 'serve'

        // 3️⃣ 比较版本
        if (serveBuiltInfo.dateTime !== localBuiltInfo.builtDateTime && !isServeCommand) {
            window.location.reload()  // 🔄 刷新页面
        } else {
            delayEnable()  // ⏰ 1分钟后允许下次检测
        }
    } catch (error) {
        console.error('odp-tech checkUpdate error:', error)
        delayEnable()
    }
}

export async function checkUpdateSystem() {
    await checkUpdate()
}

路由守卫集成:

// router/index.ts
import { checkUpdateSystem } from '@/static/checkUpdate'

router.beforeEach(async (to, from, next) => {
    await checkUpdateSystem()  // 每次路由切换都检测
    start()  // 进度条
    next()
})

微前端集成配置

qiankun 资源拦截问题

问题背景:

qiankun 微前端框架默认会拦截子应用加载的所有外部资源(包括动态插入的 <script> 标签),导致 global_vars.build.js 无法正常加载。

解决方案:

在主应用的 qiankun 启动配置中,使用 excludeAssetFilter 对特定 URL 进行过滤放行:

// 主应用 main.ts
import { start } from 'qiankun'

start({
    sandbox: {
        experimentalStyleIsolation: true, // 样式隔离
        strictStyleIsolation: false
    },
    // 🔑 关键配置:过滤资源拦截规则
    excludeAssetFilter: (url: string) => {
        // 匹配包含 /global_vars.build.js 的 URL 并放行
        // 该文件是子应用生成的构建信息文件,用于检测版本更新
        const match = url.match(/\/global_vars\.build\.js/)
        return !!match
    }
})

配置说明:

参数说明
excludeAssetFilter过滤函数,返回 true 表示该资源不被 qiankun 拦截
url.match(/\/global_vars\.build\.js/)正则匹配包含 global_vars.build.js 的 URL
!!match将正则匹配结果转为布尔值

匹配示例:

放行的 URL:

https://center-d.oceanpayment.com/odp-tech-vue/global_vars.build.js?_t=1765511053918
https://center-t.oceanpayment.com/odp-tech-vue/global_vars.build.js?_t=1765511053920

拦截的 URL(其他资源):

https://center-d.oceanpayment.com/odp-tech-vue/static/js/index-bP2iB1UY.js
https://cdn.example.com/vendor.js

为什么需要放行?

  1. 内联脚本动态加载 - index.html 中通过 document.createElement('script') 动态创建的脚本标签
  2. qiankun 拦截机制 - qiankun 默认会劫持所有动态插入的资源,防止子应用污染全局环境
  3. 版本检测需求 - global_vars.build.js 必须能被子应用主动请求,用于比对版本信息

如果不配置 excludeAssetFilter 会怎样?

1. index.html 动态插入 <script src="/odp-tech-vue/global_vars.build.js">
2. qiankun 拦截该请求,阻止加载
3. script.onload 永远不会触发
4. dataset.___odp_tech_built_info___ 无法设置 ❌
5. checkUpdate() 读取 dataset 时报错 ❌
6. 版本检测功能失效 ❌

防重复刷新机制

问题: reload() 后是否会再次触发检测并重复刷新?

答案:✅ 不会

流程分析:

1. 用户在 /dashboard(旧版本:2025/12/16 10:00:00)
2. 服务器重新部署(新版本:2025/12/16 11:00:00)
3. 路由切换 → checkUpdate()
4. 比较: 10:00:00 ≠ 11:00:00 → reload()

--- 页面刷新 ---

5. index.html 重新加载
6. global_vars.build.js 被请求(返回新版本)
7. dataset 存储: 11:00:00  ← 🔑 新版本快照
8. router.beforeEach 再次触发
9. 比较: dataset(11:00:00) === 服务器(11:00:00) ✅ 相等
10. 不会再次刷新,执行 delayEnable()

核心机制:

  • 刷新后 dataset 会更新为新版本(因为 index.html 中的 script.onload 重新执行)
  • 版本比较结果相同,不会触发二次刷新

📦 依赖安装

必需的 npm 包

包名版本用途
vite-plugin-html^3.2.2注入 HTML 模板变量(<%=command%>, <%=baseUrl%>
dayjs^1.10.7生成格式化的构建时间戳

安装命令

yarn add -D vite-plugin-html
yarn add dayjs

package.json 配置

{
  "devDependencies": {
    "vite-plugin-html": "^3.2.2"
  },
  "dependencies": {
    "dayjs": "^1.10.7"
  }
}

✅ 方案优点

1. 零用户感知,自动更新

  • ✅ 用户无需手动刷新,切换路由时自动检测并更新
  • ✅ 避免"加载失败"等技术错误暴露给用户
  • ✅ 保证用户始终使用最新版本功能

2. 实现简单,侵入性低

  • ✅ 核心代码不到 100 行
  • ✅ 只需修改 3 个文件:vite.config.ts / index.html / router/index.ts
  • ✅ 无需后端接口支持,纯前端方案

3. 微前端友好

  • ✅ 内联脚本避免被 qiankun 注释
  • ✅ 动态注入 baseUrl 适配子应用路径
  • ✅ 使用 dataset 存储跨应用共享
  • excludeAssetFilter 配置放行版本检测文件,解决资源拦截问题

4. 性能开销小

  • ✅ 仅在路由切换时检测(不是轮询)
  • ✅ 1 分钟冷却机制防止频繁请求
  • ✅ 使用 HTTP 文本请求(<1KB),几乎无网络开销

5. 防重复刷新设计完善

  • enable 标志防止并发检测
  • delayEnable() 防止频繁触发
  • ✅ 版本比对逻辑确保刷新后不会再次刷新

6. 开发环境自动跳过

  • ✅ 通过 isServeCommand 判断,开发时不触发刷新
  • ✅ 避免本地调试时频繁刷新影响体验

🔧 可优化点

优先级:🔴 高 / 🟡 中 / 🟢 低

🔴 1. 开发环境检测目标错误(严重)

问题:

// checkUpdate.ts:35
const checkTargetCommand = 'build'  // ❌ 硬编码为 'build'
  • 开发环境加载 global_vars.serve.js
  • 检测时请求 global_vars.build.js
  • 如果 build.js 不存在或版本不同,会误触发刷新

解决方案:

// 根据当前环境动态判断
const currentCommand = window.___odp_tech_built_info___.command
const checkTargetCommand = currentCommand === 'serve' ? 'serve' : 'build'

🟡 2. 错误处理不完善

问题:

const serveBuiltInfo = JSON.parse(docContent.match(/{.+/)![0])
// ❌ 如果 match() 返回 null,会抛出错误

改进方案:

const docRes = await fetch(url)
if (!docRes.ok) {
    console.warn(`[checkUpdate] 请求失败: ${docRes.status}`)
    delayEnable()
    return
}

const docContent = await docRes.text()
const match = docContent.match(/window\.__.*?=\s*({.+})/)
if (!match) {
    console.warn('[checkUpdate] 无法解析服务器响应')
    delayEnable()
    return
}

const serveBuiltInfo = JSON.parse(match[1])

🟡 3. 首次加载浪费检测

问题:

router.beforeEach(async (to, from, next) => {
    await checkUpdateSystem()  // ❌ 页面刚刷新后也会检测
    next()
})
  • 用户刷新页面后,首次路由进入时 fromundefined
  • 此时 dataset 已经是最新版本,检测必然通过
  • 造成不必要的 HTTP 请求

改进方案:

router.beforeEach(async (to, from, next) => {
    // 首次加载(刷新后)跳过检测
    if (!from) {
        start()
        next()
        return
    }

    await checkUpdateSystem()
    start()
    next()
})

🟢 4. 用户体验优化 - 刷新确认弹窗

当前: 检测到更新立即刷新,用户可能正在填表单

改进方案:

// 使用 Modal 确认(代码中已注释)
import { Modal } from 'ant-design-vue'

if (serveBuiltInfo.dateTime !== localBuiltInfo.builtDateTime && !isServeCommand) {
    await Modal.confirm({
        title: '检测到页面资源更新,是否刷新?',
        content: '不刷新可能导致部分功能无法正常使用',
        okText: '立即刷新',
        cancelText: '稍后提醒',
        onOk: () => {
            window.location.reload()
        },
        onCancel: () => {
            delayEnable()  // 1分钟后再提醒
        }
    })
}

风险: 用户选择"稍后提醒"可能导致继续使用旧版本资源


🟢 5. 版本号语义化

当前: 使用时间戳作为版本号

问题:

  • 时间戳不是语义化版本(无法区分 major/minor/patch)
  • 多实例构建可能时间相近导致混淆

改进方案:

// vite.config.ts
const buildVersion = `${pkg.version}-${Date.now()}`  // 如: 0.1.0-1734325815000

genGlobalVarsFile(command, [
    ['___odp_tech_built_info___', {
        dateTime: buildDateTime,
        version: buildVersion,  // 🔑 语义化版本 + 时间戳
        gitCommit: process.env.GIT_COMMIT || 'unknown',  // 可选:Git commit hash
        command,
        mode
    }]
])

🟢 6. 支持静默更新(预加载)

问题: 当前方案检测到更新后立即刷新,用户体验不佳

改进思路:

// 1. 检测到更新后,提示用户但不刷新
// 2. 在后台预加载新版本的关键资源
// 3. 用户下次切换路由时,使用预加载的资源

if (serveBuiltInfo.dateTime !== localBuiltInfo.builtDateTime) {
    // 显示顶部提示条
    showUpdateNotification('检测到新版本,点击刷新')

    // 可选:预加载新版本 JS
    const newIndexUrl = await fetchNewIndexHtml()
    preloadResources(newIndexUrl)
}

复杂度: 较高,需要解析 HTML 并预加载资源


🟢 7. 增加调试日志开关

当前: 生产环境也会输出大量 console.info

改进方案:

const DEBUG = import.meta.env.DEV

const checkUpdate = async () => {
    try {
        if (!enable) return
        enable = false

        const { dataset } = document.documentElement
        const localBuiltInfo = JSON.parse(dataset.___odp_tech_built_info___!)

        if (DEBUG) {
            console.log('[checkUpdate] 本地版本:', localBuiltInfo)
        }

        // ... 其余逻辑
    } catch (error) {
        console.error('odp-tech checkUpdate error:', error)
        delayEnable()
    }
}

🔍 方案对比

与其他方案的比较

方案实现复杂度性能开销用户体验后端依赖
本方案(构建时间戳)⭐⭐ 低⭐⭐⭐⭐ 很小⭐⭐⭐⭐ 自动刷新❌ 无
ETag/Last-Modified⭐⭐ 低⭐⭐⭐ 小⭐⭐⭐ 需手动刷新✅ 需配置
Service Worker⭐⭐⭐⭐⭐ 高⭐⭐⭐⭐⭐ 最小⭐⭐⭐⭐⭐ 无感更新❌ 无
轮询 index.html⭐ 极低⭐⭐ 中⭐⭐⭐⭐ 自动刷新❌ 无
WebSocket 推送⭐⭐⭐⭐ 高⭐⭐⭐⭐ 小⭐⭐⭐⭐⭐ 实时通知✅ 需后端

推荐场景:

  • 本方案适合中小型 SPA 应用,平衡了实现成本和用户体验
  • 如需更完善的体验,建议升级到 Service Worker 方案

📝 使用指南

接入步骤

1. 安装依赖
yarn add -D vite-plugin-html
yarn add dayjs
2. 修改 vite.config.ts
import { writeFileSync } from 'fs'
import dayjs from 'dayjs'
import { createHtmlPlugin } from 'vite-plugin-html'
import pkg from './package.json'

const genGlobalVarsFile = (command: 'build' | 'serve', kvs: Array<[string, any]>) => {
    writeFileSync(
        `public/global_vars.${command}.js`,
        '// This file is auto generated. Do not modify it.\n' +
            kvs.map(([k, v]) => `window.${k} = ${JSON.stringify(v)}`).join(';\n'),
        'utf-8'
    )
}

export default defineConfig(({ command, mode }) => {
    const buildDateTime = dayjs().format('YYYY/MM/DD HH:mm:ss')
    genGlobalVarsFile(command, [
        ['___odp_tech_built_info___', {
            dateTime: buildDateTime,
            command,
            mode,
            version: pkg.version
        }]
    ])

    const BASE_URL = command === 'serve' ? '/' : '/your-app-name'

    return {
        base: BASE_URL,
        plugins: [
            createHtmlPlugin({
                inject: {
                    data: {
                        command,
                        baseUrl: command === 'build' ? BASE_URL : ''
                    }
                }
            })
        ]
    }
})
3. 修改 index.html

<head> 中添加:

<script>
    ;(function () {
        let script = document.createElement('script')
        let url = `<%=baseUrl%>/global_vars.<%=command%>.js?_t=<%=Date.now()%>`
        script.src = url
        document.head.appendChild(script)

        script.onload = function () {
            if (window.___odp_tech_built_info___) {
                const localBuiltInfo = {
                    builtDateTime: ___odp_tech_built_info___.dateTime,
                    builtVersion: ___odp_tech_built_info___.version,
                    builtMode: ___odp_tech_built_info___.mode
                }
                document.documentElement.dataset.___odp_tech_built_info___ =
                    JSON.stringify(localBuiltInfo)
            }
        }
    })()
</script>
4. 创建 src/utils/checkUpdate.ts
let enable = true
let tid: ReturnType<typeof setTimeout> | undefined
const DELAY_TIME = 60e3

const delayEnable = () => {
    clearTimeout(tid)
    tid = setTimeout(() => {
        enable = true
    }, DELAY_TIME)
}

const checkUpdate = async () => {
    try {
        if (!enable) return
        enable = false

        const { dataset } = document.documentElement
        const localBuiltInfo = JSON.parse(dataset.___odp_tech_built_info___!)

        const checkTargetCommand = 'build'
        const url = window.location.origin +
                    import.meta.env.BASE_URL +
                    `/global_vars.${checkTargetCommand}.js?_t=` + Date.now()
        const docRes = await fetch(url)
        const docContent = await docRes.text()
        const serveBuiltInfo = JSON.parse(docContent.match(/{.+/)![0])

        const isServeCommand = window.___odp_tech_built_info___.command === 'serve'

        if (serveBuiltInfo.dateTime !== localBuiltInfo.builtDateTime && !isServeCommand) {
            window.location.reload()
        } else {
            delayEnable()
        }
    } catch (error) {
        console.error('checkUpdate error:', error)
        delayEnable()
    }
}

export async function checkUpdateSystem() {
    await checkUpdate()
}
5. 修改 router/index.ts
import { checkUpdateSystem } from '@/utils/checkUpdate'

router.beforeEach(async (to, from, next) => {
    await checkUpdateSystem()
    next()
})
6. 验证
# 构建项目
yarn buildtest

# 检查 dist/global_vars.build.js 是否生成
# 部署后访问应用,切换路由测试检测功能

🧪 测试场景

场景 1: 正常更新流程

1. 用户打开应用(版本 A:2025/12/16 10:00:00)
2. 服务器部署新版本(版本 B:2025/12/16 11:00:00)
3. 用户切换路由
4. ✅ 检测到更新,页面自动刷新
5. ✅ 刷新后显示新版本功能

场景 2: 无更新

1. 用户打开应用(版本 A:2025/12/16 10:00:00)
2. 用户切换路由
3. ✅ 检测版本相同,不刷新
4. ✅ 1分钟内再次切换路由,跳过检测

场景 3: 防重复刷新

1. 检测到更新 → reload()
2. 页面重新加载,dataset 更新为新版本
3. router.beforeEach 再次触发
4. ✅ 比较版本相同,不会再次刷新

场景 4: 开发环境跳过

1. 本地运行 yarn serve:test
2. 切换路由触发检测
3. ✅ isServeCommand = true,跳过刷新

📊 方案评分

评价维度评分说明
设计思路⭐⭐⭐⭐⭐构建时间戳 + DOM 快照方案简洁优雅
防重复刷新⭐⭐⭐⭐⭐enable 标志 + 版本比对机制完善
微前端兼容⭐⭐⭐⭐⭐内联脚本 + baseUrl 注入适配 qiankun
性能开销⭐⭐⭐⭐路由切换时检测 + 1分钟冷却,开销小
错误处理⭐⭐⭐有基本 try-catch,但解析逻辑可优化
开发体验⭐⭐⭐存在开发环境检测错误问题
用户体验⭐⭐⭐⭐自动刷新体验好,但可加确认弹窗

综合评分:⭐⭐⭐⭐ (4/5)


🎯 总结

优势

零配置后端:纯前端方案,无需后端接口支持 ✅ 自动化更新:用户无感知,自动检测并刷新 ✅ 性能友好:仅路由切换时检测,HTTP 开销<1KB ✅ 微前端兼容:完美支持 qiankun 等微前端框架 ✅ 防重复刷新:多重机制保证不会死循环刷新

待改进

⚠️ 开发环境检测目标错误:需要根据环境动态判断 ⚠️ 错误处理不够健壮:正则解析失败时需要容错 ⚠️ 用户体验可优化:建议加入刷新确认弹窗

适用场景

  • ✅ 中小型 SPA 应用
  • ✅ 需要自动更新提示的管理后台
  • ✅ 微前端子应用(qiankun)
  • ✅ 部署频率较高的应用

不适用场景

  • ❌ 大型应用(建议使用 Service Worker)
  • ❌ 对用户打断敏感的应用(如编辑器、表单填写)
  • ❌ 需要灰度发布的场景(需要后端支持)

📚 参考资料


文档版本: v1.0 更新时间: 2025/12/12 维护者: Mephisto