mirror of
https://github.com/labring/FastGPT.git
synced 2025-07-22 04:06:18 +00:00
Perf: i18n change and captcha code. (#2625)
* perf: send captcha check * perf: back router * perf: i18n init * perf: ui * i18n * perf: ui duration
This commit is contained in:
@@ -1,188 +0,0 @@
|
||||
const fs = require('fs').promises
|
||||
const path = require('path')
|
||||
|
||||
// 配置项
|
||||
const CONFIG = {
|
||||
i18nDirectory: path.join(__dirname, '../../packages/web/i18n'),
|
||||
sourceDirectories: ['../../packages', '../../projects/app'].map(dir => path.join(__dirname, dir)),
|
||||
fileExtensions: ['.ts', '.tsx', '.js', '.jsx'],
|
||||
ignoreDirectories: ['node_modules', '.next', 'public', 'i18n']
|
||||
}
|
||||
|
||||
// 从文件中加载 JSON
|
||||
const loadJSON = async (filePath) => {
|
||||
try {
|
||||
const data = await fs.readFile(filePath, 'utf8')
|
||||
return JSON.parse(data)
|
||||
} catch (error) {
|
||||
console.error(`读取 JSON 文件 ${filePath} 时出错:`, error)
|
||||
return null
|
||||
}
|
||||
}
|
||||
|
||||
// 递归提取 JSON 对象的所有键
|
||||
const extractKeysFromJSON = (obj, parentKey = '') => {
|
||||
let keys = []
|
||||
for (const [key, value] of Object.entries(obj)) {
|
||||
const fullKey = parentKey ? `${parentKey}.${key}` : key
|
||||
if (typeof value === 'object' && value !== null) {
|
||||
keys = keys.concat(extractKeysFromJSON(value, fullKey))
|
||||
} else {
|
||||
keys.push(fullKey)
|
||||
}
|
||||
}
|
||||
return keys
|
||||
}
|
||||
|
||||
// 递归获取文件夹中的所有 JSON 文件
|
||||
const getAllJSONFiles = async (dir) => {
|
||||
let results = []
|
||||
const list = await fs.readdir(dir)
|
||||
await Promise.all(list.map(async (file) => {
|
||||
const filePath = path.join(dir, file)
|
||||
const stat = await fs.stat(filePath)
|
||||
if (stat.isDirectory()) {
|
||||
if (!CONFIG.ignoreDirectories.includes(file)) {
|
||||
results = results.concat(await getAllJSONFiles(filePath))
|
||||
}
|
||||
} else if (filePath.endsWith('.json')) {
|
||||
results.push(filePath)
|
||||
}
|
||||
}))
|
||||
return results
|
||||
}
|
||||
|
||||
// 提取文件夹中所有 JSON 文件的键
|
||||
const extractKeysFromDirectory = async (dir) => {
|
||||
let allKeys = new Set()
|
||||
|
||||
const subDirs = await fs.readdir(dir)
|
||||
await Promise.all(subDirs.map(async (subDir) => {
|
||||
const subDirPath = path.join(dir, subDir)
|
||||
const stat = await fs.stat(subDirPath)
|
||||
if (stat.isDirectory() && !CONFIG.ignoreDirectories.includes(subDir)) {
|
||||
const files = await getAllJSONFiles(subDirPath)
|
||||
await Promise.all(files.map(async (file) => {
|
||||
const jsonObject = await loadJSON(file)
|
||||
if (jsonObject) {
|
||||
const keys = extractKeysFromJSON(jsonObject)
|
||||
keys.forEach(key => allKeys.add(key))
|
||||
}
|
||||
}))
|
||||
}
|
||||
}))
|
||||
|
||||
return Array.from(allKeys)
|
||||
}
|
||||
|
||||
// 检查键是否在内容中使用
|
||||
const isKeyUsedInContent = (content, key) => {
|
||||
const regex = new RegExp(`\\b${key}\\b`, 'g')
|
||||
return regex.test(content)
|
||||
}
|
||||
|
||||
// 递归在文件夹中搜索键
|
||||
const searchKeysInFiles = async (dir, keys, usedKeys) => {
|
||||
const list = await fs.readdir(dir)
|
||||
await Promise.all(list.map(async (file) => {
|
||||
const filePath = path.join(dir, file)
|
||||
const stat = await fs.stat(filePath)
|
||||
if (stat.isDirectory()) {
|
||||
if (!CONFIG.ignoreDirectories.includes(file)) {
|
||||
await searchKeysInFiles(filePath, keys, usedKeys)
|
||||
}
|
||||
} else if (CONFIG.fileExtensions.includes(path.extname(file))) {
|
||||
const data = await fs.readFile(filePath, 'utf8')
|
||||
keys.forEach(key => {
|
||||
if (isKeyUsedInContent(data, key)) {
|
||||
usedKeys.add(key)
|
||||
}
|
||||
})
|
||||
}
|
||||
}))
|
||||
}
|
||||
|
||||
// 从扁平键路径恢复嵌套对象
|
||||
const restoreNestedStructure = (keys) => {
|
||||
const result = {}
|
||||
keys.forEach(key => {
|
||||
const parts = key.split('.')
|
||||
let current = result
|
||||
parts.forEach((part, index) => {
|
||||
if (!current[part]) {
|
||||
current[part] = index === parts.length - 1 ? null : {}
|
||||
}
|
||||
current = current[part]
|
||||
})
|
||||
})
|
||||
return result
|
||||
}
|
||||
|
||||
// 递归删除未使用的键
|
||||
const removeUnusedKeys = (target, unusedKeys) => {
|
||||
for (const [key, value] of Object.entries(unusedKeys)) {
|
||||
if (value === null) {
|
||||
delete target[key]
|
||||
} else if (typeof target[key] === 'object' && target[key] !== null) {
|
||||
removeUnusedKeys(target[key], value)
|
||||
if (Object.keys(target[key]).length === 0) {
|
||||
delete target[key]
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// 处理 JSON 文件
|
||||
const processJSONFile = async (filePath, unusedKeys) => {
|
||||
try {
|
||||
const jsonObject = await loadJSON(filePath)
|
||||
if (jsonObject) {
|
||||
removeUnusedKeys(jsonObject, unusedKeys)
|
||||
await fs.writeFile(filePath, JSON.stringify(jsonObject, null, 2), 'utf8')
|
||||
console.log(`已处理文件 ${filePath}`)
|
||||
}
|
||||
} catch (error) {
|
||||
console.error(`处理文件 ${filePath} 时出错:`, error)
|
||||
}
|
||||
}
|
||||
|
||||
// 递归处理目录中的所有 JSON 文件
|
||||
const processJSONFilesInDirectory = async (dir, unusedKeys) => {
|
||||
const list = await fs.readdir(dir)
|
||||
await Promise.all(list.map(async (file) => {
|
||||
const filePath = path.join(dir, file)
|
||||
const stat = await fs.stat(filePath)
|
||||
if (stat.isDirectory() && !CONFIG.ignoreDirectories.includes(file)) {
|
||||
await processJSONFilesInDirectory(filePath, unusedKeys)
|
||||
} else if (stat.isFile() && file.endsWith('.json')) {
|
||||
await processJSONFile(filePath, unusedKeys)
|
||||
}
|
||||
}))
|
||||
}
|
||||
|
||||
// 将 keys 写入 JSON 文件
|
||||
const writeKeysToFile = async (filePath, keys) => {
|
||||
try {
|
||||
await fs.writeFile(filePath, JSON.stringify(keys, null, 2), 'utf8')
|
||||
console.log(`已将 keys 写入文件 ${filePath}`)
|
||||
} catch (error) {
|
||||
console.error(`写入文件 ${filePath} 时出错:`, error)
|
||||
}
|
||||
}
|
||||
|
||||
// 主函数
|
||||
const main = async () => {
|
||||
const allKeys = await extractKeysFromDirectory(CONFIG.i18nDirectory)
|
||||
// await writeKeysToFile(path.join(__dirname, 'allKeys.json'), allKeys)
|
||||
const usedKeys = new Set()
|
||||
await Promise.all(CONFIG.sourceDirectories.map(dir => searchKeysInFiles(dir, allKeys, usedKeys)))
|
||||
|
||||
const unusedKeys = allKeys.filter(key => !usedKeys.has(key))
|
||||
// await writeKeysToFile(path.join(__dirname, 'unusedKeys.json'), unusedKeys)
|
||||
console.log(unusedKeys)
|
||||
|
||||
const nestedUnusedKeys = restoreNestedStructure(unusedKeys)
|
||||
await processJSONFilesInDirectory(CONFIG.i18nDirectory, nestedUnusedKeys)
|
||||
}
|
||||
|
||||
main().catch(err => console.error('执行过程中出错:', err))
|
@@ -1,15 +0,0 @@
|
||||
{
|
||||
"name": "i18n",
|
||||
"version": "1.0.0",
|
||||
"description": "",
|
||||
"main": "index.js",
|
||||
"scripts": {
|
||||
"test": "echo \"Error: no test specified\" && exit 1"
|
||||
},
|
||||
"keywords": [],
|
||||
"author": "",
|
||||
"license": "ISC",
|
||||
"devDependencies": {
|
||||
"@phenomnomnominal/tsquery": "^6.1.3"
|
||||
}
|
||||
}
|
@@ -1,94 +0,0 @@
|
||||
"use strict";
|
||||
var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {
|
||||
function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }
|
||||
return new (P || (P = Promise))(function (resolve, reject) {
|
||||
function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }
|
||||
function rejected(value) { try { step(generator["throw"](value)); } catch (e) { reject(e); } }
|
||||
function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }
|
||||
step((generator = generator.apply(thisArg, _arguments || [])).next());
|
||||
});
|
||||
};
|
||||
var __generator = (this && this.__generator) || function (thisArg, body) {
|
||||
var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;
|
||||
return g = { next: verb(0), "throw": verb(1), "return": verb(2) }, typeof Symbol === "function" && (g[Symbol.iterator] = function() { return this; }), g;
|
||||
function verb(n) { return function (v) { return step([n, v]); }; }
|
||||
function step(op) {
|
||||
if (f) throw new TypeError("Generator is already executing.");
|
||||
while (g && (g = 0, op[0] && (_ = 0)), _) try {
|
||||
if (f = 1, y && (t = op[0] & 2 ? y["return"] : op[0] ? y["throw"] || ((t = y["return"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;
|
||||
if (y = 0, t) op = [op[0] & 2, t.value];
|
||||
switch (op[0]) {
|
||||
case 0: case 1: t = op; break;
|
||||
case 4: _.label++; return { value: op[1], done: false };
|
||||
case 5: _.label++; y = op[1]; op = [0]; continue;
|
||||
case 7: op = _.ops.pop(); _.trys.pop(); continue;
|
||||
default:
|
||||
if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }
|
||||
if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }
|
||||
if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }
|
||||
if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }
|
||||
if (t[2]) _.ops.pop();
|
||||
_.trys.pop(); continue;
|
||||
}
|
||||
op = body.call(thisArg, _);
|
||||
} catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }
|
||||
if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };
|
||||
}
|
||||
};
|
||||
Object.defineProperty(exports, "__esModule", { value: true });
|
||||
var tsquery_1 = require("@phenomnomnominal/tsquery");
|
||||
var path = require("path");
|
||||
var fs = require("fs");
|
||||
//
|
||||
var root = path.join(__dirname, '../../');
|
||||
// get all files in the project recursively
|
||||
function getAllFiles(dirPath, arrayOfFiles) {
|
||||
if (arrayOfFiles === void 0) { arrayOfFiles = []; }
|
||||
var files = fs.readdirSync(dirPath);
|
||||
files.forEach(function (file) {
|
||||
var filePath = path.join(dirPath, file);
|
||||
if (fs.statSync(filePath).isDirectory()) {
|
||||
arrayOfFiles = getAllFiles(filePath, arrayOfFiles);
|
||||
}
|
||||
else {
|
||||
arrayOfFiles.push(filePath);
|
||||
}
|
||||
});
|
||||
return arrayOfFiles;
|
||||
}
|
||||
var allFiles = getAllFiles(root).filter(function (file) { return file.endsWith('.ts') || file.endsWith('.tsx'); })
|
||||
.filter(function (file) { return !file.includes('node_modules'); })
|
||||
.filter(function (file) { return !file.includes('jieba'); });
|
||||
function processFiles(allFiles) {
|
||||
return __awaiter(this, void 0, void 0, function () {
|
||||
var fileContents, error_1;
|
||||
return __generator(this, function (_a) {
|
||||
switch (_a.label) {
|
||||
case 0:
|
||||
_a.trys.push([0, 2, , 3]);
|
||||
return [4 /*yield*/, Promise.all(allFiles.map(function (file) { return fs.readFileSync(file, 'utf-8'); }))];
|
||||
case 1:
|
||||
fileContents = _a.sent();
|
||||
// 处理每个文件的内容
|
||||
fileContents.forEach(function (content, index) {
|
||||
var astTree = (0, tsquery_1.ast)(content);
|
||||
var res = (0, tsquery_1.query)(astTree, 'JsxText,StringLiteral');
|
||||
for (var _i = 0, res_1 = res; _i < res_1.length; _i++) {
|
||||
var node = res_1[_i];
|
||||
var text = node.getText().trim();
|
||||
if (text.length > 0 && text.match(/[\u4e00-\u9fa5]/g)) {
|
||||
console.log(allFiles[index], text);
|
||||
}
|
||||
}
|
||||
});
|
||||
return [3 /*break*/, 3];
|
||||
case 2:
|
||||
error_1 = _a.sent();
|
||||
console.error('Error processing files:', error_1);
|
||||
return [3 /*break*/, 3];
|
||||
case 3: return [2 /*return*/];
|
||||
}
|
||||
});
|
||||
});
|
||||
}
|
||||
processFiles(allFiles);
|
@@ -1,49 +0,0 @@
|
||||
import { ast, query } from '@phenomnomnominal/tsquery';
|
||||
import * as path from 'path';
|
||||
import * as fs from 'fs';
|
||||
//
|
||||
const root = path.join(__dirname, '../../');
|
||||
// get all files in the project recursively
|
||||
|
||||
function getAllFiles(dirPath: string, arrayOfFiles: string[] = []): string[] {
|
||||
const files = fs.readdirSync(dirPath);
|
||||
|
||||
files.forEach((file) => {
|
||||
const filePath = path.join(dirPath, file);
|
||||
if (fs.statSync(filePath).isDirectory()) {
|
||||
arrayOfFiles = getAllFiles(filePath, arrayOfFiles);
|
||||
} else {
|
||||
arrayOfFiles.push(filePath);
|
||||
}
|
||||
});
|
||||
|
||||
return arrayOfFiles;
|
||||
}
|
||||
|
||||
const allFiles = getAllFiles(root)
|
||||
.filter((file) => file.endsWith('.ts') || file.endsWith('.tsx'))
|
||||
.filter((file) => !file.includes('node_modules'))
|
||||
.filter((file) => !file.includes('jieba'));
|
||||
|
||||
async function processFiles(allFiles: string[]) {
|
||||
try {
|
||||
// 并行读取所有文件内容
|
||||
const fileContents = await Promise.all(allFiles.map((file) => fs.readFileSync(file, 'utf-8')));
|
||||
|
||||
// 处理每个文件的内容
|
||||
fileContents.forEach((content, index) => {
|
||||
const astTree = ast(content);
|
||||
const res = query(astTree, 'JsxText,StringLiteral');
|
||||
for (const node of res) {
|
||||
const text = node.getText().trim();
|
||||
if (text.length > 0 && text.match(/[\u4e00-\u9fa5]/g)) {
|
||||
console.log(allFiles[index], text);
|
||||
}
|
||||
}
|
||||
});
|
||||
} catch (error) {
|
||||
console.error('Error processing files:', error);
|
||||
}
|
||||
}
|
||||
|
||||
processFiles(allFiles);
|
Reference in New Issue
Block a user