在 node.js 中过滤 post 请求的正文
Filter body of a post request in node.js
有没有办法在 node.js + express 中简化这段代码?
// Backend handler to register a new participant
app.post('/api/participant', function (req, res, next) {
// I'm catching the registration form from the request
var data = req.body;
// I want to make sure the user is not uploading data other
// than the fields in the form
var participant = new Participant({
first: data.first,
last: data.last,
email: data.email,
category: data.category
});
participant.save(...);
});
我没有这样做:
var participant = new Participant(data);
因为任何人都可以在数据对象中包含(例如)score
属性 并以优势开始竞争。
所以我的问题是:我是否必须在每个 post 处理程序中执行此操作,还是有过滤属性的方法?
快速 Google 搜索没有找到任何预先存在的库,但是这个函数应该可以很好地解决问题:
function filterKeys(object, keys) {
Object.keys(object).forEach(function(key) {
if(keys.indexOf(key) == -1) {
delete object[key];
}
});
}
例如,
var foo = {"foo": 1, "bar": 2, "baz": 3};
console.log(foo); // {"foo": 1, "bar": 2, "baz": 3}
filterKeys(foo, ["foo", "baz"]);
console.log(foo); // {"foo": 1, "baz": 3}
所以在你的情况下,
filterKeys(data, ["first", "last", "email", "category"]);
有没有办法在 node.js + express 中简化这段代码?
// Backend handler to register a new participant
app.post('/api/participant', function (req, res, next) {
// I'm catching the registration form from the request
var data = req.body;
// I want to make sure the user is not uploading data other
// than the fields in the form
var participant = new Participant({
first: data.first,
last: data.last,
email: data.email,
category: data.category
});
participant.save(...);
});
我没有这样做:
var participant = new Participant(data);
因为任何人都可以在数据对象中包含(例如)score
属性 并以优势开始竞争。
所以我的问题是:我是否必须在每个 post 处理程序中执行此操作,还是有过滤属性的方法?
快速 Google 搜索没有找到任何预先存在的库,但是这个函数应该可以很好地解决问题:
function filterKeys(object, keys) {
Object.keys(object).forEach(function(key) {
if(keys.indexOf(key) == -1) {
delete object[key];
}
});
}
例如,
var foo = {"foo": 1, "bar": 2, "baz": 3};
console.log(foo); // {"foo": 1, "bar": 2, "baz": 3}
filterKeys(foo, ["foo", "baz"]);
console.log(foo); // {"foo": 1, "baz": 3}
所以在你的情况下,
filterKeys(data, ["first", "last", "email", "category"]);