从0开始学前端 第七十二课 Node.js - 使用Express构建RESTful API
// 引入必要的模块
const express = require('express');
const bodyParser = require('body-parser');
const app = express();
// 使用body-parser中间件解析请求体
app.use(bodyParser.json());
app.use(bodyParser.urlencoded({ extended: true }));
// 创建一个数据数组
let data = [];
// 创建RESTful API
// 获取所有数据
app.get('/api/data', (req, res) => {
res.json(data);
});
// 添加数据
app.post('/api/data', (req, res) => {
const newItem = { id: data.length + 1, ...req.body };
data.push(newItem);
res.status(201).json(newItem);
});
// 根据ID获取单个数据
app.get('/api/data/:id', (req, res) => {
const foundItem = data.find(item => item.id === parseInt(req.params.id));
if (!foundItem) {
res.status(404).json({ message: 'Item not found' });
} else {
res.json(foundItem);
}
});
// 更新数据
app.patch('/api/data/:id', (req, res) => {
const foundIndex = data.findIndex(item => item.id === parseInt(req.params.id));
if (foundIndex === -1) {
res.status(404).json({ message: 'Item not found' });
} else {
const updatedItem = { ...data[foundIndex], ...req.body };
data[foundIndex] = updatedItem;
res.json(updatedItem);
}
});
// 删除数据
app.delete('/api/data/:id', (req, res) => {
const foundIndex = data.findIndex(item => item.id === parseInt(req.params.id));
if (foundIndex === -1) {
res.status(404).json({ message: 'Item not found' });
} else {
data.splice(foundIndex, 1);
res.json({ message: 'Item deleted successfully' });
}
});
// 监听3000端口
app.listen(3000, () => {
console.log('Server running on port 3000');
});
这段代码实现了一个简单的RESTful API,使用Express框架,并且使用了内存中的数据数组来模拟数据库。它提供了基本的CRUD操作,并处理了HTTP GET, POST, PATCH 和 DELETE 请求。这个示例教学有效地展示了如何使用Express框架创建RESTful API,并且对于初学者来说是一个很好的学习资源。
评论已关闭