body-parser 说明文档
时间: 2023-07-10 17:27:19 浏览: 176
Nodejs中Express 常用中间件 body-parser 实现解析
body-parser 是一个 Node.js 中间件,用于处理 HTTP 请求体中的数据。它可以解析 JSON、Raw、文本、URL-encoded 格式的请求体,并且提供了多种选项来控制解析方式。
安装:
使用 npm 安装:
```
npm install body-parser
```
使用:
在 Express 应用中使用 body-parser:
```javascript
const express = require('express')
const bodyParser = require('body-parser')
const app = express()
// 解析 application/json
app.use(bodyParser.json())
// 解析 application/x-www-form-urlencoded
app.use(bodyParser.urlencoded({ extended: false }))
// 解析 text/plain
app.use(bodyParser.text())
// 解析 raw
app.use(bodyParser.raw())
// 处理业务逻辑
app.post('/api', (req, res) => {
console.log(req.body)
res.send('success')
})
app.listen(3000, () => {
console.log('Server started on port 3000')
})
```
在上面的示例中,我们通过 `app.use` 方法来注册 body-parser 中间件。然后,我们可以使用 `req.body` 来访问请求体中的数据。
body-parser 支持多种解析方式,通过传递不同的参数来控制解析方式。例如,`bodyParser.urlencoded({ extended: false })` 可以控制解析 URL-encoded 格式的请求体时,是否使用 `querystring` 库来解析数据。如果将 `extended` 参数设置为 `true`,则使用 `qs` 库来解析数据。
除了上述示例中的常见解析方式,body-parser 还支持自定义解析函数,可通过 `bodyParser.raw(options)` 或 `bodyParser.text(options)` 方法来注册。
更多详细信息,请参阅官方文档:https://github.com/expressjs/body-parser#readme
阅读全文