You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
70 lines
1.8 KiB
70 lines
1.8 KiB
const express = require('express')
|
|
// TODO: rename express Router to your resource
|
|
const contacts = express.Router()
|
|
// TODO: rename your Model to your resource
|
|
// TODO: make sure you are requiring the correct file
|
|
const Contact = require('../models/contact.js')
|
|
|
|
// TODO: rename each router to your resource for each route and rename each model for all 5 routes
|
|
|
|
// CREATE
|
|
// TODO: rename router to your resource
|
|
contacts.post('/', (req, res) => {
|
|
// TODO: Update Contact to your resource
|
|
Contact.create(req.body, (error, createdContact) => {
|
|
if (error) {
|
|
res.status(400).json({ error: error })
|
|
}
|
|
res.status(200).send(createdContact)
|
|
})
|
|
})
|
|
|
|
// READ
|
|
// TODO: rename router to your resource
|
|
contacts.get('/', (req, res) => {
|
|
// TODO: Update Contact to your resource
|
|
Contact.find({}, (error, foundContacts) => {
|
|
if (error) {
|
|
res.status(400).json({ error: error })
|
|
}
|
|
res.status(200).json(foundContacts)
|
|
})
|
|
})
|
|
|
|
// UPDATE
|
|
// TODO: rename router to your resource
|
|
contacts.put('/:id', (req, res) => {
|
|
// TODO: Update Contact to your resource
|
|
Contact.findByIdAndUpdate(
|
|
req.params.id,
|
|
req.body,
|
|
{ new: true },
|
|
(err, updatedContact) => {
|
|
if (err) {
|
|
res.status(400).json({ error: err.message })
|
|
}
|
|
res.status(200).json(updatedContact)
|
|
}
|
|
)
|
|
})
|
|
|
|
// DELETE
|
|
// TODO: rename router to your resource
|
|
contacts.delete('/:id', (req, res) => {
|
|
// TODO: Update Contact to your resource
|
|
Contact.findByIdAndRemove(req.params.id, (error, deletedContact) => {
|
|
if (error) {
|
|
res.status(400).json({ error: error })
|
|
}
|
|
res.status(200).json(deletedContact)
|
|
})
|
|
})
|
|
|
|
// Handle 404
|
|
// TODO: rename router to your resource
|
|
contacts.get('/*', (req, res) => {
|
|
res.status(404).json({ error: 'page not found' })
|
|
})
|
|
|
|
module.exports = contacts
|