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 with Middleware

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 Book ids.

### 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.
84 changes: 84 additions & 0 deletions lab-nathan/lib/fs-promises.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,84 @@
'use strict';

const fs = require('fs');
const debug = require('debug')('book:fs-promises');

let fsPromises = {};

module.exports = fsPromises;

fsPromises.createDirectory = function(path) {
debug('createDirectory');
return new Promise(function(resolve, reject) {
fs.mkdir(path, function(error) {
if (error && error.code !== 'EEXIST') {
reject(error);
} else {
resolve();
}
});
});
};

fsPromises.writeFile = function(path, item) {
debug('writeFile');
return new Promise(function(resolve, reject) {
fs.writeFile(path, item, function(error) {
if (error) {
reject(error);
} else {
resolve();
}
});
});
};

fsPromises.readFile = function(path) {
debug('readFile');
return new Promise((resolve, reject) => {
fs.readFile(path, function(error, buffer) {
if (error) {
reject(error);
} else {
resolve(JSON.parse(buffer.toString()));
}
});
});
};

fsPromises.deleteFile = function(path) {
debug('deleteFile');
return new Promise((resolve, reject) => {
fs.unlink(path, function(error) {
if (error) {
reject(error);
} else {
resolve();
}
});
});
};

fsPromises.exists = function(path) {
debug('exists');
return new Promise(function(resolve) {
fs.exists(path, function(exists) {
resolve(exists);
});
});
};

fsPromises.readDirectory = function(path) {
debug('readDirectory');
return new Promise(function(resolve, reject) {
fs.readdir(path, function(error, files) {
if (error) {
reject(error);
} else {
resolve(files);
}
});
});
};


38 changes: 38 additions & 0 deletions lab-nathan/lib/storage.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,38 @@
'use strict';

const debug = require('debug')('book:storage');
const fsPromises = require('./fs-promises.js');

let storage = {};

module.exports = storage;

storage.createItem = function(categoryName, item) {
debug('createItem');
return fsPromises.createDirectory(`${__dirname}/../data/`)
.then(fsPromises.createDirectory(`${__dirname}/../data/${categoryName}`))
.then(fsPromises.writeFile(`${__dirname}/../data/${categoryName}/${item.id}.json`, JSON.stringify(item)))
.then(() => item)
.catch(error => Promise.reject(error));
};

storage.getItem = function(categoryName, id) {
debug('getItem');
return fsPromises.readFile(`${__dirname}/../data/${categoryName}/${id}.json`);
};

storage.removeItem = function(categoryName, id) {
debug('removeItem');
return fsPromises.deleteFile(`${__dirname}/../data/${categoryName}/${id}.json`);
};

storage.itemExists = function(categoryName, id) {
debug('itemExists');
return fsPromises.exists(`${__dirname}/../data/${categoryName}/${id}.json`);
};

storage.getIds = function(categoryName) {
debug('getIds');
return fsPromises.readDirectory(`${__dirname}/../data/${categoryName}`)
.then(files => files.map(file => file.split('.json')[0]));
};
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();
}
Loading