Does anybody know a way in express.js to capture requests in a single function for both html and json?
Essentially I want a single route for both /users
and /users.json
- like rails does with its routes -> controller.
That way, I can encapsulate the logic in a single function and decide to render either html or json.
Something like:
app.get('/users[.json]', function(req, res, next, json){
if (json)
res.send(JSON.stringfy(...));
else
res.render(...); //jade template
});
Could I use a param perhaps?
A route is simple a string which is compiled to a RegExp internally, as the manual says, so you can do something like this:
app.get("/users/:format?", function(req, res, next){
if (req.params.format) { res.json(...); }
else {
res.render(...); //jade template
}
});
Check more here: http://expressjs.com/guide.html#routing
I believe res.format() is the way to do this in Express 3.x and 4.x:
res.format({
text: function(){
res.send('hey');
},
html: function(){
res.send('<strong>hey</strong>');
},
json: function(){
res.send({ message: 'hey' });
}
});
This relies on the Accept header, however you can munge this header yourself using a custom middleware or something like connect-acceptoverride.
One example of a custom middleware might be:
app.use(function (req, res, next) {
var format = req.param('format');
if (format) {
req.headers.accept = 'application/' + format;
}
next();
});
I was not happy with the above answers. Here's what I did instead. Please vote up if it helps you.
I just make sure that all json requests have the Content-Type header set to 'application/json'.
if (req.header('Content-Type') == 'application/json') {
return res.json({ users: users });
} else {
return res.render('users-index', { users: users });
}
来源:https://stackoverflow.com/questions/8928738/in-express-js-any-way-to-capture-request-to-both-json-and-html-in-one-function