kempo-server 1.7.4 → 1.7.5

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/scripts/build.js CHANGED
@@ -6,9 +6,52 @@ import { fileURLToPath } from 'url';
6
6
  const __dirname = dirname(fileURLToPath(import.meta.url));
7
7
  const rootDir = join(__dirname, '..');
8
8
  const srcDir = join(rootDir, 'src');
9
+ const utilsDir = join(rootDir, 'utils');
9
10
  const distDir = join(rootDir, 'dist');
10
11
  const docsDir = join(rootDir, 'docs');
11
12
 
13
+ /*
14
+ File Processing Helper
15
+ */
16
+ const processJsFile = async (srcPath, distPath) => {
17
+ const fileName = distPath.split(/[/\\]/).pop();
18
+ console.log(`Minifying ${fileName}...`);
19
+
20
+ // Read source file
21
+ let sourceCode = await readFile(srcPath, 'utf8');
22
+
23
+ // Check for and preserve shebang
24
+ let shebang = '';
25
+ if (sourceCode.startsWith('#!')) {
26
+ const firstNewline = sourceCode.indexOf('\n');
27
+ shebang = sourceCode.substring(0, firstNewline + 1);
28
+ sourceCode = sourceCode.substring(firstNewline + 1);
29
+ }
30
+
31
+ // Minify with Terser
32
+ const result = await minify(sourceCode, {
33
+ module: true, // Enable ES module support
34
+ format: {
35
+ comments: false,
36
+ },
37
+ compress: {
38
+ dead_code: true,
39
+ drop_console: false,
40
+ drop_debugger: true,
41
+ },
42
+ mangle: false, // Keep function names for better debugging
43
+ });
44
+
45
+ if (result.error) {
46
+ throw new Error(`Minification failed for ${fileName}: ${result.error}`);
47
+ }
48
+
49
+ // Write minified file to dist with shebang if it existed
50
+ const finalCode = shebang + result.code;
51
+ await writeFile(distPath, finalCode);
52
+ console.log(`✓ Built ${fileName}`);
53
+ };
54
+
12
55
  /*
13
56
  Build Process
14
57
  */
