1. 基本路由示例:
const http = require('http');
const server = http.createServer((req, res) => {
// 获取请求的 URL
const url = req.url;
// 根据 URL 路由到相应的处理程序
if (url === '/') {
res.writeHead(200, { 'Content-Type': 'text/plain' });
res.end('Welcome to the homepage!');
} else if (url === '/about') {
res.writeHead(200, { 'Content-Type': 'text/plain' });
res.end('About us page');
} else {
res.writeHead(404, { 'Content-Type': 'text/plain' });
res.end('404 Not Found');
}
});
const PORT = 3000;
server.listen(PORT, () => {
console.log(`Server is listening on port ${PORT}`);
});
2. 使用第三方路由库:
Node.js 中有许多第三方的路由库,例如 Express、Koa 等,它们提供了更灵活和强大的路由功能。
npm install express
使用 Express 框架的简单路由示例:
const express = require('express');
const app = express();
// 定义路由
app.get('/', (req, res) => {
res.send('Welcome to the homepage!');
});
app.get('/about', (req, res) => {
res.send('About us page');
});
// 启动服务器
const PORT = 3000;
app.listen(PORT, () => {
console.log(`Server is listening on port ${PORT}`);
});
3. 动态路由参数:
使用动态路由参数,可以从 URL 中提取变量。
const express = require('express');
const app = express();
// 动态路由参数
app.get('/user/:id', (req, res) => {
const userId = req.params.id;
res.send(`User ID: ${userId}`);
});
const PORT = 3000;
app.listen(PORT, () => {
console.log(`Server is listening on port ${PORT}`);
});
4. 路由中间件:
中间件是一种处理请求和响应的函数,可以在路由中使用。
const express = require('express');
const app = express();
// 自定义中间件
const myMiddleware = (req, res, next) => {
console.log('Middleware executed!');
next();
};
// 使用中间件
app.use(myMiddleware);
// 路由
app.get('/', (req, res) => {
res.send('Homepage');
});
const PORT = 3000;
app.listen(PORT, () => {
console.log(`Server is listening on port ${PORT}`);
});
这是一些关于 Node.js 路由的基本概念和用法。路由是构建 Web 应用程序的关键组件之一,负责将请求映射到相应的处理程序或控制器上。在选择路由的时候,可以根据项目的需求来决定使用原生的路由处理方式还是使用第三方的框架来简化开发。
转载请注明出处:http://www.pingtaimeng.com/article/detail/13163/Node.js