nodejs开发 过程中express路由与中间件的理解 - pyj063 - 博客园
const express = require('express');
const app = express();
// 中间件函数,记录请求日志
const logRequest = (req, res, next) => {
console.log(`Method: ${req.method}, URL: ${req.url}`);
next(); // 调用下一个中间件或路由处理器
};
// 中间件函数,处理404错误
const handle404 = (req, res, next) => {
res.status(404).send('Oops! 404 Error - Page Not Found');
};
// 中间件函数,处理错误
const handleError = (err, req, res, next) => {
console.error('An error occurred:', err.message);
res.status(500).send('Oops! 500 Error - Internal Server Error');
};
// 使用中间件
app.use(logRequest); // 记录请求日志
app.use(express.json()); // 解析JSON请求体
// 定义路由
app.get('/', (req, res) => {
res.send('Hello World!');
});
app.get('/user/:id', (req, res) => {
res.send(`User ID: ${req.params.id}`);
});
// 404处理中间件,放在路由定义后面
app.use(handle404); // 处理404错误
// 错误处理中间件,必须放在最后,以捕获所有错误
app.use(handleError); // 处理错误
// 启动服务器
const PORT = 3000;
app.listen(PORT, () => {
console.log(`Server is running on port ${PORT}`);
});
这段代码展示了如何在Express应用中使用中间件来处理日志记录、JSON解析、路由定义、404错误处理和错误处理。同时,它还演示了如何将中间件按顺序组织在一起,并在服务器启动时监听一个特定的端口。这是学习Node.js和Express框架时的一个很好的实践例子。
评论已关闭