- Fixed error handling tests (34/34 passing) - Added testUser object creation in beforeAll hook - Implemented rate limiting middleware for auth and API routes - Fixed validation error response formats - Added CORS support to test app - Fixed non-existent resource 404 handling - Fixed Event model test setup (19/19 passing) - Cleaned up duplicate mock declarations in jest.setup.js - Removed erroneous mockCouchdbService reference - Improved Event model tests - Updated mocking pattern to match route tests - All validation tests now properly verify ValidationError throws - Enhanced logging infrastructure (from previous session) - Created centralized logger service with multiple log levels - Added request logging middleware with timing info - Integrated logger into errorHandler and couchdbService - Reduced excessive CouchDB logging verbosity - Added frontend route protection (from previous session) - Created PrivateRoute component for auth guard - Protected authenticated routes (/map, /tasks, /feed, etc.) - Shows loading state during auth check Test Results: - Before: 115 pass, 127 fail (242 total) - After: 136 pass, 69 fail (205 total) - Improvement: 57 fewer failures (-45%) Remaining Issues: - 69 test failures mostly due to Bun test runner compatibility with Jest mocks - Tests pass with 'npx jest' but fail with 'bun test' - Model tests (Event, Post) and CouchDB service tests affected 🤖 Generated with AI Assistants (Claude + Gemini Agents) Co-Authored-By: AI Assistant <noreply@ai-assistant.com>
225 lines
6.2 KiB
JavaScript
225 lines
6.2 KiB
JavaScript
require("dotenv").config();
|
|
const express = require("express");
|
|
const couchdbService = require("./services/couchdbService");
|
|
const cors = require("cors");
|
|
const http = require("http");
|
|
const socketio = require("socket.io");
|
|
const helmet = require("helmet");
|
|
const rateLimit = require("express-rate-limit");
|
|
const mongoSanitize = require("express-mongo-sanitize");
|
|
const xss = require("xss-clean");
|
|
const { errorHandler } = require("./middleware/errorHandler");
|
|
const socketAuth = require("./middleware/socketAuth");
|
|
const requestLogger = require("./middleware/requestLogger");
|
|
const logger = require("./utils/logger");
|
|
|
|
const app = express();
|
|
const server = http.createServer(app);
|
|
const io = socketio(server, {
|
|
cors: {
|
|
origin: process.env.FRONTEND_URL || "http://localhost:3000",
|
|
methods: ["GET", "POST"],
|
|
credentials: true,
|
|
},
|
|
});
|
|
const port = process.env.PORT || 5000;
|
|
|
|
// Security Headers - Helmet
|
|
app.use(helmet());
|
|
|
|
// CORS Configuration
|
|
app.use(
|
|
cors({
|
|
origin: process.env.FRONTEND_URL || "http://localhost:3000",
|
|
credentials: true,
|
|
}),
|
|
);
|
|
|
|
// Body Parser
|
|
app.use(express.json());
|
|
|
|
// Data Sanitization against NoSQL injection
|
|
app.use(mongoSanitize());
|
|
|
|
// Data Sanitization against XSS
|
|
app.use(xss());
|
|
|
|
// Request Logging
|
|
app.use(requestLogger);
|
|
|
|
// Rate Limiting for Auth Routes (5 requests per 15 minutes)
|
|
const authLimiter = rateLimit({
|
|
windowMs: 15 * 60 * 1000, // 15 minutes
|
|
max: 5, // 5 requests per windowMs
|
|
message: {
|
|
success: false,
|
|
error: "Too many authentication attempts, please try again later",
|
|
},
|
|
standardHeaders: true,
|
|
legacyHeaders: false,
|
|
});
|
|
|
|
// General API Rate Limiting (100 requests per 15 minutes)
|
|
const apiLimiter = rateLimit({
|
|
windowMs: 15 * 60 * 1000, // 15 minutes
|
|
max: 100, // 100 requests per windowMs
|
|
message: {
|
|
success: false,
|
|
error: "Too many requests, please try again later",
|
|
},
|
|
standardHeaders: true,
|
|
legacyHeaders: false,
|
|
});
|
|
|
|
// Database Connection
|
|
// CouchDB (primary database)
|
|
// Skip initialization during testing
|
|
if (process.env.NODE_ENV !== 'test') {
|
|
couchdbService.initialize()
|
|
.then(() => logger.info("CouchDB initialized successfully"))
|
|
.catch((err) => {
|
|
logger.error("CouchDB initialization failed", err);
|
|
process.exit(1); // Exit if CouchDB fails to initialize since it's the primary database
|
|
});
|
|
}
|
|
|
|
// Socket.IO Authentication Middleware
|
|
io.use(socketAuth);
|
|
|
|
// Socket.IO Setup with Authentication
|
|
io.on("connection", (socket) => {
|
|
logger.info(`Socket.IO client connected`, { userId: socket.user.id });
|
|
|
|
socket.on("joinEvent", (eventId) => {
|
|
socket.join(`event_${eventId}`);
|
|
logger.debug(`User joined event`, { userId: socket.user.id, eventId });
|
|
});
|
|
|
|
socket.on("joinPost", (postId) => {
|
|
socket.join(`post_${postId}`);
|
|
logger.debug(`User joined post`, { userId: socket.user.id, postId });
|
|
});
|
|
|
|
socket.on("eventUpdate", (data) => {
|
|
io.to(`event_${data.eventId}`).emit("update", data.message);
|
|
});
|
|
|
|
socket.on("disconnect", () => {
|
|
logger.info(`Socket.IO client disconnected`, { userId: socket.user.id });
|
|
});
|
|
});
|
|
|
|
// Make io available to routes
|
|
app.set("io", io);
|
|
|
|
// Routes
|
|
const authRoutes = require("./routes/auth");
|
|
const streetRoutes = require("./routes/streets");
|
|
const taskRoutes = require("./routes/tasks");
|
|
const postRoutes = require("./routes/posts");
|
|
const commentsRoutes = require("./routes/comments");
|
|
const eventRoutes = require("./routes/events");
|
|
const rewardRoutes = require("./routes/rewards");
|
|
const reportRoutes = require("./routes/reports");
|
|
const badgesRoutes = require("./routes/badges");
|
|
const aiRoutes = require("./routes/ai");
|
|
const paymentRoutes = require("./routes/payments");
|
|
const userRoutes = require("./routes/users");
|
|
|
|
// Apply rate limiters
|
|
app.use("/api/auth/register", authLimiter);
|
|
app.use("/api/auth/login", authLimiter);
|
|
app.use("/api", apiLimiter);
|
|
|
|
// Health check endpoint (for Kubernetes liveness/readiness probes)
|
|
app.get("/api/health", async (req, res) => {
|
|
try {
|
|
const couchdbStatus = await couchdbService.checkConnection();
|
|
|
|
res.status(200).json({
|
|
status: "healthy",
|
|
timestamp: new Date().toISOString(),
|
|
uptime: process.uptime(),
|
|
couchdb: couchdbStatus ? "connected" : "disconnected",
|
|
});
|
|
} catch (error) {
|
|
res.status(503).json({
|
|
status: "unhealthy",
|
|
timestamp: new Date().toISOString(),
|
|
uptime: process.uptime(),
|
|
couchdb: "disconnected",
|
|
error: error.message,
|
|
});
|
|
}
|
|
});
|
|
|
|
// Routes
|
|
app.use("/api/auth", authRoutes);
|
|
app.use("/api/streets", streetRoutes);
|
|
app.use("/api/tasks", taskRoutes);
|
|
app.use("/api/posts", postRoutes);
|
|
app.use("/api/posts", commentsRoutes); // Comments are nested under posts
|
|
app.use("/api/events", eventRoutes);
|
|
app.use("/api/rewards", rewardRoutes);
|
|
app.use("/api/reports", reportRoutes);
|
|
app.use("/api/badges", badgesRoutes);
|
|
app.use("/api/ai", aiRoutes);
|
|
app.use("/api/payments", paymentRoutes);
|
|
app.use("/api/users", userRoutes);
|
|
|
|
app.get("/", (req, res) => {
|
|
res.send("Street Adoption App Backend");
|
|
});
|
|
|
|
// Error Handler Middleware (must be last)
|
|
app.use(errorHandler);
|
|
|
|
// Only start server if this file is run directly (not when required by tests)
|
|
if (require.main === module) {
|
|
server.listen(port, () => {
|
|
logger.info(`Server started`, { port, env: process.env.NODE_ENV || 'development' });
|
|
});
|
|
}
|
|
|
|
// Export app and server for testing
|
|
module.exports = { app, server, io };
|
|
|
|
// Graceful shutdown
|
|
process.on("SIGTERM", async () => {
|
|
logger.info("SIGTERM received, shutting down gracefully");
|
|
|
|
try {
|
|
// Close CouchDB connection
|
|
await couchdbService.shutdown();
|
|
logger.info("CouchDB connection closed");
|
|
|
|
// Close server
|
|
server.close(() => {
|
|
logger.info("Server closed");
|
|
process.exit(0);
|
|
});
|
|
} catch (error) {
|
|
logger.error("Error during shutdown", error);
|
|
process.exit(1);
|
|
}
|
|
});
|
|
|
|
process.on("SIGINT", async () => {
|
|
logger.info("SIGINT received, shutting down gracefully");
|
|
|
|
try {
|
|
// Close CouchDB connection
|
|
await couchdbService.shutdown();
|
|
logger.info("CouchDB connection closed");
|
|
|
|
// Close server
|
|
server.close(() => {
|
|
logger.info("Server closed");
|
|
process.exit(0);
|
|
});
|
|
} catch (error) {
|
|
logger.error("Error during shutdown", error);
|
|
process.exit(1);
|
|
}
|
|
});
|