Responding to GET requests
Adding a simple GET request support is fairly simple, and you've already seen this before in the app we built. Here is some sample code that responds to a GET request and returns a simple JavaScript object as JSON. Insert the following code in the routes section where we have the // TO DO: Setup endpoints ... comment waiting:
router.get('/test', (req, res)=>{
var data = {
name: 'Jason Krol',
website: 'http://kroltech.com'
};
res.json(data);
}); Just like how we set up viewModel in Chapter 5, Templating with Handlebars, we create a basic JavaScript object that we can then send directly as a JSON response using res.json instead of res.render. Let's tweak the function a little bit and change it so that it responds to a GET request against the root URL (that is /) route and returns the JSON data from our movies file. Add this new route after the /test route added previously:
router.get('/', (req, res)=>res.json(json)); Note
The...