一、工具目标
通过 AI 自动生成 Vue 组件 / JS 工具的工程化解释文档,并支持增量更新(仅处理新增 / 修改的文件),避免重复劳动,提升团队文档效率。
二、环境准备
- 前置条件
 已初始化的 Vue 项目(Vue 2 或 Vue 3 均可)。
 Node.js 版本 ≥ 14.0.0(支持 ES6 模块和异步操作)。
 拥有 AI 接口密钥(如 OpenAI API Key,或阿里云 / 百度等平台的密钥)。
- 安装依赖包
 需安装以下 npm 包(在项目根目录执行):
# 核心依赖:文件处理、路径解析、AI 接口调用、文件扫描
npm install fs-extra path crypto openai glob --save-dev
· fs-extra:增强版文件操作工具(支持创建目录、读写 JSON 等)。
· path:处理文件路径(Node 内置,需手动引入)。
· crypto:计算文件哈希值(Node 内置,用于检测文件变更)。
· openai:调用 OpenAI 的 AI 接口(生成文档内容)。
· glob:扫描目录下的目标文件(如所有 .vue 组件)。
三、代码实现
- 创建工具脚本
 在项目根目录新建 scripts/ai-doc-generator.js(工具核心代码),内容如下:
点击查看代码
const fs = require('fs-extra');
const path = require('path');
const crypto = require('crypto');
const { OpenAI } = require('openai');
const glob = require('glob');// ==================== 配置区(需手动修改)====================
const AI_API_KEY = 'your-openai-api-key'; // 替换为你的 AI 接口密钥
const AI_MODEL = 'gpt-3.5-turbo'; // 可选:gpt-4(更精准,成本更高)
const DOC_DIR = {vue: 'docs/components', // Vue 组件文档保存目录js: 'docs/utils'       // JS 工具文档保存目录
};
// ============================================================// 初始化 AI 客户端
const openai = new OpenAI({ apiKey: AI_API_KEY });/*** 1. 计算文件内容的 MD5 哈希值(用于检测文件变更)* @param {string} content - 文件内容* @returns {string} 32位哈希值*/
function getFileHash(content) {return crypto.createHash('md5').update(content).digest('hex');
}/*** 2. 加载指纹库(记录已处理文件的哈希值和更新时间)* @param {string} type - 文件类型('vue' 或 'js')* @returns {object} 指纹库对象 { 文件路径: { hash, lastUpdate } }*/
async function loadFingerprint(type) {const fingerprintPath = path.resolve(process.cwd(), `${DOC_DIR[type]}/docFingerprint.json`);return (await fs.pathExists(fingerprintPath)) ? await fs.readJson(fingerprintPath) : {};
}/*** 3. 保存指纹库(更新文件哈希值)* @param {object} fingerprint - 最新指纹库* @param {string} type - 文件类型('vue' 或 'js')*/
async function saveFingerprint(fingerprint, type) {const fingerprintPath = path.resolve(process.cwd(), `${DOC_DIR[type]}/docFingerprint.json`);await fs.ensureFile(fingerprintPath); // 确保文件存在await fs.writeJson(fingerprintPath, fingerprint, { spaces: 2 });
}/*** 4. 预处理代码(过滤注释和空行,聚焦核心逻辑)* @param {string} code - 原始代码* @returns {string} 处理后的代码*/
function preprocessCode(code) {return code.replace(/\/\/.*/g, '') // 移除单行注释.replace(/\/\*[\s\S]*?\*\//g, '') // 移除多行注释.replace(/^\s*$/gm, '') // 移除空行.trim();
}/*** 5. 构造 AI 提示词(引导生成规范文档)* @param {string} code - 预处理后的代码* @param {string} type - 文件类型('vue' 或 'js')* @returns {string} 提示词*/
function buildPrompt(code, type) {const structure = type === 'vue'? `1. 组件功能:描述核心作用和适用场景;
2. Props/Events:列出入参(类型、默认值)和事件(触发时机、参数);
3. 核心逻辑:拆解生命周期、事件处理等关键流程;
4. 注意事项:性能优化、兼容性、复用建议;
5. 示例用法:完整可运行的代码片段。`: `1. 函数功能:描述工具的核心作用;
2. 参数说明:每个参数的类型、必填性、用途;
3. 返回值:返回数据的类型和含义;
4. 实现逻辑:关键步骤拆解;
5. 使用示例:调用代码片段;
6. 异常处理:可能的错误及规避方式。`;return `你是前端工程化专家,请基于以下${type === 'vue' ? 'Vue组件' : 'JS工具函数'}代码,按指定结构生成Markdown格式的工程化解释:
代码:
\`\`\`${type === 'vue' ? 'vue' : 'javascript'}
${code}
\`\`\`
结构要求:
${structure}
解释需简洁专业,符合团队协作规范,便于新人理解。`;
}/*** 6. 调用 AI 接口生成文档* @param {string} prompt - 提示词* @returns {string} AI 生成的文档内容*/
async function generateDocByAI(prompt) {try {const response = await openai.chat.completions.create({model: AI_MODEL,messages: [{ role: 'system', content: '你是专业的前端文档生成工具,擅长解释代码逻辑和规范。' },{ role: 'user', content: prompt }],temperature: 0.3 // 控制输出严谨性(0-1,值越小越固定)});return response.choices[0].message.content;} catch (err) {console.error('AI 接口调用失败:', err.message);return null;}
}/*** 7. 增量更新主函数(处理新增/修改的文件)* @param {string} type - 文件类型('vue' 或 'js')* @param {string} globPattern - 文件扫描规则(如 'src/components/**/*.vue')*/
async function incrementalUpdate(type, globPattern) {// 步骤1:扫描目标文件(如所有 .vue 组件)const targetFiles = glob.sync(globPattern, { absolute: false }); // 相对路径if (targetFiles.length === 0) {console.log(`未找到符合规则的${type === 'vue' ? 'Vue组件' : 'JS工具'}文件`);return;}// 步骤2:加载历史指纹库const oldFingerprint = await loadFingerprint(type);const newFingerprint = { ...oldFingerprint };// 步骤3:遍历文件,检测变更并生成文档for (const filePath of targetFiles) {const fullPath = path.resolve(process.cwd(), filePath);if (!await fs.pathExists(fullPath)) {console.warn(`文件不存在,跳过:${filePath}`);continue;}// 计算当前文件哈希const code = await fs.readFile(fullPath, 'utf-8');const currentHash = getFileHash(code);const fileKey = filePath; // 用相对路径作为唯一标识// 对比哈希值,判断是否需要更新const oldFileInfo = oldFingerprint[fileKey];if (oldFileInfo && oldFileInfo.hash === currentHash) {console.log(`[未变更] 跳过:${filePath}`);continue;}// 处理新增/修改的文件console.log(`[需更新] 处理:${filePath}`);const processedCode = preprocessCode(code);const prompt = buildPrompt(processedCode, type);const docContent = await generateDocByAI(prompt);if (docContent) {// 保存文档(如 src/components/Hello.vue → docs/components/Hello.md)const fileName = path.basename(filePath, path.extname(filePath));const docPath = path.resolve(process.cwd(), `${DOC_DIR[type]}/${fileName}.md`);await fs.ensureDir(DOC_DIR[type]); // 确保文档目录存在await fs.writeFile(docPath, docContent);console.log(`[生成成功] 文档路径:${docPath}`);// 更新指纹库newFingerprint[fileKey] = {hash: currentHash,lastUpdate: new Date().toISOString()};}}// 步骤4:清理已删除文件的文档和指纹(可选)for (const fileKey in oldFingerprint) {if (!targetFiles.includes(fileKey)) {delete newFingerprint[fileKey];const fileName = path.basename(fileKey, path.extname(fileKey));const docPath = path.resolve(process.cwd(), `${DOC_DIR[type]}/${fileName}.md`);if (await fs.pathExists(docPath)) {await fs.unlink(docPath);console.log(`[文件删除] 清理文档:${docPath}`);}}}// 步骤5:保存更新后的指纹库await saveFingerprint(newFingerprint, type);console.log(`\n===== ${type === 'vue' ? 'Vue组件' : 'JS工具'}文档增量更新完成 =====`);
}// 暴露函数(供外部调用)
module.exports = { incrementalUpdate };
四、修改 package.json 配置
在 package.json 的 scripts 中添加增量更新命令,方便快速调用:
点击查看代码
{"scripts": {// 生成/更新 Vue 组件文档(扫描 src/components 下所有 .vue 文件)"doc:vue": "node -e \"require('./scripts/ai-doc-generator').incrementalUpdate('vue', 'src/components/**/*.vue')\"",// 生成/更新 JS 工具文档(扫描 src/utils 下所有 .js 文件)"doc:js": "node -e \"require('./scripts/ai-doc-generator').incrementalUpdate('js', 'src/utils/**/*.js')\"",// 同时更新 Vue 和 JS 文档"doc:all": "npm run doc:vue && npm run doc:js"}
}
五、使用流程
- 首次运行(全量生成文档)
 # 生成所有 Vue 组件文档
 npm run doc:vue
 # 生成所有 JS 工具文档
 npm run doc:js
 # 或同时生成
 npm run doc:all
 · 首次运行时,工具会扫描所有目标文件,生成文档并创建指纹库(docs/components/docFingerprint.json 和 docs/utils/docFingerprint.json)。
 · 文档默认保存在 docs/components(Vue 组件)和 docs/utils(JS 工具)目录下,格式为 Markdown。
- 增量更新(修改文件后)
 当修改了部分文件(如修改 src/components/Hello.vue 或新增 src/utils/format.js),再次运行命令:
 npm run doc:vue # 仅处理修改/新增的 Vue 组件
 # 或
 npm run doc:all # 处理所有类型的变更文件
 · 工具会对比文件哈希值,仅对变更文件重新生成文档,未修改的文件会被跳过(控制台显示 [未变更] 跳过)。
- 查看文档
 打开 docs/components 或 docs/utils 目录,找到对应文件的 .md 文档(如 Hello.md),内容包含:
 Vue 组件:功能说明、Props/Events、核心逻辑、使用示例等。
 JS 工具:参数说明、返回值、实现逻辑、异常处理等。
六、注意事项
AI 接口成本:调用 AI 接口会产生费用(如 OpenAI 的 gpt-3.5-turbo 按 tokens 计费),增量更新可减少无效调用,降低成本。
文档准确性:AI 生成的文档可能存在偏差,建议使用前简单校验(如参数类型是否正确)。
目录结构适配:若项目组件 / 工具目录与默认不同,需修改 package.json 中的 glob 规则(如 src/pages/**/*.vue)。
指纹库备份:docFingerprint.json 记录了文件变更历史,建议纳入 Git 版本控制,避免误删导致全量重生成。