@@ -16,53 +59,24 @@ const build = async () => {
16
59
  try {
17
60
  // Ensure dist directory exists
18
61
  await mkdir(distDir, { recursive: true });
62
+ await mkdir(join(distDir, 'utils'), { recursive: true });
19
63
 
20
64
  console.log('Building JavaScript files...');
21
65
 
22
- // Get all JS files in src directory
23
- const files = await readdir(srcDir);
24
- const jsFiles = files.filter(file => file.endsWith('.js'));
66
+ // Process src directory
67
+ const srcFiles = await readdir(srcDir);
68
+ const srcJsFiles = srcFiles.filter(file => file.endsWith('.js'));
69
+
70
+ for (const file of srcJsFiles) {
71
+ await processJsFile(join(srcDir, file), join(distDir, file));
72
+ }
73
+
74
+ // Process utils directory
75
+ const utilsFiles = await readdir(utilsDir);
76
+ const utilsJsFiles = utilsFiles.filter(file => file.endsWith('.js'));
25
77
 
26
- // Process each JS file
27
- for (const file of jsFiles) {
28
- const srcPath = join(srcDir, file);
29
- const distPath = join(distDir, file);
30
-
31
- console.log(`Minifying ${file}...`);
32
-
33
- // Read source file
34
- let sourceCode = await readFile(srcPath, 'utf8');
35
-
36
- // Check for and preserve shebang
37
- let shebang = '';
38
- if (sourceCode.startsWith('#!')) {
39
- const firstNewline = sourceCode.indexOf('\n');
40
- shebang = sourceCode.substring(0, firstNewline + 1);
41
- sourceCode = sourceCode.substring(firstNewline + 1);
42
- }
43
-
44
- // Minify with Terser
45
- const result = await minify(sourceCode, {
46
- module: true, // Enable ES module support
47
- format: {
48
- comments: false,
49
- },
50
- compress: {
51
- dead_code: true,
52
- drop_console: false,
53
- drop_debugger: true,
54
- },
55
- mangle: false, // Keep function names for better debugging
56
- });
57
-
58
- if (result.error) {
59
- throw new Error(`Minification failed for ${file}: ${result.error}`);
60
- }
61
-
62
- // Write minified file to dist with shebang if it existed
63
- const finalCode = shebang + result.code;
64
- await writeFile(distPath, finalCode);
65
- console.log(`✓ Built ${file}`);
78
+ for (const file of utilsJsFiles) {
79
+ await processJsFile(join(utilsDir, file), join(distDir, 'utils', file));
66
80
  }
67
81
 
68
82
  console.log('Copying kempo.min.css to docs...');
@@ -1,24 +0,0 @@
1
- {
2
- "_comment": "Development configuration with aggressive file watching and conservative memory usage",
3
- "cache": {
4
- "enabled": true,
5
- "maxSize": 50,
6
- "maxMemoryMB": 25,
7
- "ttlMs": 300000,
8
- "maxHeapUsagePercent": 65,
9
- "memoryCheckInterval": 15000,
10
- "watchFiles": true,
11
- "enableMemoryMonitoring": true
12
- },
13
- "middleware": {
14
- "cors": {
15
- "enabled": true,
16
- "origin": "*"
17
- },
18
- "logging": {
19
- "enabled": true,
20
- "includeUserAgent": true,
21
- "includeResponseTime": true
22
- }
23
- }
24
- }
@@ -1,23 +0,0 @@
1
- {
2
- "_comment": "Low-memory configuration for resource-constrained environments",
3
- "cache": {
4
- "enabled": true,
5
- "maxSize": 20,
6
- "maxMemoryMB": 5,
7
- "ttlMs": 120000,
8
- "maxHeapUsagePercent": 60,
9
- "memoryCheckInterval": 10000,
10
- "watchFiles": true,
11
- "enableMemoryMonitoring": true
12
- },
13
- "middleware": {
14
- "compression": {
15
- "enabled": true,
16
- "threshold": 512
17
- },
18
- "logging": {
19
- "enabled": true,
20
- "includeResponseTime": false
21
- }
22
- }
23
- }
@@ -1,13 +0,0 @@
1
- {
2
- "_comment": "Cache disabled configuration for debugging or special environments",
3
- "cache": {
4
- "enabled": false
5
- },
6
- "middleware": {
7
- "logging": {
8
- "enabled": true,
9
- "includeUserAgent": true,
10
- "includeResponseTime": true
11
- }
12
- }
13
- }
@@ -1,38 +0,0 @@
1
- {
2
- "_comment": "Production configuration with large cache and disabled file watching",
3
- "cache": {
4
- "enabled": true,
5
- "maxSize": 1000,
6
- "maxMemoryMB": 200,
7
- "ttlMs": 3600000,
8
- "maxHeapUsagePercent": 85,
9
- "memoryCheckInterval": 60000,
10
- "watchFiles": false,
11
- "enableMemoryMonitoring": true
12
- },
13
- "middleware": {
14
- "cors": {
15
- "enabled": true,
16
- "origin": ["https://myapp.com", "https://www.myapp.com"],
17
- "credentials": true
18
- },
19
- "compression": {
20
- "enabled": true,
21
- "threshold": 1024
22
- },
23
- "security": {
24
- "enabled": true,
25
- "headers": {
26
- "X-Content-Type-Options": "nosniff",
27
- "X-Frame-Options": "DENY",
28
- "X-XSS-Protection": "1; mode=block",
29
- "Strict-Transport-Security": "max-age=31536000; includeSubDomains"
30
- }
31
- },
32
- "logging": {
33
- "enabled": true,
34
- "includeUserAgent": false,
35
- "includeResponseTime": true
36
- }
37
- }
38
- }
@@ -1,45 +0,0 @@
1
- {
2
- "cache": {
3
- "enabled": true,
4
- "maxSize": 200,
5
- "maxMemoryMB": 75,
6
- "ttlMs": 600000,
7
- "maxHeapUsagePercent": 75,
8
- "memoryCheckInterval": 15000,
9
- "watchFiles": true,
10
- "enableMemoryMonitoring": true,
11
- "production": {
12
- "maxSize": 1000,
13
- "maxMemoryMB": 200,
14
- "ttlMs": 3600000,
15
- "maxHeapUsagePercent": 85,
16
- "memoryCheckInterval": 60000,
17
- "watchFiles": false
18
- }
19
- },
20
- "middleware": {
21
- "cors": {
22
- "enabled": true,
23
- "origin": "*",
24
- "methods": ["GET", "POST", "PUT", "DELETE", "OPTIONS"],
25
- "headers": ["Content-Type", "Authorization"]
26
- },
27
- "compression": {
28
- "enabled": true,
29
- "threshold": 1024
30
- },
31
- "security": {
32
- "enabled": true,
33
- "headers": {
34
- "X-Content-Type-Options": "nosniff",
35
- "X-Frame-Options": "DENY",
36
- "X-XSS-Protection": "1; mode=block"
37
- }
38
- },
39
- "logging": {
40
- "enabled": true,
41
- "includeUserAgent": false,
42
- "includeResponseTime": true
43
- }
44
- }
45
- }
@@ -1,50 +0,0 @@
1
- {
2
- "allowedMimes": {
3
- "html": "text/html",
4
- "css": "text/css",
5
- "js": "application/javascript",
6
- "json": "application/json",
7
- "png": "image/png",
8
- "jpg": "image/jpeg"
9
- },
10
- "middleware": {
11
- "cors": {
12
- "enabled": true,
13
- "origin": ["http://localhost:3000", "https://mydomain.com"],
14
- "methods": ["GET", "POST", "PUT", "DELETE"],
15
- "headers": ["Content-Type", "Authorization", "X-API-Key"]
16
- },
17
- "compression": {
18
- "enabled": true,
19
- "threshold": 512
20
- },
21
- "rateLimit": {
22
- "enabled": true,
23
- "maxRequests": 50,
24
- "windowMs": 60000,
25
- "message": "Rate limit exceeded. Please try again later."
26
- },
27
- "security": {
28
- "enabled": true,
29
- "headers": {
30
- "X-Content-Type-Options": "nosniff",
31
- "X-Frame-Options": "SAMEORIGIN",
32
- "X-XSS-Protection": "1; mode=block",
33
- "Strict-Transport-Security": "max-age=31536000; includeSubDomains"
34
- }
35
- },
36
- "logging": {
37
- "enabled": true,
38
- "includeUserAgent": true,
39
- "includeResponseTime": true
40
- },
41
- "custom": [
42
- "./middleware/auth.js",
43
- "./middleware/analytics.js"
44
- ]
45
- },
46
- "customRoutes": {
47
- "api/*": "./api-handlers/*",
48
- "/vendor/bootstrap.css": "./node_modules/bootstrap/dist/css/bootstrap.min.css"
49
- }
50
- }
@@ -1,145 +0,0 @@
1
- #!/usr/bin/env node
2
-
3
- /*
4
- Cache Demo Script
5
- Demonstrates the module cache functionality with real-time monitoring
6
- */
7
-
8
- import path from 'path';
9
- import { writeFile, unlink, mkdir, rm } from 'fs/promises';
10
- import ModuleCache from '../src/moduleCache.js';
11
-
12
- const createDemoFiles = async (demoDir) => {
13
- await mkdir(demoDir, { recursive: true });
14
-
15
- // Create some demo route files
16
- await writeFile(path.join(demoDir, 'users.js'),
17
- 'export default async (req, res) => res.json({ users: ["alice", "bob"] });'
18
- );
19
-
20
- await writeFile(path.join(demoDir, 'posts.js'),
21
- 'export default async (req, res) => res.json({ posts: ["post1", "post2"] });'
22
- );
23
-
24
- await writeFile(path.join(demoDir, 'auth.js'),
25
- 'export default async (req, res) => res.json({ authenticated: true });'
26
- );
27
-
28
- return [
29
- path.join(demoDir, 'users.js'),
30
- path.join(demoDir, 'posts.js'),
31
- path.join(demoDir, 'auth.js')
32
- ];
33
- };
34
-
35
- const simulateFileAccess = async (cache, filePaths) => {
36
- const { stat } = await import('fs/promises');
37
-
38
- for(const filePath of filePaths) {
39
- const stats = await stat(filePath);
40
-
41
- // Try to get from cache first
42
- let module = cache.get(filePath, stats);
43
-
44
- if(!module) {
45
- // Simulate loading module
46
- const fileUrl = `file://${filePath}?t=${Date.now()}`;
47
- module = await import(fileUrl);
48
- cache.set(filePath, module, stats, stats.size / 1024);
49
- }
50
-
51
- console.log(`📁 ${path.basename(filePath)}: ${module ? '✅ cached' : '❌ loaded fresh'}`);
52
- }
53
- };
54
-
55
- const displayCacheStats = (cache) => {
56
- console.log('\n📊 Cache Statistics:');
57
- console.log('─'.repeat(40));
58
-
59
- const stats = cache.getStats();
60
- console.log(`Entries: ${stats.cache.size}/${stats.cache.maxSize}`);
61
- console.log(`Memory: ${stats.cache.memoryUsageMB}/${stats.cache.maxMemoryMB}MB`);
62
- console.log(`Hit Rate: ${cache.getHitRate()}%`);
63
- console.log(`Hits: ${stats.stats.hits}, Misses: ${stats.stats.misses}`);
64
- console.log(`File Changes: ${stats.stats.fileChanges}`);
65
- console.log(`Heap Usage: ${stats.memory.heapUsedMB}MB (${stats.memory.heapUsagePercent}%)`);
66
-
67
- if(stats.cache.size > 0) {
68
- console.log('\n📋 Cached Files:');
69
- const cachedFiles = cache.getCachedFiles();
70
- cachedFiles.forEach(file => {
71
- const ageSeconds = Math.round(file.age / 1000);
72
- console.log(` • ${file.relativePath} (${file.sizeKB.toFixed(1)}KB, ${ageSeconds}s old)`);
73
- });
74
- }
75
- console.log();
76
- };
77
-
78
- const main = async () => {
79
- console.log('🚀 Kempo Server Module Cache Demo\n');
80
-
81
- // Create demo directory and files
82
- const demoDir = path.join(process.cwd(), 'demo-cache-test');
83
- console.log('📝 Creating demo files...');
84
- const filePaths = await createDemoFiles(demoDir);
85
-
86
- // Initialize cache with small limits for demo
87
- const cache = new ModuleCache({
88
- maxSize: 2,
89
- maxMemoryMB: 1,
90
- ttlMs: 5000, // 5 seconds
91
- watchFiles: true,
92
- enableMemoryMonitoring: true
93
- });
94
-
95
- console.log('✅ Cache initialized\n');
96
-
97
- try {
98
- // Round 1: Initial loads (cache misses)
99
- console.log('🔄 Round 1: Initial file access (expect cache misses)');
100
- await simulateFileAccess(cache, filePaths);
101
- displayCacheStats(cache);
102
-
103
- // Round 2: Immediate re-access (cache hits)
104
- console.log('🔄 Round 2: Immediate re-access (expect cache hits)');
105
- await simulateFileAccess(cache, [filePaths[0], filePaths[1]]);
106
- displayCacheStats(cache);
107
-
108
- // Round 3: Add third file (should evict oldest due to maxSize=2)
109
- console.log('🔄 Round 3: Access third file (expect LRU eviction)');
110
- await simulateFileAccess(cache, [filePaths[2]]);
111
- displayCacheStats(cache);
112
-
113
- // Round 4: Wait for TTL expiration
114
- console.log('⏱️ Waiting 6 seconds for TTL expiration...');
115
- await new Promise(resolve => setTimeout(resolve, 6000));
116
-
117
- console.log('🔄 Round 4: Access after TTL expiration (expect cache misses)');
118
- await simulateFileAccess(cache, [filePaths[1]]);
119
- displayCacheStats(cache);
120
-
121
- // Round 5: Demonstrate file watching
122
- console.log('📝 Round 5: Modifying file to test file watching...');
123
- await writeFile(filePaths[1],
124
- 'export default async (req, res) => res.json({ posts: ["updated post"] });'
125
- );
126
-
127
- // Wait for file watcher to detect change
128
- await new Promise(resolve => setTimeout(resolve, 200));
129
-
130
- console.log('🔄 Accessing modified file (expect cache invalidation)');
131
- await simulateFileAccess(cache, [filePaths[1]]);
132
- displayCacheStats(cache);
133
-
134
- } finally {
135
- // Cleanup
136
- console.log('🧹 Cleaning up...');
137
- cache.destroy();
138
- await rm(demoDir, { recursive: true });
139
- console.log('✅ Demo completed successfully!');
140
- }
141
- };
142
-
143
- if(import.meta.url === `file://${process.argv[1]}`) {
144
- main().catch(console.error);
145
- }
@@ -1,132 +0,0 @@
1
- #!/usr/bin/env node
2
-
3
- /*
4
- Cache Monitor Utility
5
- Displays real-time cache statistics and memory usage
6
- */
7
-
8
- import { spawn } from 'child_process';
9
- import { pathToFileURL } from 'url';
10
- import path from 'path';
11
- import { fileURLToPath } from 'url';
12
-
13
- const formatBytes = (bytes) => {
14
- const mb = bytes / 1024 / 1024;
15
- return `${mb.toFixed(2)}MB`;
16
- };
17
-
18
- const formatPercent = (value) => `${value.toFixed(1)}%`;
19
-
20
- const clearScreen = () => process.stdout.write('\x1b[2J\x1b[0f');
21
-
22
- const displayStats = (stats) => {
23
- clearScreen();
24
- console.log('='.repeat(60));
25
- console.log('📦 KEMPO SERVER - MODULE CACHE MONITOR');
26
- console.log('='.repeat(60));
27
- console.log();
28
-
29
- if (!stats) {
30
- console.log('❌ Cache not available or disabled');
31
- return;
32
- }
33
-
34
- const { cache, stats: cacheStats, memory, config } = stats;
35
-
36
- // Cache Status
37
- console.log('📊 CACHE STATUS');
38
- console.log('-'.repeat(30));
39
- console.log(`Entries: ${cache.size}/${cache.maxSize} (${((cache.size/cache.maxSize)*100).toFixed(1)}%)`);
40
- console.log(`Memory: ${cache.memoryUsageMB}/${cache.maxMemoryMB}MB (${((cache.memoryUsageMB/cache.maxMemoryMB)*100).toFixed(1)}%)`);
41
- console.log(`Watchers: ${cache.watchersActive} active`);
42
- console.log();
43
-
44
- // Performance Stats
45
- console.log('⚡ PERFORMANCE');
46
- console.log('-'.repeat(30));
47
- const total = cacheStats.hits + cacheStats.misses;
48
- const hitRate = total === 0 ? 0 : (cacheStats.hits / total * 100);
49
- console.log(`Hit Rate: ${hitRate.toFixed(1)}% (${cacheStats.hits} hits, ${cacheStats.misses} misses)`);
50
- console.log(`Evictions: ${cacheStats.evictions}`);
51
- console.log(`File Changes: ${cacheStats.fileChanges}`);
52
- console.log();
53
-
54
- // Memory Info
55
- console.log('🧠 NODE.JS MEMORY');
56
- console.log('-'.repeat(30));
57
- console.log(`Heap Used: ${memory.heapUsedMB}MB (${memory.heapUsagePercent}%)`);
58
- console.log(`Heap Total: ${memory.heapTotalMB}MB`);
59
- console.log(`RSS: ${memory.rssMB}MB`);
60
- console.log();
61
-
62
- // Configuration
63
- console.log('⚙️ CONFIGURATION');
64
- console.log('-'.repeat(30));
65
- console.log(`TTL: ${Math.round(config.ttlMs / 1000)}s`);
66
- console.log(`Max Heap: ${config.maxHeapUsagePercent}%`);
67
- console.log(`File Watch: ${config.watchFiles ? '✅' : '❌'}`);
68
- console.log();
69
-
70
- console.log(`Last updated: ${new Date().toLocaleTimeString()}`);
71
- console.log('Press Ctrl+C to exit');
72
- };
73
-
74
- // Simulate getting stats from a running server
75
- // In a real implementation, you'd expose an endpoint or use IPC
76
- const getStatsFromServer = async () => {
77
- // This is a placeholder - in practice you'd either:
78
- // 1. Add an admin endpoint to your server that returns cache stats
79
- // 2. Use process communication to get stats from the running server
80
- // 3. Log stats to a file that this script reads
81
-
82
- // For demonstration, return mock stats
83
- return {
84
- cache: {
85
- size: Math.floor(Math.random() * 100),
86
- maxSize: 100,
87
- memoryUsageMB: Math.random() * 50,
88
- maxMemoryMB: 50,
89
- watchersActive: Math.floor(Math.random() * 50)
90
- },
91
- stats: {
92
- hits: Math.floor(Math.random() * 1000),
93
- misses: Math.floor(Math.random() * 200),
94
- evictions: Math.floor(Math.random() * 50),
95
- fileChanges: Math.floor(Math.random() * 10)
96
- },
97
- memory: {
98
- heapUsedMB: 45 + Math.random() * 20,
99
- heapTotalMB: 70 + Math.random() * 30,
100
- heapUsagePercent: 60 + Math.random() * 20,
101
- rssMB: 80 + Math.random() * 40
102
- },
103
- config: {
104
- ttlMs: 300000,
105
- maxHeapUsagePercent: 70,
106
- watchFiles: true
107
- }
108
- };
109
- };
110
-
111
- const main = async () => {
112
- console.log('Starting cache monitor...');
113
-
114
- setInterval(async () => {
115
- try {
116
- const stats = await getStatsFromServer();
117
- displayStats(stats);
118
- } catch (error) {
119
- console.error('Error getting stats:', error.message);
120
- }
121
- }, 2000); // Update every 2 seconds
122
- };
123
-
124
- // Handle Ctrl+C gracefully
125
- process.on('SIGINT', () => {
126
- console.log('\n\n👋 Cache monitor stopped');
127
- process.exit(0);
128
- });
129
-
130
- if (import.meta.url === pathToFileURL(process.argv[1]).href) {
131
- main();
132
- }