Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
6 changes: 6 additions & 0 deletions lab-nathan/.eslintignore
Original file line number Diff line number Diff line change
@@ -0,0 +1,6 @@
**/node_modules/*
**/vendor/*
**/*.min.js
**/coverage/*
**/build/*
**/assets/*
23 changes: 23 additions & 0 deletions lab-nathan/.eslintrc
Original file line number Diff line number Diff line change
@@ -0,0 +1,23 @@
{
"rules": {
"no-console": "off",
"indent": [ "error", 2 ],
"quotes": [ "error", "single" ],
"semi": ["error", "always"],
"linebreak-style": [ "error", "unix" ]
},
"env": {
"es6": true,
"node": true,
"mocha": true,
"jasmine": true
},
"parserOptions": {
"ecmaFeatures": {
"modules": true,
"experimentalObjectRestSpread": true,
"impliedStrict": true
}
},
"extends": "eslint:recommended"
}
138 changes: 138 additions & 0 deletions lab-nathan/.gitignore
Original file line number Diff line number Diff line change
@@ -0,0 +1,138 @@
# Created by https://www.gitignore.io/api/osx,vim,node,macos,windows

### macOS ###
*.DS_Store
.AppleDouble
.LSOverride

# Icon must end with two \r
Icon

# Thumbnails
._*

# Files that might appear in the root of a volume
.DocumentRevisions-V100
.fseventsd
.Spotlight-V100
.TemporaryItems
.Trashes
.VolumeIcon.icns
.com.apple.timemachine.donotpresent

# Directories potentially created on remote AFP share
.AppleDB
.AppleDesktop
Network Trash Folder
Temporary Items
.apdisk

### Node ###
# Logs
logs
*.log
npm-debug.log*
yarn-debug.log*
yarn-error.log*

# Runtime data
pids
*.pid
*.seed
*.pid.lock

# Directory for instrumented libs generated by jscoverage/JSCover
lib-cov

# Coverage directory used by tools like istanbul
coverage

# nyc test coverage
.nyc_output

# Grunt intermediate storage (http://gruntjs.com/creating-plugins#storing-task-files)
.grunt

# Bower dependency directory (https://bower.io/)
bower_components

# node-waf configuration
.lock-wscript

# Compiled binary addons (http://nodejs.org/api/addons.html)
build/Release

# Dependency directories
node_modules/
jspm_packages/

# Typescript v1 declaration files
typings/

# Optional npm cache directory
.npm

# Optional eslint cache
.eslintcache

# Optional REPL history
.node_repl_history

# Output of 'npm pack'
*.tgz

# Yarn Integrity file
.yarn-integrity

# dotenv environment variables file
.env


### OSX ###

# Icon must end with two \r

# Thumbnails

# Files that might appear in the root of a volume

# Directories potentially created on remote AFP share

### Vim ###
# swap
[._]*.s[a-v][a-z]
[._]*.sw[a-p]
[._]s[a-v][a-z]
[._]sw[a-p]
# session
Session.vim
# temporary
.netrwhist
*~
# auto-generated tag files
tags

### Windows ###
# Windows thumbnail cache files
Thumbs.db
ehthumbs.db
ehthumbs_vista.db

# Folder config file
Desktop.ini

# Recycle Bin used on file shares
$RECYCLE.BIN/

# Windows Installer files
*.cab
*.msi
*.msm
*.msp

# Windows shortcuts
*.lnk

# End of https://www.gitignore.io/api/osx,vim,node,macos,windows

data
35 changes: 35 additions & 0 deletions lab-nathan/README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,35 @@
# Express REST API using MongoDB

This project contains a basic REST API built on express.js featuring file-system persistance, cors, and testing. You can access the API by making an HTTP request to one of the endpoints listed below.

## Resources
The following resources are available for storage and retrieval:

Note: ids are automatically generated.

```js
Book {
id: '6c5036a6-913d-4475-91b0-084e4115e61b'
title: 'Hamlet'
author: 'William Shakespeare'
date: 1599
genre: 'Drama'
}
```

## Book Endpoints

### GET `/api/book`
Gets an array of all Books.

### GET `/api/book/:id`
Gets a JSON representation of a Book with the specified id.

### PUT `/api/book/:id`
Updates a Book with the specified id. The body of the request should be a serialized JSON object containing the updated property values.

### POST `/api/book`
Creates a Book object. The body of the request should be a serialized JSON object containing the Book's property values.

### DELETE `/api/book/:id`
Deletes a Book object with the specified id.
9 changes: 9 additions & 0 deletions lab-nathan/middleware/cors.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,9 @@
'use strict';

module.exports = corsMiddleware;

function corsMiddleware(request, response, next) {
response.append('Access-Control-Allow-Origin', '*');
response.append('Access-Control-Allow-Headers', '*');
next();
}
23 changes: 23 additions & 0 deletions lab-nathan/middleware/error.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,23 @@
'use strict';

const createError = require('http-errors');
const debug = require('debug')('book:error-middleware');

module.exports = errorMiddleware;

function errorMiddleware(error, request, response, next) {
debug('errorMiddleware');
console.error(error.message);

if (!next) {
error = createError(404);
}

if (error.status) {
return response.status(error.status).send(error.message);
}

error = createError(500, error.message);
response.status(error.status).send(error.name);
next();
}
13 changes: 13 additions & 0 deletions lab-nathan/model/book.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,13 @@
'use strict';

const mongoose = require('mongoose');
const Schema = mongoose.Schema;

const bookSchema = Schema({
title: { type: String, required: true },
author: { type: String, required: true },
date: { type: Number, required: true },
genre: { type: String, required: true }
});

module.exports = mongoose.model('book', bookSchema);
37 changes: 37 additions & 0 deletions lab-nathan/package.json
Original file line number Diff line number Diff line change
@@ -0,0 +1,37 @@
{
"name": "11-express-api",
"version": "1.0.0",
"description": "![cf](https://i.imgur.com/7v5ASc8.png) 11: Single Resource Express API\r ======",
"main": "server.js",
"scripts": {
"test-win": "SET DEBUG='note*' && mocha",
"test": "DEBUG='note*' mocha",
"start-win": "SET DEBUG='note*' && node server.js",
"start": "DEBUG='note*' node server.js"
},
"repository": {
"type": "git",
"url": "git+https://github.com/nharren/11-express-api.git"
},
"keywords": [],
"author": "",
"license": "ISC",
"bugs": {
"url": "https://github.com/nharren/11-express-api/issues"
},
"homepage": "https://github.com/nharren/11-express-api#readme",
"dependencies": {
"body-parser": "^1.17.2",
"debug": "^2.6.8",
"express": "^4.15.3",
"http-errors": "^1.6.1",
"mongoose": "^4.11.5",
"morgan": "^1.8.2",
"uuid": "^3.1.0"
},
"devDependencies": {
"chai": "^4.1.0",
"mocha": "^3.5.0",
"superagent": "^3.5.2"
}
}
67 changes: 67 additions & 0 deletions lab-nathan/route/book-routes.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,67 @@
'use strict';

const Router = require('express').Router;
const jsonParser = require('body-parser').json();
const debug = require('debug')('book:book');
const createError = require('http-errors');
const mongoose = require('mongoose');

const Book = require('../model/book.js');

let bookRouter = new Router();

module.exports = bookRouter;

bookRouter.get('/', function(request, response) {
debug('GET: /');

response.send('Welcome to Nathan\'s Book API using Express.');
});

bookRouter.get('/api/book/:id', function(request, response, next) {
debug('GET: /api/book/:id');

Book.findById(request.params.id)
.then(book => response.json(book))
.catch(() => next(createError(404, 'Book not found.')));
});

bookRouter.get('/api/book', function(request, response, next) {
debug('GET: /api/book');

Book.find({})
.then(books => response.json(books))
.catch(error => next(error));
});

bookRouter.post('/api/book', jsonParser, function(request, response, next) {
debug('POST: /api/book');

if (Object.keys(request.body).length === 0) {
return next(createError(400, 'Book not provided.'));
}

Book.create(request.body)
.then(book => response.json(book))
.catch(error => next(createError(400, error.message)));
});

bookRouter.put('/api/book/:id', jsonParser, function(request, response, next) {
debug('PUT: /api/book');

if (Object.keys(request.body).length === 0) {
return next(createError(400, 'Book not provided.'));
}

Book.findByIdAndUpdate(request.params.id, request.body, { 'new': true })
.then(book => response.json(book))
.catch(error => next(createError(400, error.message)));
});

bookRouter.delete('/api/book/:id', function(request, response, next) {
debug('DELETE: /api/book');

Book.findByIdAndRemove(request.params.id)
.then(() => response.sendStatus(204))
.catch(error => next(error));
});
27 changes: 27 additions & 0 deletions lab-nathan/server.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,27 @@
'use strict';

const morgan = require('morgan');
const debug = require('debug')('book:server');
const express = require('express');
const mongoose = require('mongoose');

const bookRoutes = require('./route/book-routes.js');
const errors = require('./middleware/error.js');
const cors = require('./middleware/cors.js');

const MONGODB_URI = 'mongodb://localhost/book';
const PORT = process.env.PORT || 3000;

const app = express();

mongoose.Promise = global.Promise;
mongoose.connect(MONGODB_URI, { useMongoClient: true });

app.use(morgan('dev'));
app.use(cors);
app.use(bookRoutes);
app.use(errors);

app.listen(PORT, function() {
debug(`Server started on port ${PORT}.`);
});
Loading