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
53 changes: 53 additions & 0 deletions lab-nathan/README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,53 @@
# Generic REST API with Persistence

This project contains a basic REST API featuring a router and file-system persistance. 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
function Contact() {
id: '6c5036a6-913d-4475-91b0-084e4115e61b'
firstName: 'Abraham'
lastName: 'Lincoln'
email: 'abraham@lincoln.com'
phone: '1-800-ABRAHAM'
}
```
```js
function Note() {
id: '6c5036a6-913d-4475-91b0-084e4115e61b'
name: 'TPS Reports'
content: 'Did you get the memo?'
}
```

## Contact Endpoints

### GET `/api/contact?id=`
Gets a JSON representation of a Contact with the specified id.

### PUT `/api/contact?id=`
Updates a Contact with the specified id. The body of the request should be a serialized JSON object containing the updated property values.

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

### DELETE `/api/contact?id=`
Deletes a Contact object with the specified id.

## Note Endpoints

### GET `/api/note?id=`
Gets a JSON representation of a Contact with the specified id.

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

### POST `/api/note?id=`
Creates a Note object. The body of the request should be a serialized JSON object. \containing the Note's property values.

### DELETE `/api/note?id=`
Deletes a Contact with the specified id.
68 changes: 68 additions & 0 deletions lab-nathan/lib/fs-promises.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,68 @@
'use strict';

const fs = require('fs');

let fsPromises = {};

module.exports = fsPromises;

fsPromises.readDirectory = function(directory) {
return new Promise((resolve, reject) => {
fs.readdir(directory, function(error, files) {
if (error) {
return reject(error);
}

resolve(files);
});
});
};

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

resolve();
});
});
};

fsPromises.readFile = function(filePath) {
return new Promise((resolve, reject) => {
fs.readFile(filePath, function(error, buffer) {
if (error) {
return reject(error);
}

resolve(buffer);
});
});
};

fsPromises.writeFile = function(filePath, item) {
return new Promise((resolve, reject) => {
fs.writeFile(filePath, item, function(error) {
if (error) {
return reject(error);
}

resolve();
});
});
};

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

resolve();
});
});
};

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

module.exports = parseJson;

function parseJson(request) {
return new Promise((resolve, reject) => {
if (request.method !== 'POST' && request.method !== 'PUT') {
resolve();
return;
}

let body = '';

request.on('data', function(buffer) {
body += buffer.toString();
});

request.on('end', () => {
if (!body) {
resolve(request);
return;
}

try {
request.body = JSON.parse(body);
resolve(request);
}
catch (error) {
reject(error);
}
});

request.on('error', function(error) {
reject(error);
});
});
}
13 changes: 13 additions & 0 deletions lab-nathan/lib/parse-url.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,13 @@
'use strict';

const url = require('url');
const queryString = require('querystring');

module.exports = parseUrl;

function parseUrl(request) {
request.url = url.parse(request.url);
request.url.query = queryString.parse(request.url.query);

return Promise.resolve(request);
}
30 changes: 30 additions & 0 deletions lab-nathan/lib/response-extensions.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,30 @@
'use strict';

const http = require('http');

http.ServerResponse.prototype.sendJson = function(statusCode, item) {
this.send(statusCode, JSON.stringify(item), 'application/json');
};

http.ServerResponse.prototype.sendText = function(statusCode, message) {
this.send(statusCode, message);
};

http.ServerResponse.prototype.send = function(statusCode, message, contentType = 'text/plain') {
if (contentType) {
let headers = {
'Content-Type': contentType
};

this.writeHead(statusCode, headers);
}
else {
this.writeHead(statusCode);
}

if (message) {
this.write(message);
}

this.end();
};
Loading