versacompiler 2.0.7 → 2.0.8
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/dist/compiler/compile.js +26 -2332
- package/dist/compiler/error-reporter.js +38 -467
- package/dist/compiler/linter.js +1 -72
- package/dist/compiler/minify.js +1 -229
- package/dist/compiler/module-resolution-optimizer.js +1 -821
- package/dist/compiler/parser.js +1 -203
- package/dist/compiler/performance-monitor.js +56 -192
- package/dist/compiler/tailwindcss.js +1 -39
- package/dist/compiler/transform-optimizer.js +1 -392
- package/dist/compiler/transformTStoJS.js +1 -16
- package/dist/compiler/transforms.js +1 -550
- package/dist/compiler/typescript-compiler.js +2 -172
- package/dist/compiler/typescript-error-parser.js +10 -281
- package/dist/compiler/typescript-manager.js +2 -273
- package/dist/compiler/typescript-sync-validator.js +31 -295
- package/dist/compiler/typescript-worker-pool.js +1 -842
- package/dist/compiler/typescript-worker-thread.cjs +41 -466
- package/dist/compiler/typescript-worker.js +1 -339
- package/dist/compiler/vuejs.js +37 -392
- package/dist/hrm/VueHRM.js +1 -353
- package/dist/hrm/errorScreen.js +1 -83
- package/dist/hrm/getInstanciaVue.js +1 -313
- package/dist/hrm/initHRM.js +1 -141
- package/dist/main.js +7 -347
- package/dist/servicios/browserSync.js +5 -501
- package/dist/servicios/file-watcher.js +4 -379
- package/dist/servicios/logger.js +3 -63
- package/dist/servicios/readConfig.js +105 -430
- package/dist/utils/excluded-modules.js +1 -36
- package/dist/utils/module-resolver.js +1 -466
- package/dist/utils/promptUser.js +2 -48
- package/dist/utils/proxyValidator.js +1 -68
- package/dist/utils/resolve-bin.js +1 -48
- package/dist/utils/utils.js +1 -21
- package/dist/utils/vue-types-setup.js +241 -435
- package/dist/wrappers/eslint-node.js +1 -145
- package/dist/wrappers/oxlint-node.js +1 -120
- package/dist/wrappers/tailwind-node.js +1 -92
- package/package.json +36 -35
package/dist/compiler/parser.js
CHANGED
|
@@ -1,203 +1 @@
|
|
|
1
|
-
import {
|
|
2
|
-
import fs, { readFile } from 'node:fs/promises';
|
|
3
|
-
import oxc from 'oxc-parser';
|
|
4
|
-
class ParserASTCache {
|
|
5
|
-
static instance;
|
|
6
|
-
cache = new Map();
|
|
7
|
-
MAX_CACHE_SIZE = 150; // Máximo ASTs en cache
|
|
8
|
-
MAX_CACHE_MEMORY = 30 * 1024 * 1024; // 30MB límite
|
|
9
|
-
CACHE_TTL = 10 * 60 * 1000; // 10 minutos
|
|
10
|
-
currentMemoryUsage = 0;
|
|
11
|
-
// Métricas
|
|
12
|
-
cacheHits = 0;
|
|
13
|
-
cacheMisses = 0;
|
|
14
|
-
totalParses = 0;
|
|
15
|
-
static getInstance() {
|
|
16
|
-
if (!ParserASTCache.instance) {
|
|
17
|
-
ParserASTCache.instance = new ParserASTCache();
|
|
18
|
-
}
|
|
19
|
-
return ParserASTCache.instance;
|
|
20
|
-
}
|
|
21
|
-
/**
|
|
22
|
-
* Genera un hash del contenido del código
|
|
23
|
-
*/
|
|
24
|
-
generateContentHash(code, astType) {
|
|
25
|
-
return createHash('sha256').update(`${code}:${astType}`).digest('hex');
|
|
26
|
-
}
|
|
27
|
-
/**
|
|
28
|
-
* Estima el tamaño en memoria de un AST
|
|
29
|
-
*/
|
|
30
|
-
estimateASTSize(ast) {
|
|
31
|
-
try {
|
|
32
|
-
return JSON.stringify(ast).length * 2; // UTF-16 characters
|
|
33
|
-
}
|
|
34
|
-
catch {
|
|
35
|
-
return 10000; // Estimación por defecto
|
|
36
|
-
}
|
|
37
|
-
}
|
|
38
|
-
/**
|
|
39
|
-
* Obtiene AST desde cache o lo parsea
|
|
40
|
-
*/
|
|
41
|
-
async getOrParseAST(filename, code, astType = 'js') {
|
|
42
|
-
this.totalParses++;
|
|
43
|
-
const contentHash = this.generateContentHash(code, astType);
|
|
44
|
-
const cacheKey = `${filename}:${contentHash}`;
|
|
45
|
-
// Verificar cache
|
|
46
|
-
const cached = this.cache.get(cacheKey);
|
|
47
|
-
if (cached && Date.now() - cached.timestamp < this.CACHE_TTL) {
|
|
48
|
-
// Actualizar timestamp de uso (LRU)
|
|
49
|
-
cached.timestamp = Date.now();
|
|
50
|
-
this.cacheHits++;
|
|
51
|
-
return {
|
|
52
|
-
ast: cached.ast,
|
|
53
|
-
cached: true,
|
|
54
|
-
};
|
|
55
|
-
}
|
|
56
|
-
// Cache miss - parsear nuevo AST
|
|
57
|
-
this.cacheMisses++;
|
|
58
|
-
const ast = oxc.parseSync(filename, code, {
|
|
59
|
-
sourceType: 'module',
|
|
60
|
-
showSemanticErrors: true,
|
|
61
|
-
astType,
|
|
62
|
-
});
|
|
63
|
-
// Cachear resultado si es válido
|
|
64
|
-
if (ast && !ast.errors?.length) {
|
|
65
|
-
this.addToCache(cacheKey, ast, astType);
|
|
66
|
-
}
|
|
67
|
-
return {
|
|
68
|
-
ast,
|
|
69
|
-
cached: false,
|
|
70
|
-
};
|
|
71
|
-
}
|
|
72
|
-
/**
|
|
73
|
-
* Añade AST al cache con gestión de memoria
|
|
74
|
-
*/
|
|
75
|
-
addToCache(cacheKey, ast, astType) {
|
|
76
|
-
try {
|
|
77
|
-
const size = this.estimateASTSize(ast);
|
|
78
|
-
// Aplicar políticas de eviction si es necesario
|
|
79
|
-
this.evictIfNeeded(size);
|
|
80
|
-
const entry = {
|
|
81
|
-
contentHash: cacheKey.split(':')[1] || '',
|
|
82
|
-
ast,
|
|
83
|
-
astType,
|
|
84
|
-
timestamp: Date.now(),
|
|
85
|
-
size,
|
|
86
|
-
};
|
|
87
|
-
this.cache.set(cacheKey, entry);
|
|
88
|
-
this.currentMemoryUsage += size;
|
|
89
|
-
}
|
|
90
|
-
catch (error) {
|
|
91
|
-
console.warn('[ParserASTCache] Error cacheando AST:', error);
|
|
92
|
-
}
|
|
93
|
-
}
|
|
94
|
-
/**
|
|
95
|
-
* Aplica políticas de eviction LRU si es necesario
|
|
96
|
-
*/
|
|
97
|
-
evictIfNeeded(newEntrySize) {
|
|
98
|
-
// Verificar límite de entradas
|
|
99
|
-
while (this.cache.size >= this.MAX_CACHE_SIZE) {
|
|
100
|
-
this.evictLRU();
|
|
101
|
-
}
|
|
102
|
-
// Verificar límite de memoria
|
|
103
|
-
while (this.currentMemoryUsage + newEntrySize > this.MAX_CACHE_MEMORY &&
|
|
104
|
-
this.cache.size > 0) {
|
|
105
|
-
this.evictLRU();
|
|
106
|
-
}
|
|
107
|
-
}
|
|
108
|
-
/**
|
|
109
|
-
* Elimina la entrada menos recientemente usada
|
|
110
|
-
*/
|
|
111
|
-
evictLRU() {
|
|
112
|
-
let oldestKey = '';
|
|
113
|
-
let oldestTime = Infinity;
|
|
114
|
-
for (const [key, entry] of this.cache) {
|
|
115
|
-
if (entry.timestamp < oldestTime) {
|
|
116
|
-
oldestTime = entry.timestamp;
|
|
117
|
-
oldestKey = key;
|
|
118
|
-
}
|
|
119
|
-
}
|
|
120
|
-
if (oldestKey) {
|
|
121
|
-
const entry = this.cache.get(oldestKey);
|
|
122
|
-
if (entry) {
|
|
123
|
-
this.currentMemoryUsage -= entry.size;
|
|
124
|
-
this.cache.delete(oldestKey);
|
|
125
|
-
}
|
|
126
|
-
}
|
|
127
|
-
}
|
|
128
|
-
/**
|
|
129
|
-
* Limpia entradas expiradas
|
|
130
|
-
*/
|
|
131
|
-
cleanExpired() {
|
|
132
|
-
const now = Date.now();
|
|
133
|
-
for (const [key, entry] of this.cache.entries()) {
|
|
134
|
-
if (now - entry.timestamp > this.CACHE_TTL) {
|
|
135
|
-
this.currentMemoryUsage -= entry.size;
|
|
136
|
-
this.cache.delete(key);
|
|
137
|
-
}
|
|
138
|
-
}
|
|
139
|
-
}
|
|
140
|
-
/**
|
|
141
|
-
* Obtiene estadísticas del cache
|
|
142
|
-
*/
|
|
143
|
-
getStats() {
|
|
144
|
-
const hitRate = this.totalParses > 0
|
|
145
|
-
? Math.round((this.cacheHits / this.totalParses) * 100)
|
|
146
|
-
: 0;
|
|
147
|
-
return {
|
|
148
|
-
cacheHits: this.cacheHits,
|
|
149
|
-
cacheMisses: this.cacheMisses,
|
|
150
|
-
hitRate,
|
|
151
|
-
totalParses: this.totalParses,
|
|
152
|
-
cacheSize: this.cache.size,
|
|
153
|
-
maxCacheSize: this.MAX_CACHE_SIZE,
|
|
154
|
-
memoryUsage: this.currentMemoryUsage,
|
|
155
|
-
maxMemoryUsage: this.MAX_CACHE_MEMORY,
|
|
156
|
-
};
|
|
157
|
-
}
|
|
158
|
-
/**
|
|
159
|
-
* Limpia todo el cache
|
|
160
|
-
*/
|
|
161
|
-
clear() {
|
|
162
|
-
this.cache.clear();
|
|
163
|
-
this.currentMemoryUsage = 0;
|
|
164
|
-
this.cacheHits = 0;
|
|
165
|
-
this.cacheMisses = 0;
|
|
166
|
-
this.totalParses = 0;
|
|
167
|
-
}
|
|
168
|
-
}
|
|
169
|
-
// Instancia global del cache AST
|
|
170
|
-
const astCache = ParserASTCache.getInstance();
|
|
171
|
-
/**
|
|
172
|
-
* Parses the given JavaScript code using Acorn and returns the Abstract Syntax Tree (AST).
|
|
173
|
-
*
|
|
174
|
-
* @param {string} data - The JavaScript code to be parsed.
|
|
175
|
-
* @returns {Promise<Object|null>} The parsed AST object if successful, or null if an error occurs.
|
|
176
|
-
* @throws {Error} If there is an error during parsing, it logs the error details and stack trace.
|
|
177
|
-
*/
|
|
178
|
-
export const parser = async (filename, code, astType = 'js') => {
|
|
179
|
-
const { ast } = await astCache.getOrParseAST(filename, code, astType);
|
|
180
|
-
return ast;
|
|
181
|
-
};
|
|
182
|
-
export const getCodeFile = async (filename) => {
|
|
183
|
-
try {
|
|
184
|
-
// validar si existe el archivo
|
|
185
|
-
await fs.access(filename);
|
|
186
|
-
const code = await readFile(filename, 'utf-8');
|
|
187
|
-
return { code, error: null };
|
|
188
|
-
}
|
|
189
|
-
catch (error) {
|
|
190
|
-
return { code: null, error };
|
|
191
|
-
}
|
|
192
|
-
};
|
|
193
|
-
// ✨ NUEVAS FUNCIONES: Exportar funcionalidades del cache AST para uso externo
|
|
194
|
-
export const getParserCacheStats = () => {
|
|
195
|
-
return astCache.getStats();
|
|
196
|
-
};
|
|
197
|
-
export const clearParserCache = () => {
|
|
198
|
-
astCache.clear();
|
|
199
|
-
};
|
|
200
|
-
export const cleanExpiredParserCache = () => {
|
|
201
|
-
astCache.cleanExpired();
|
|
202
|
-
};
|
|
203
|
-
//# sourceMappingURL=parser.js.map
|
|
1
|
+
import{createHash as e}from"node:crypto";import i,{readFile as a}from"node:fs/promises";import o from"oxc-parser";class s{static instance;cache=new Map;MAX_CACHE_SIZE=150;MAX_CACHE_MEMORY=30*1024*1024;CACHE_TTL=600*1e3;currentMemoryUsage=0;cacheHits=0;cacheMisses=0;totalParses=0;static getInstance(){return s.instance||=new s,s.instance}generateContentHash(i,a){return e(`sha256`).update(`${i}:${a}`).digest(`hex`)}estimateASTSize(e){try{return JSON.stringify(e).length*2}catch{return 1e4}}async getOrParseAST(e,i,a=`js`){this.totalParses++;let s=this.generateContentHash(i,a),c=`${e}:${s}`,l=this.cache.get(c);if(l&&Date.now()-l.timestamp<this.CACHE_TTL)return l.timestamp=Date.now(),this.cacheHits++,{ast:l.ast,cached:!0};this.cacheMisses++;let u=o.parseSync(e,i,{sourceType:`module`,showSemanticErrors:!0,astType:a});return u&&!u.errors?.length&&this.addToCache(c,u,a),{ast:u,cached:!1}}addToCache(e,i,a){try{let o=this.estimateASTSize(i);this.evictIfNeeded(o);let s={contentHash:e.split(`:`)[1]||``,ast:i,astType:a,timestamp:Date.now(),size:o};this.cache.set(e,s),this.currentMemoryUsage+=o}catch(e){console.warn(`[ParserASTCache] Error cacheando AST:`,e)}}evictIfNeeded(e){for(;this.cache.size>=this.MAX_CACHE_SIZE;)this.evictLRU();for(;this.currentMemoryUsage+e>this.MAX_CACHE_MEMORY&&this.cache.size>0;)this.evictLRU()}evictLRU(){let e=``,i=1/0;for(let[a,o]of this.cache)o.timestamp<i&&(i=o.timestamp,e=a);if(e){let i=this.cache.get(e);i&&(this.currentMemoryUsage-=i.size,this.cache.delete(e))}}cleanExpired(){let e=Date.now();for(let[i,a]of this.cache.entries())e-a.timestamp>this.CACHE_TTL&&(this.currentMemoryUsage-=a.size,this.cache.delete(i))}getStats(){let e=this.totalParses>0?Math.round(this.cacheHits/this.totalParses*100):0;return{cacheHits:this.cacheHits,cacheMisses:this.cacheMisses,hitRate:e,totalParses:this.totalParses,cacheSize:this.cache.size,maxCacheSize:this.MAX_CACHE_SIZE,memoryUsage:this.currentMemoryUsage,maxMemoryUsage:this.MAX_CACHE_MEMORY}}clear(){this.cache.clear(),this.currentMemoryUsage=0,this.cacheHits=0,this.cacheMisses=0,this.totalParses=0}}const c=s.getInstance();export const parser=async(e,i,a=`js`)=>{let{ast:o}=await c.getOrParseAST(e,i,a);return o};export const getCodeFile=async e=>{try{await i.access(e);let o=await a(e,`utf-8`);return{code:o,error:null}}catch(e){return{code:null,error:e}}};export const getParserCacheStats=()=>c.getStats();export const clearParserCache=()=>{c.clear()};export const cleanExpiredParserCache=()=>{c.cleanExpired()};
|
|
@@ -1,192 +1,56 @@
|
|
|
1
|
-
|
|
2
|
-
|
|
3
|
-
|
|
4
|
-
|
|
5
|
-
|
|
6
|
-
|
|
7
|
-
|
|
8
|
-
|
|
9
|
-
|
|
10
|
-
|
|
11
|
-
|
|
12
|
-
|
|
13
|
-
|
|
14
|
-
|
|
15
|
-
|
|
16
|
-
|
|
17
|
-
|
|
18
|
-
|
|
19
|
-
|
|
20
|
-
|
|
21
|
-
|
|
22
|
-
|
|
23
|
-
|
|
24
|
-
|
|
25
|
-
|
|
26
|
-
|
|
27
|
-
|
|
28
|
-
|
|
29
|
-
|
|
30
|
-
|
|
31
|
-
|
|
32
|
-
|
|
33
|
-
|
|
34
|
-
|
|
35
|
-
|
|
36
|
-
|
|
37
|
-
|
|
38
|
-
|
|
39
|
-
|
|
40
|
-
|
|
41
|
-
|
|
42
|
-
|
|
43
|
-
|
|
44
|
-
|
|
45
|
-
|
|
46
|
-
|
|
47
|
-
|
|
48
|
-
|
|
49
|
-
|
|
50
|
-
|
|
51
|
-
|
|
52
|
-
|
|
53
|
-
|
|
54
|
-
|
|
55
|
-
|
|
56
|
-
|
|
57
|
-
browserSyncCache,
|
|
58
|
-
minificationCache,
|
|
59
|
-
transformOptimizer,
|
|
60
|
-
moduleResolution,
|
|
61
|
-
summary: {
|
|
62
|
-
totalCacheHits,
|
|
63
|
-
totalCacheMisses,
|
|
64
|
-
overallHitRate,
|
|
65
|
-
totalMemoryUsage,
|
|
66
|
-
totalCacheEntries,
|
|
67
|
-
},
|
|
68
|
-
};
|
|
69
|
-
}
|
|
70
|
-
/**
|
|
71
|
-
* Genera un reporte detallado de performance
|
|
72
|
-
*/
|
|
73
|
-
generateReport() {
|
|
74
|
-
const stats = this.getAllStats();
|
|
75
|
-
const formatBytes = (bytes) => {
|
|
76
|
-
if (bytes === 0)
|
|
77
|
-
return '0 B';
|
|
78
|
-
const k = 1024;
|
|
79
|
-
const sizes = ['B', 'KB', 'MB', 'GB'];
|
|
80
|
-
const i = Math.floor(Math.log(bytes) / Math.log(k));
|
|
81
|
-
return (parseFloat((bytes / Math.pow(k, i)).toFixed(2)) + ' ' + sizes[i]);
|
|
82
|
-
};
|
|
83
|
-
const report = `
|
|
84
|
-
🚀 VERSACOMPILER PERFORMANCE REPORT
|
|
85
|
-
=====================================
|
|
86
|
-
|
|
87
|
-
📊 RESUMEN GENERAL
|
|
88
|
-
Hit Rate Total: ${stats.summary.overallHitRate}%
|
|
89
|
-
Cache Hits: ${stats.summary.totalCacheHits}
|
|
90
|
-
Cache Misses: ${stats.summary.totalCacheMisses}
|
|
91
|
-
Memoria Total: ${formatBytes(stats.summary.totalMemoryUsage)}
|
|
92
|
-
Entradas Cache: ${stats.summary.totalCacheEntries}
|
|
93
|
-
|
|
94
|
-
🎯 VUE HMR CACHE
|
|
95
|
-
Size: ${stats.vueHMRCache.size}/${stats.vueHMRCache.maxSize}
|
|
96
|
-
TTL: ${Math.round(stats.vueHMRCache.ttl / 1000 / 60)}min
|
|
97
|
-
|
|
98
|
-
📝 PARSER AST CACHE
|
|
99
|
-
Hit Rate: ${stats.parserCache.hitRate}%
|
|
100
|
-
Cache Hits: ${stats.parserCache.cacheHits}
|
|
101
|
-
Cache Misses: ${stats.parserCache.cacheMisses}
|
|
102
|
-
Size: ${stats.parserCache.cacheSize}/${stats.parserCache.maxCacheSize}
|
|
103
|
-
Memoria: ${formatBytes(stats.parserCache.memoryUsage)}/${formatBytes(stats.parserCache.maxMemoryUsage)}
|
|
104
|
-
|
|
105
|
-
🌐 BROWSERSYNC FILE CACHE
|
|
106
|
-
Hit Rate: ${stats.browserSyncCache.hitRate}%
|
|
107
|
-
Cache Hits: ${stats.browserSyncCache.cacheHits}
|
|
108
|
-
Cache Misses: ${stats.browserSyncCache.cacheMisses}
|
|
109
|
-
Size: ${stats.browserSyncCache.cacheSize}/${stats.browserSyncCache.maxCacheSize}
|
|
110
|
-
Memoria: ${formatBytes(stats.browserSyncCache.memoryUsage)}/${formatBytes(stats.browserSyncCache.maxMemoryUsage)}
|
|
111
|
-
|
|
112
|
-
🗜️ MINIFICATION CACHE
|
|
113
|
-
Hit Rate: ${stats.minificationCache.hitRate}%
|
|
114
|
-
Cache Hits: ${stats.minificationCache.cacheHits}
|
|
115
|
-
Cache Misses: ${stats.minificationCache.cacheMisses}
|
|
116
|
-
Size: ${stats.minificationCache.cacheSize}/${stats.minificationCache.maxCacheSize}
|
|
117
|
-
Memoria: ${formatBytes(stats.minificationCache.memoryUsage)}/${formatBytes(stats.minificationCache.maxMemoryUsage)}
|
|
118
|
-
Compresión Promedio: ${stats.minificationCache.avgCompressionRatio}%
|
|
119
|
-
|
|
120
|
-
🔄 TRANSFORM OPTIMIZER
|
|
121
|
-
Hit Rate: ${stats.transformOptimizer.hitRate}%
|
|
122
|
-
Cache Hits: ${stats.transformOptimizer.cacheHits}
|
|
123
|
-
Cache Misses: ${stats.transformOptimizer.cacheMisses}
|
|
124
|
-
Transformaciones: ${stats.transformOptimizer.totalTransforms}
|
|
125
|
-
Size: ${stats.transformOptimizer.cacheSize}
|
|
126
|
-
Memoria: ${formatBytes(stats.transformOptimizer.memoryUsage)}
|
|
127
|
-
|
|
128
|
-
📦 MODULE RESOLUTION
|
|
129
|
-
Hit Rate: ${stats.moduleResolution.cacheHitRate?.toFixed(1)}%
|
|
130
|
-
Cache Hits: ${stats.moduleResolution.cacheHits}
|
|
131
|
-
Cache Misses: ${stats.moduleResolution.cacheMisses}
|
|
132
|
-
Resoluciones: ${stats.moduleResolution.totalResolutions}
|
|
133
|
-
Índice Módulos: ${stats.moduleResolution.moduleIndexSize}
|
|
134
|
-
Índice Alias: ${stats.moduleResolution.aliasIndexSize}
|
|
135
|
-
Tiempo Promedio: ${stats.moduleResolution.averageResolveTime?.toFixed(2)}ms
|
|
136
|
-
|
|
137
|
-
=====================================
|
|
138
|
-
`;
|
|
139
|
-
return report;
|
|
140
|
-
}
|
|
141
|
-
/**
|
|
142
|
-
* Limpia todos los caches
|
|
143
|
-
*/
|
|
144
|
-
clearAllCaches() {
|
|
145
|
-
clearVueHMRCache();
|
|
146
|
-
clearParserCache();
|
|
147
|
-
clearBrowserSyncCache();
|
|
148
|
-
clearMinificationCache();
|
|
149
|
-
TransformOptimizer.getInstance().clear();
|
|
150
|
-
console.log('🧹 Todos los caches han sido limpiados');
|
|
151
|
-
}
|
|
152
|
-
/**
|
|
153
|
-
* Limpia entradas expiradas de todos los caches
|
|
154
|
-
*/
|
|
155
|
-
cleanExpiredCaches() {
|
|
156
|
-
cleanExpiredVueHMRCache();
|
|
157
|
-
cleanExpiredParserCache();
|
|
158
|
-
cleanExpiredMinificationCache();
|
|
159
|
-
console.log('🧹 Entradas expiradas limpiadas de todos los caches');
|
|
160
|
-
}
|
|
161
|
-
/**
|
|
162
|
-
* Configura limpieza automática periódica
|
|
163
|
-
*/
|
|
164
|
-
setupAutomaticCleanup(intervalMinutes = 30) {
|
|
165
|
-
setInterval(() => {
|
|
166
|
-
this.cleanExpiredCaches();
|
|
167
|
-
console.log(`🔄 Limpieza automática ejecutada cada ${intervalMinutes} minutos`);
|
|
168
|
-
}, intervalMinutes * 60 * 1000);
|
|
169
|
-
}
|
|
170
|
-
/**
|
|
171
|
-
* Obtiene métricas simplificadas para logging
|
|
172
|
-
*/
|
|
173
|
-
getSimpleMetrics() {
|
|
174
|
-
const stats = this.getAllStats();
|
|
175
|
-
return {
|
|
176
|
-
hitRate: stats.summary.overallHitRate,
|
|
177
|
-
totalHits: stats.summary.totalCacheHits,
|
|
178
|
-
totalMisses: stats.summary.totalCacheMisses,
|
|
179
|
-
memoryUsage: stats.summary.totalMemoryUsage,
|
|
180
|
-
cacheEntries: stats.summary.totalCacheEntries,
|
|
181
|
-
};
|
|
182
|
-
}
|
|
183
|
-
}
|
|
184
|
-
// Exportar instancia singleton
|
|
185
|
-
export const performanceMonitor = PerformanceMonitor.getInstance();
|
|
186
|
-
// Funciones de conveniencia
|
|
187
|
-
export const getAllPerformanceStats = () => performanceMonitor.getAllStats();
|
|
188
|
-
export const generatePerformanceReport = () => performanceMonitor.generateReport();
|
|
189
|
-
export const clearAllCaches = () => performanceMonitor.clearAllCaches();
|
|
190
|
-
export const cleanExpiredCaches = () => performanceMonitor.cleanExpiredCaches();
|
|
191
|
-
export const getSimpleMetrics = () => performanceMonitor.getSimpleMetrics();
|
|
192
|
-
//# sourceMappingURL=performance-monitor.js.map
|
|
1
|
+
import{clearBrowserSyncCache as e,getBrowserSyncCacheStats as r}from"../servicios/browserSync.js";import{cleanExpiredMinificationCache as i,clearMinificationCache as a,getMinificationCacheStats as o}from"./minify.js";import{getModuleResolutionMetrics as s}from"./module-resolution-optimizer.js";import{cleanExpiredParserCache as c,clearParserCache as l,getParserCacheStats as u}from"./parser.js";import{TransformOptimizer as d}from"./transform-optimizer.js";import{cleanExpiredVueHMRCache as f,clearVueHMRCache as p,getVueHMRCacheStats as m}from"./vuejs.js";export class PerformanceMonitor{static instance;static getInstance(){return PerformanceMonitor.instance||=new PerformanceMonitor,PerformanceMonitor.instance}getAllStats(){let e=m(),i=u(),a=r(),c=o(),l=d.getInstance().getStats(),f=s(),p=(i.cacheHits||0)+(a.cacheHits||0)+(c.cacheHits||0)+(l.cacheHits||0)+(f.cacheHits||0),h=(i.cacheMisses||0)+(a.cacheMisses||0)+(c.cacheMisses||0)+(l.cacheMisses||0)+(f.cacheMisses||0),g=p+h,_=g>0?Math.round(p/g*100):0,v=(i.memoryUsage||0)+(a.memoryUsage||0)+(c.memoryUsage||0)+(l.memoryUsage||0),y=(e.size||0)+(i.cacheSize||0)+(a.cacheSize||0)+(c.cacheSize||0)+(l.cacheSize||0)+(f.cacheSize||0);return{vueHMRCache:e,parserCache:i,browserSyncCache:a,minificationCache:c,transformOptimizer:l,moduleResolution:f,summary:{totalCacheHits:p,totalCacheMisses:h,overallHitRate:_,totalMemoryUsage:v,totalCacheEntries:y}}}generateReport(){let e=this.getAllStats(),r=e=>{if(e===0)return`0 B`;let r=1024,i=[`B`,`KB`,`MB`,`GB`],a=Math.floor(Math.log(e)/Math.log(r));return parseFloat((e/r**+a).toFixed(2))+` `+i[a]},i=`
|
|
2
|
+
🚀 VERSACOMPILER PERFORMANCE REPORT
|
|
3
|
+
=====================================
|
|
4
|
+
|
|
5
|
+
📊 RESUMEN GENERAL
|
|
6
|
+
Hit Rate Total: ${e.summary.overallHitRate}%
|
|
7
|
+
Cache Hits: ${e.summary.totalCacheHits}
|
|
8
|
+
Cache Misses: ${e.summary.totalCacheMisses}
|
|
9
|
+
Memoria Total: ${r(e.summary.totalMemoryUsage)}
|
|
10
|
+
Entradas Cache: ${e.summary.totalCacheEntries}
|
|
11
|
+
|
|
12
|
+
🎯 VUE HMR CACHE
|
|
13
|
+
Size: ${e.vueHMRCache.size}/${e.vueHMRCache.maxSize}
|
|
14
|
+
TTL: ${Math.round(e.vueHMRCache.ttl/1e3/60)}min
|
|
15
|
+
|
|
16
|
+
📝 PARSER AST CACHE
|
|
17
|
+
Hit Rate: ${e.parserCache.hitRate}%
|
|
18
|
+
Cache Hits: ${e.parserCache.cacheHits}
|
|
19
|
+
Cache Misses: ${e.parserCache.cacheMisses}
|
|
20
|
+
Size: ${e.parserCache.cacheSize}/${e.parserCache.maxCacheSize}
|
|
21
|
+
Memoria: ${r(e.parserCache.memoryUsage)}/${r(e.parserCache.maxMemoryUsage)}
|
|
22
|
+
|
|
23
|
+
🌐 BROWSERSYNC FILE CACHE
|
|
24
|
+
Hit Rate: ${e.browserSyncCache.hitRate}%
|
|
25
|
+
Cache Hits: ${e.browserSyncCache.cacheHits}
|
|
26
|
+
Cache Misses: ${e.browserSyncCache.cacheMisses}
|
|
27
|
+
Size: ${e.browserSyncCache.cacheSize}/${e.browserSyncCache.maxCacheSize}
|
|
28
|
+
Memoria: ${r(e.browserSyncCache.memoryUsage)}/${r(e.browserSyncCache.maxMemoryUsage)}
|
|
29
|
+
|
|
30
|
+
🗜️ MINIFICATION CACHE
|
|
31
|
+
Hit Rate: ${e.minificationCache.hitRate}%
|
|
32
|
+
Cache Hits: ${e.minificationCache.cacheHits}
|
|
33
|
+
Cache Misses: ${e.minificationCache.cacheMisses}
|
|
34
|
+
Size: ${e.minificationCache.cacheSize}/${e.minificationCache.maxCacheSize}
|
|
35
|
+
Memoria: ${r(e.minificationCache.memoryUsage)}/${r(e.minificationCache.maxMemoryUsage)}
|
|
36
|
+
Compresión Promedio: ${e.minificationCache.avgCompressionRatio}%
|
|
37
|
+
|
|
38
|
+
🔄 TRANSFORM OPTIMIZER
|
|
39
|
+
Hit Rate: ${e.transformOptimizer.hitRate}%
|
|
40
|
+
Cache Hits: ${e.transformOptimizer.cacheHits}
|
|
41
|
+
Cache Misses: ${e.transformOptimizer.cacheMisses}
|
|
42
|
+
Transformaciones: ${e.transformOptimizer.totalTransforms}
|
|
43
|
+
Size: ${e.transformOptimizer.cacheSize}
|
|
44
|
+
Memoria: ${r(e.transformOptimizer.memoryUsage)}
|
|
45
|
+
|
|
46
|
+
📦 MODULE RESOLUTION
|
|
47
|
+
Hit Rate: ${e.moduleResolution.cacheHitRate?.toFixed(1)}%
|
|
48
|
+
Cache Hits: ${e.moduleResolution.cacheHits}
|
|
49
|
+
Cache Misses: ${e.moduleResolution.cacheMisses}
|
|
50
|
+
Resoluciones: ${e.moduleResolution.totalResolutions}
|
|
51
|
+
Índice Módulos: ${e.moduleResolution.moduleIndexSize}
|
|
52
|
+
Índice Alias: ${e.moduleResolution.aliasIndexSize}
|
|
53
|
+
Tiempo Promedio: ${e.moduleResolution.averageResolveTime?.toFixed(2)}ms
|
|
54
|
+
|
|
55
|
+
=====================================
|
|
56
|
+
`;return i}clearAllCaches(){p(),l(),e(),a(),d.getInstance().clear(),console.log(`🧹 Todos los caches han sido limpiados`)}cleanExpiredCaches(){f(),c(),i(),console.log(`🧹 Entradas expiradas limpiadas de todos los caches`)}setupAutomaticCleanup(e=30){setInterval(()=>{this.cleanExpiredCaches(),console.log(`🔄 Limpieza automática ejecutada cada ${e} minutos`)},e*60*1e3)}getSimpleMetrics(){let e=this.getAllStats();return{hitRate:e.summary.overallHitRate,totalHits:e.summary.totalCacheHits,totalMisses:e.summary.totalCacheMisses,memoryUsage:e.summary.totalMemoryUsage,cacheEntries:e.summary.totalCacheEntries}}}export const performanceMonitor=PerformanceMonitor.getInstance();export const getAllPerformanceStats=()=>performanceMonitor.getAllStats();export const generatePerformanceReport=()=>performanceMonitor.generateReport();export const clearAllCaches=()=>performanceMonitor.clearAllCaches();export const cleanExpiredCaches=()=>performanceMonitor.cleanExpiredCaches();export const getSimpleMetrics=()=>performanceMonitor.getSimpleMetrics();
|
|
@@ -1,39 +1 @@
|
|
|
1
|
-
import {
|
|
2
|
-
import { logger } from '../servicios/logger.js';
|
|
3
|
-
import { TailwindNode } from '../wrappers/tailwind-node.js';
|
|
4
|
-
export async function generateTailwindCSS() {
|
|
5
|
-
if (env.tailwindcss === 'false' ||
|
|
6
|
-
env.tailwindcss === undefined ||
|
|
7
|
-
env.TAILWIND === 'false') {
|
|
8
|
-
return false;
|
|
9
|
-
}
|
|
10
|
-
try {
|
|
11
|
-
const tailwindcssConfig = JSON.parse(env.tailwindcss);
|
|
12
|
-
if (!tailwindcssConfig ||
|
|
13
|
-
!tailwindcssConfig.input ||
|
|
14
|
-
!tailwindcssConfig.output ||
|
|
15
|
-
!tailwindcssConfig.bin) {
|
|
16
|
-
return false;
|
|
17
|
-
}
|
|
18
|
-
const tnode = await new TailwindNode({
|
|
19
|
-
binPath: tailwindcssConfig.bin,
|
|
20
|
-
input: tailwindcssConfig.input,
|
|
21
|
-
output: tailwindcssConfig.output,
|
|
22
|
-
minify: env.isProd === 'true',
|
|
23
|
-
});
|
|
24
|
-
return await tnode.run();
|
|
25
|
-
}
|
|
26
|
-
catch (err) {
|
|
27
|
-
// Si es un error de JSON parse, devolver false en lugar de lanzar error
|
|
28
|
-
const errorMessage = err instanceof Error
|
|
29
|
-
? err.stderr || err.message
|
|
30
|
-
: String(err);
|
|
31
|
-
logger.error('❌ :Error al compilar Tailwind:', errorMessage);
|
|
32
|
-
if (err instanceof SyntaxError && err.message.includes('JSON')) {
|
|
33
|
-
return false;
|
|
34
|
-
}
|
|
35
|
-
// Para otros errores (como errores de ejecución de TailwindCSS), loggear y relanzar
|
|
36
|
-
throw err;
|
|
37
|
-
}
|
|
38
|
-
}
|
|
39
|
-
//# sourceMappingURL=tailwindcss.js.map
|
|
1
|
+
import{env as e}from"node:process";import{logger as t}from"../servicios/logger.js";import{TailwindNode as n}from"../wrappers/tailwind-node.js";export async function generateTailwindCSS(){if(e.tailwindcss===`false`||e.tailwindcss===void 0||e.TAILWIND===`false`)return!1;try{let t=JSON.parse(e.tailwindcss);if(!t||!t.input||!t.output||!t.bin)return!1;let r=await new n({binPath:t.bin,input:t.input,output:t.output,minify:e.isProd===`true`});return await r.run()}catch(e){let n=e instanceof Error?e.stderr||e.message:String(e);if(t.error(`❌ :Error al compilar Tailwind:`,n),e instanceof SyntaxError&&e.message.includes(`JSON`))return!1;throw e}}
|