Хороша методика, яку я почав використовувати з деякими моїми програмами на експресі, - це створити об'єкт, який об'єднує поля запиту, парами та тіла об'єкта експрес-запиту.
//./express-data.js
const _ = require("lodash");
class ExpressData {
/*
* @param {Object} req - express request object
*/
constructor (req) {
//Merge all data passed by the client in the request
this.props = _.merge(req.body, req.params, req.query);
}
}
module.exports = ExpressData;
Потім у вашому органі контролера чи в іншому місці в межах ланцюга експрес-запитів ви можете використовувати щось на зразок нижче:
//./some-controller.js
const ExpressData = require("./express-data.js");
const router = require("express").Router();
router.get("/:some_id", (req, res) => {
let props = new ExpressData(req).props;
//Given the request "/592363122?foo=bar&hello=world"
//the below would log out
// {
// some_id: 592363122,
// foo: 'bar',
// hello: 'world'
// }
console.log(props);
return res.json(props);
});
Це робить приємним і зручним просто "заглибитись" у всі "спеціальні дані", які, можливо, користувач надіслав із своїм запитом.
Примітка
Чому поле "реквізит"? Оскільки це був фрагмент розрізу, я використовую цю техніку в багатьох своїх API, я також зберігаю дані аутентифікації / авторизації на цьому об'єкті, наприклад нижче.
/*
* @param {Object} req - Request response object
*/
class ExpressData {
/*
* @param {Object} req - express request object
*/
constructor (req) {
//Merge all data passed by the client in the request
this.props = _.merge(req.body, req.params, req.query);
//Store reference to the user
this.user = req.user || null;
//API connected devices (Mobile app..) will send x-client header with requests, web context is implied.
//This is used to determine how the user is connecting to the API
this.client = (req.headers) ? (req.headers["x-client"] || (req.client || "web")) : "web";
}
}