52 lines
1.4 KiB
JavaScript
52 lines
1.4 KiB
JavaScript
const http = require('http');
|
|
const fs = require('fs');
|
|
const path = require('path');
|
|
|
|
const PORT = 8895;
|
|
|
|
const MIME_TYPES = {
|
|
'.html': 'text/html',
|
|
'.css': 'text/css',
|
|
'.js': 'application/javascript',
|
|
'.json': 'application/json',
|
|
'.png': 'image/png',
|
|
'.jpg': 'image/jpeg',
|
|
'.gif': 'image/gif',
|
|
'.svg': 'image/svg+xml',
|
|
'.ico': 'image/x-icon',
|
|
};
|
|
|
|
const server = http.createServer((req, res) => {
|
|
let filePath = path.join(__dirname, req.url === '/' ? 'index.html' : req.url);
|
|
const ext = path.extname(filePath);
|
|
const contentType = MIME_TYPES[ext] || 'application/octet-stream';
|
|
|
|
fs.readFile(filePath, (err, content) => {
|
|
if (err) {
|
|
if (err.code === 'ENOENT') {
|
|
// Serve index.html for SPA routing
|
|
fs.readFile(path.join(__dirname, 'index.html'), (err2, indexContent) => {
|
|
if (err2) {
|
|
res.writeHead(500);
|
|
res.end('Server Error');
|
|
return;
|
|
}
|
|
res.writeHead(200, { 'Content-Type': 'text/html' });
|
|
res.end(indexContent);
|
|
});
|
|
} else {
|
|
res.writeHead(500);
|
|
res.end('Server Error');
|
|
}
|
|
return;
|
|
}
|
|
res.writeHead(200, { 'Content-Type': contentType });
|
|
res.end(content);
|
|
});
|
|
});
|
|
|
|
server.listen(PORT, () => {
|
|
console.log(`\n 🏠 Kavana Home — Epic Edition`);
|
|
console.log(` ➜ Local: http://localhost:${PORT}\n`);
|
|
});
|