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
17 changes: 17 additions & 0 deletions lab-nathan/README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,17 @@
# Nathan's Book API using Express

This HTTP REST API uses express to handle to manage routing and middleware. It features endpoints for a book resource.

## Book Properties
**title**: string \
**author**: string \
**date**: number \
**genre**: string


## Endpoints

### GET `/`
### GET `/api/book?id=<book_id>`
### POST `/api/book?id=<book_id>`
### DELETE `/api/book?id=<book_id>`
70 changes: 70 additions & 0 deletions lab-nathan/lib/fs-promises.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,70 @@
'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);
});
});
};

33 changes: 33 additions & 0 deletions lab-nathan/lib/storage.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,33 @@
'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`)
.catch(error => Promise.reject(error));
};

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

storage.itemExists = function(categoryName, id) {
return fsPromises.exists(`${__dirname}/../data/${categoryName}/${id}.json`);
};
70 changes: 70 additions & 0 deletions lab-nathan/model/book.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,70 @@
'use strict';

const uuidv4 = require('uuid/v4');
const debug = require('debug')('book:book');
const storage = require('../lib/storage.js');
const createError = require('http-errors');

module.exports = Book;

function Book(title, author, date, genre) {
debug('Book');

if (!title) {
throw new Error('Title not provided.');
}

if (!author) {
throw new Error('Author not provided.');
}

if (!date) {
throw new Error('Date not provided.');
}

if (!genre) {
throw new Error('Genre not provided.');
}

this.id = uuidv4();
this.title = title;
this.author = author;
this.date = date;
this.genre = genre;
}

Book.get = function(id) {
debug('get');

if (!id) {
return Promise.reject(createError(400, 'Id not provided.'));
}

return storage.itemExists('book', id)
.then(function(exists) {
if (exists) {
return Promise.resolve();
}
else {
return Promise.reject(createError(404, 'Book not found.'));
}
})
.then(() => Promise.resolve(storage.getItem('book', id)));
};

Book.create = function(bookData) {
debug('create');

try {
let book = new Book(bookData.title, bookData.author, bookData.date, bookData.genre);
return storage.createItem('book', book);
} catch (error) {
return Promise.reject(error);
}
};

Book.delete = function(id) {
debug('delete');

return storage.removeItem('book', id);
};
Loading