diff --git a/app.js b/app.js
index 5d4840d..718b534 100644
--- a/app.js
+++ b/app.js
@@ -6,12 +6,23 @@ const onerror = require('koa-onerror')
 const bodyparser = require('koa-bodyparser')
 const logger = require('koa-logger')
 const cors = require('koa-cors');
+const koaBody = require('koa-body');
+const route = require('koa-router');
+
+// app.use(route.post('/profile', uploads.single('avatar')));
+
+
 
 
 const index = require('./routes/index')
 const users = require('./routes/users')
 const meeting = require('./routes/meeting')
 const studentMeeting = require('./routes/studentMeeting')
+const upload = require('./routes/upload')
+const email = require('./routes/email')
+
+
+
 const filterUrl = require(__dirname+'/util/filterUrl')
 var tokenUtil =  require('./util/tokenUtil');
 const _ = require('lodash');
@@ -20,6 +31,8 @@ var status = require('./util/resTemplate')
 // error handler
 onerror(app)
 
+app.use(koaBody({ multipart: true }));
+
 // middlewares
 app.use(cors());
 app.use(bodyparser({
@@ -30,9 +43,11 @@ app.use(logger())
 app.use(require('koa-static')(__dirname + '/public'))
 
 app.use(views(__dirname + '/views', {
-  extension: 'pug'
+  extension: 'html'
 }))
 
+
+
 // logger
 app.use(async (ctx, next) => {
   try{
@@ -60,6 +75,10 @@ app.use(index.routes(), index.allowedMethods())
 app.use(users.routes(), users.allowedMethods())
 app.use(meeting.routes(), meeting.allowedMethods())
 app.use(studentMeeting.routes(), studentMeeting.allowedMethods())
+app.use(upload.routes(), upload.allowedMethods())
+app.use(email.routes(), email.allowedMethods())
+
+
 
 
 
diff --git a/img.png b/img.png
new file mode 100644
index 0000000..9bd8048
Binary files /dev/null and b/img.png differ
diff --git a/node_modules/.bin/which b/node_modules/.bin/which
new file mode 120000
index 0000000..f62471c
--- /dev/null
+++ b/node_modules/.bin/which
@@ -0,0 +1 @@
+../which/bin/which
\ No newline at end of file
diff --git a/node_modules/array-parallel/.npmignore b/node_modules/array-parallel/.npmignore
new file mode 100644
index 0000000..03622f0
--- /dev/null
+++ b/node_modules/array-parallel/.npmignore
@@ -0,0 +1,58 @@
+# Compiled source #
+###################
+*.com
+*.class
+*.dll
+*.exe
+*.o
+*.so
+
+# Packages #
+############
+# it's better to unpack these files and commit the raw source
+# git has its own built in compression methods
+*.7z
+*.dmg
+*.gz
+*.iso
+*.jar
+*.rar
+*.tar
+*.zip
+
+# Logs and databases #
+######################
+*.log
+*.sql
+*.sqlite
+
+# OS generated files #
+######################
+.DS_Store*
+ehthumbs.db
+Icon?
+Thumbs.db
+
+# Node.js #
+###########
+lib-cov
+*.seed
+*.log
+*.csv
+*.dat
+*.out
+*.pid
+*.gz
+
+pids
+logs
+results
+
+node_modules
+npm-debug.log
+
+# Components #
+##############
+
+/build
+/components
\ No newline at end of file
diff --git a/node_modules/array-parallel/.travis.yml b/node_modules/array-parallel/.travis.yml
new file mode 100644
index 0000000..8150243
--- /dev/null
+++ b/node_modules/array-parallel/.travis.yml
@@ -0,0 +1,6 @@
+language: node_js
+node_js:
+  - "0.4"
+  - "0.6"
+  - "0.8"
+  - "0.10"
\ No newline at end of file
diff --git a/node_modules/array-parallel/README.md b/node_modules/array-parallel/README.md
new file mode 100644
index 0000000..47d32f3
--- /dev/null
+++ b/node_modules/array-parallel/README.md
@@ -0,0 +1,78 @@
+# Array Series [![Build Status](https://travis-ci.org/component/array-parallel.png)](https://travis-ci.org/component/array-parallel)
+
+Call an array of asynchronous functions in parallel
+
+### API
+
+#### parallel(fns[, context[, callback]])
+
+```js
+var parallel = require('array-parallel')
+
+parallel([
+  function (done) {
+    done()
+  }
+], this, function (err) {
+
+})
+```
+
+#### fns
+
+`fns` is an array of functions to call in parallel.
+The argument signature should be:
+
+```js
+function (done) {
+  done(new Error())
+  // or
+  done(null, result)
+}
+```
+
+That is, each function should only take a `done` as an argument.
+Each callback should only take an `Error` as the first argument,
+or a value as the second.
+
+#### context
+
+Optional context to pass to each `fn`.
+Basically `fn.call(context, done)`.
+
+#### callback(err, results)
+
+```js
+function (err, results) {
+
+}
+```
+
+Only argument is an `Error` argument.
+It will be the first error retrieved from all the `fns`.
+`results` will be an array of results from each `fn`,
+thus this could be considered an asynchronous version of `[].map`.
+
+### License
+
+The MIT License (MIT)
+
+Copyright (c) 2013 Jonathan Ong me@jongleberry.com
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in
+all copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+THE SOFTWARE.
diff --git a/node_modules/array-parallel/component.json b/node_modules/array-parallel/component.json
new file mode 100644
index 0000000..2a4a859
--- /dev/null
+++ b/node_modules/array-parallel/component.json
@@ -0,0 +1,11 @@
+{
+  "name": "array-parallel",
+  "description": "Call an array of asynchronous functions in parallel",
+  "repo": "array-parallel",
+  "version": "0.1.3",
+  "main": "index.js",
+  "scripts": [
+    "index.js"
+  ],
+  "license": "MIT"
+}
\ No newline at end of file
diff --git a/node_modules/array-parallel/index.js b/node_modules/array-parallel/index.js
new file mode 100644
index 0000000..ccd193e
--- /dev/null
+++ b/node_modules/array-parallel/index.js
@@ -0,0 +1,40 @@
+module.exports = function parallel(fns, context, callback) {
+  if (!callback) {
+    if (typeof context === 'function') {
+      callback = context
+      context = null
+    } else {
+      callback = noop
+    }
+  }
+
+  var pending = fns && fns.length
+  if (!pending) return callback(null, []);
+
+  var finished = false
+  var results = new Array(pending)
+
+  fns.forEach(context ? function (fn, i) {
+    fn.call(context, maybeDone(i))
+  } : function (fn, i) {
+    fn(maybeDone(i))
+  })
+
+  function maybeDone(i) {
+    return function (err, result) {
+      if (finished) return;
+
+      if (err) {
+        callback(err, results)
+        finished = true
+        return
+      }
+
+      results[i] = result
+
+      if (!--pending) callback(null, results);
+    }
+  }
+}
+
+function noop() {}
diff --git a/node_modules/array-parallel/package.json b/node_modules/array-parallel/package.json
new file mode 100644
index 0000000..6457bb8
--- /dev/null
+++ b/node_modules/array-parallel/package.json
@@ -0,0 +1,80 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "array-parallel@~0.1.3",
+        "scope": null,
+        "escapedName": "array-parallel",
+        "name": "array-parallel",
+        "rawSpec": "~0.1.3",
+        "spec": ">=0.1.3 <0.2.0",
+        "type": "range"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/gm"
+    ]
+  ],
+  "_from": "array-parallel@>=0.1.3 <0.2.0",
+  "_id": "array-parallel@0.1.3",
+  "_inCache": true,
+  "_location": "/array-parallel",
+  "_npmUser": {
+    "name": "jongleberry",
+    "email": "jonathanrichardong@gmail.com"
+  },
+  "_npmVersion": "1.3.17",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "array-parallel@~0.1.3",
+    "scope": null,
+    "escapedName": "array-parallel",
+    "name": "array-parallel",
+    "rawSpec": "~0.1.3",
+    "spec": ">=0.1.3 <0.2.0",
+    "type": "range"
+  },
+  "_requiredBy": [
+    "/gm"
+  ],
+  "_resolved": "https://registry.npmjs.org/array-parallel/-/array-parallel-0.1.3.tgz",
+  "_shasum": "8f785308926ed5aa478c47e64d1b334b6c0c947d",
+  "_shrinkwrap": null,
+  "_spec": "array-parallel@~0.1.3",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/gm",
+  "author": {
+    "name": "Jonathan Ong",
+    "email": "me@jongleberry.com",
+    "url": "http://jongleberry.com"
+  },
+  "bugs": {
+    "url": "https://github.com/component/array-parallel/issues",
+    "email": "me@jongleberry.com"
+  },
+  "dependencies": {},
+  "description": "Call an array of asynchronous functions in parallel",
+  "devDependencies": {},
+  "directories": {},
+  "dist": {
+    "shasum": "8f785308926ed5aa478c47e64d1b334b6c0c947d",
+    "tarball": "https://registry.npmjs.org/array-parallel/-/array-parallel-0.1.3.tgz"
+  },
+  "homepage": "https://github.com/component/array-parallel#readme",
+  "license": "MIT",
+  "maintainers": [
+    {
+      "name": "jongleberry",
+      "email": "jonathanrichardong@gmail.com"
+    }
+  ],
+  "name": "array-parallel",
+  "optionalDependencies": {},
+  "readme": "# Array Series [![Build Status](https://travis-ci.org/component/array-parallel.png)](https://travis-ci.org/component/array-parallel)\n\nCall an array of asynchronous functions in parallel\n\n### API\n\n#### parallel(fns[, context[, callback]])\n\n```js\nvar parallel = require('array-parallel')\n\nparallel([\n  function (done) {\n    done()\n  }\n], this, function (err) {\n\n})\n```\n\n#### fns\n\n`fns` is an array of functions to call in parallel.\nThe argument signature should be:\n\n```js\nfunction (done) {\n  done(new Error())\n  // or\n  done(null, result)\n}\n```\n\nThat is, each function should only take a `done` as an argument.\nEach callback should only take an `Error` as the first argument,\nor a value as the second.\n\n#### context\n\nOptional context to pass to each `fn`.\nBasically `fn.call(context, done)`.\n\n#### callback(err, results)\n\n```js\nfunction (err, results) {\n\n}\n```\n\nOnly argument is an `Error` argument.\nIt will be the first error retrieved from all the `fns`.\n`results` will be an array of results from each `fn`,\nthus this could be considered an asynchronous version of `[].map`.\n\n### License\n\nThe MIT License (MIT)\n\nCopyright (c) 2013 Jonathan Ong me@jongleberry.com\n\nPermission is hereby granted, free of charge, to any person obtaining a copy\nof this software and associated documentation files (the \"Software\"), to deal\nin the Software without restriction, including without limitation the rights\nto use, copy, modify, merge, publish, distribute, sublicense, and/or sell\ncopies of the Software, and to permit persons to whom the Software is\nfurnished to do so, subject to the following conditions:\n\nThe above copyright notice and this permission notice shall be included in\nall copies or substantial portions of the Software.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\nIMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\nFITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\nAUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\nLIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\nOUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN\nTHE SOFTWARE.\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git+https://github.com/component/array-parallel.git"
+  },
+  "scripts": {
+    "test": "node test"
+  },
+  "version": "0.1.3"
+}
diff --git a/node_modules/array-parallel/test.js b/node_modules/array-parallel/test.js
new file mode 100644
index 0000000..d2266ce
--- /dev/null
+++ b/node_modules/array-parallel/test.js
@@ -0,0 +1,62 @@
+var assert = require('assert')
+var parallel = require('./')
+
+var a, b, c
+parallel([
+  function (done) {
+    setTimeout(function () {
+      done(null, a = 0)
+    }, 5)
+  },
+  function (done) {
+    setTimeout(function () {
+      done(null, b = 1)
+    }, 10)
+  },
+  function (done) {
+    setTimeout(function () {
+      done(null, c = 2)
+    }, 15)
+  }
+], function (err, results) {
+  assert.equal(a, 0)
+  assert.equal(b, 1)
+  assert.equal(c, 2)
+
+  assert.deepEqual(results, [0, 1, 2])
+})
+
+var d, e
+parallel([
+  function (done) {
+    setTimeout(function () {
+      d = 1
+      done(new Error('message'))
+    }, 5)
+  },
+  function (done) {
+    setTimeout(function () {
+      e = 2
+      done()
+    }, 10)
+  }
+], function (err) {
+  assert.equal(err.message, 'message')
+  assert.equal(d, 1)
+  assert.equal(e, undefined)
+})
+
+var context = 'hello'
+parallel([function (done) {
+  assert.equal(this, context)
+}], context)
+
+var f
+parallel([function (done) {
+  f = true
+  done()
+}])
+
+process.nextTick(function () {
+  assert.equal(f, true)
+})
\ No newline at end of file
diff --git a/node_modules/array-series/.npmignore b/node_modules/array-series/.npmignore
new file mode 100644
index 0000000..03622f0
--- /dev/null
+++ b/node_modules/array-series/.npmignore
@@ -0,0 +1,58 @@
+# Compiled source #
+###################
+*.com
+*.class
+*.dll
+*.exe
+*.o
+*.so
+
+# Packages #
+############
+# it's better to unpack these files and commit the raw source
+# git has its own built in compression methods
+*.7z
+*.dmg
+*.gz
+*.iso
+*.jar
+*.rar
+*.tar
+*.zip
+
+# Logs and databases #
+######################
+*.log
+*.sql
+*.sqlite
+
+# OS generated files #
+######################
+.DS_Store*
+ehthumbs.db
+Icon?
+Thumbs.db
+
+# Node.js #
+###########
+lib-cov
+*.seed
+*.log
+*.csv
+*.dat
+*.out
+*.pid
+*.gz
+
+pids
+logs
+results
+
+node_modules
+npm-debug.log
+
+# Components #
+##############
+
+/build
+/components
\ No newline at end of file
diff --git a/node_modules/array-series/.travis.yml b/node_modules/array-series/.travis.yml
new file mode 100644
index 0000000..a12e3f0
--- /dev/null
+++ b/node_modules/array-series/.travis.yml
@@ -0,0 +1,4 @@
+language: node_js
+node_js:
+  - "0.8"
+  - "0.10"
\ No newline at end of file
diff --git a/node_modules/array-series/README.md b/node_modules/array-series/README.md
new file mode 100644
index 0000000..4a2e219
--- /dev/null
+++ b/node_modules/array-series/README.md
@@ -0,0 +1,76 @@
+# Array Series [![Build Status](https://travis-ci.org/component/array-series.png)](https://travis-ci.org/component/array-series)
+
+Call an array of asynchronous functions in series
+
+### API
+
+#### series(fns[, context[, callback]])
+
+```js
+var series = require('array-series')
+
+series([
+  function (done) {
+    done()
+  }
+], this, function (err) {
+
+})
+```
+
+#### fns
+
+`fns` is an array of functions to call in series.
+The argument signature should be:
+
+```js
+function (done) {
+  done(new Error())
+  // or
+  done()
+}
+```
+
+That is, each function should only take a `done` as an argument.
+Each callback should only take an optional `Error` as an argument.
+
+#### context
+
+Optional context to pass to each `fn`.
+Basically `fn.call(context, done)`.
+
+#### callback(err)
+
+```js
+function (err) {
+
+}
+```
+
+Only argument is an `Error` argument.
+It will return the first error in the series of functions that returns an error,
+and no function after will be called.
+
+### License
+
+The MIT License (MIT)
+
+Copyright (c) 2013 Jonathan Ong me@jongleberry.com
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in
+all copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+THE SOFTWARE.
\ No newline at end of file
diff --git a/node_modules/array-series/component.json b/node_modules/array-series/component.json
new file mode 100644
index 0000000..e229772
--- /dev/null
+++ b/node_modules/array-series/component.json
@@ -0,0 +1,11 @@
+{
+  "name": "array-series",
+  "description": "Call an array of asynchronous functions in series",
+  "repo": "component/array-series",
+  "version": "0.1.5",
+  "main": "index.js",
+  "scripts": [
+    "index.js"
+  ],
+  "license": "MIT"
+}
\ No newline at end of file
diff --git a/node_modules/array-series/index.js b/node_modules/array-series/index.js
new file mode 100644
index 0000000..778f8d1
--- /dev/null
+++ b/node_modules/array-series/index.js
@@ -0,0 +1,34 @@
+module.exports = function series(fns, context, callback) {
+  if (!callback) {
+    if (typeof context === 'function') {
+      callback = context
+      context = null
+    } else {
+      callback = noop
+    }
+  }
+
+  if (!(fns && fns.length)) return callback();
+
+  fns = fns.slice(0)
+
+  var call = context
+  ? function () {
+    fns.length
+      ? fns.shift().call(context, next)
+      : callback()
+  }
+  : function () {
+    fns.length
+      ? fns.shift()(next)
+      : callback()
+  }
+
+  call()
+
+  function next(err) {
+    err ? callback(err) : call()
+  }
+}
+
+function noop() {}
diff --git a/node_modules/array-series/package.json b/node_modules/array-series/package.json
new file mode 100644
index 0000000..19d2d88
--- /dev/null
+++ b/node_modules/array-series/package.json
@@ -0,0 +1,80 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "array-series@~0.1.5",
+        "scope": null,
+        "escapedName": "array-series",
+        "name": "array-series",
+        "rawSpec": "~0.1.5",
+        "spec": ">=0.1.5 <0.2.0",
+        "type": "range"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/gm"
+    ]
+  ],
+  "_from": "array-series@>=0.1.5 <0.2.0",
+  "_id": "array-series@0.1.5",
+  "_inCache": true,
+  "_location": "/array-series",
+  "_npmUser": {
+    "name": "jongleberry",
+    "email": "jonathanrichardong@gmail.com"
+  },
+  "_npmVersion": "1.3.17",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "array-series@~0.1.5",
+    "scope": null,
+    "escapedName": "array-series",
+    "name": "array-series",
+    "rawSpec": "~0.1.5",
+    "spec": ">=0.1.5 <0.2.0",
+    "type": "range"
+  },
+  "_requiredBy": [
+    "/gm"
+  ],
+  "_resolved": "https://registry.npmjs.org/array-series/-/array-series-0.1.5.tgz",
+  "_shasum": "df5d37bfc5c2ef0755e2aa4f92feae7d4b5a972f",
+  "_shrinkwrap": null,
+  "_spec": "array-series@~0.1.5",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/gm",
+  "author": {
+    "name": "Jonathan Ong",
+    "email": "me@jongleberry.com",
+    "url": "http://jongleberry.com"
+  },
+  "bugs": {
+    "url": "https://github.com/component/array-series/issues",
+    "email": "me@jongleberry.com"
+  },
+  "dependencies": {},
+  "description": "Call an array of asynchronous functions in series",
+  "devDependencies": {},
+  "directories": {},
+  "dist": {
+    "shasum": "df5d37bfc5c2ef0755e2aa4f92feae7d4b5a972f",
+    "tarball": "https://registry.npmjs.org/array-series/-/array-series-0.1.5.tgz"
+  },
+  "homepage": "https://github.com/component/array-series#readme",
+  "license": "MIT",
+  "maintainers": [
+    {
+      "name": "jongleberry",
+      "email": "jonathanrichardong@gmail.com"
+    }
+  ],
+  "name": "array-series",
+  "optionalDependencies": {},
+  "readme": "# Array Series [![Build Status](https://travis-ci.org/component/array-series.png)](https://travis-ci.org/component/array-series)\n\nCall an array of asynchronous functions in series\n\n### API\n\n#### series(fns[, context[, callback]])\n\n```js\nvar series = require('array-series')\n\nseries([\n  function (done) {\n    done()\n  }\n], this, function (err) {\n\n})\n```\n\n#### fns\n\n`fns` is an array of functions to call in series.\nThe argument signature should be:\n\n```js\nfunction (done) {\n  done(new Error())\n  // or\n  done()\n}\n```\n\nThat is, each function should only take a `done` as an argument.\nEach callback should only take an optional `Error` as an argument.\n\n#### context\n\nOptional context to pass to each `fn`.\nBasically `fn.call(context, done)`.\n\n#### callback(err)\n\n```js\nfunction (err) {\n\n}\n```\n\nOnly argument is an `Error` argument.\nIt will return the first error in the series of functions that returns an error,\nand no function after will be called.\n\n### License\n\nThe MIT License (MIT)\n\nCopyright (c) 2013 Jonathan Ong me@jongleberry.com\n\nPermission is hereby granted, free of charge, to any person obtaining a copy\nof this software and associated documentation files (the \"Software\"), to deal\nin the Software without restriction, including without limitation the rights\nto use, copy, modify, merge, publish, distribute, sublicense, and/or sell\ncopies of the Software, and to permit persons to whom the Software is\nfurnished to do so, subject to the following conditions:\n\nThe above copyright notice and this permission notice shall be included in\nall copies or substantial portions of the Software.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\nIMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\nFITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\nAUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\nLIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\nOUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN\nTHE SOFTWARE.",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git+https://github.com/component/array-series.git"
+  },
+  "scripts": {
+    "test": "node test"
+  },
+  "version": "0.1.5"
+}
diff --git a/node_modules/array-series/test.js b/node_modules/array-series/test.js
new file mode 100644
index 0000000..9e9ec4e
--- /dev/null
+++ b/node_modules/array-series/test.js
@@ -0,0 +1,88 @@
+var assert = require('assert')
+var series = require('./')
+
+var a, b, c
+
+series([
+  function (done) {
+    a = 1
+    process.nextTick(done)
+    check('a')
+  },
+  function (done) {
+    b = 2
+    process.nextTick(done)
+    check('b')
+  },
+  function (done) {
+    c = 3
+    process.nextTick(done)
+    check('c')
+  }
+], function (err) {
+  assert.ifError(err)
+  assert.equal(a, 1)
+  assert.equal(b, 2)
+  assert.equal(c, 3)
+})
+
+function check(x) {
+  switch (x) {
+    case 'a':
+      assert.equal(a, 1)
+      assert.equal(b, undefined)
+      assert.equal(c, undefined)
+      break
+    case 'b':
+      assert.equal(a, 1)
+      assert.equal(b, 2)
+      assert.equal(c, undefined)
+      break
+    case 'c':
+      assert.equal(a, 1)
+      assert.equal(b, 2)
+      assert.equal(c, 3)
+      break
+  }
+}
+
+var context = 'hello'
+series([function (done) {
+  assert.equal(this, context)
+  done()
+}], context)
+
+var finished
+series([], function (err) {
+  finished = true
+})
+
+process.nextTick(function () {
+  if (!finished)
+    throw new Error('Failed with no functions.');
+})
+
+var r, d, o
+series([
+  function (done) {
+    r = 1
+    process.nextTick(done)
+  },
+  function (done) {
+    d = 0
+    process.nextTick(function () {
+      done(new Error('message'))
+    })
+  },
+  function (done) {
+    o = 0
+    process.nextTick(done)
+  }
+], function (err) {
+  assert.equal(err.message, 'message')
+  assert.equal(r, 1)
+  assert.equal(d, 0)
+  assert.equal(o, undefined)
+})
+
+console.log('Array series tests pass!')
\ No newline at end of file
diff --git a/node_modules/cross-spawn/LICENSE b/node_modules/cross-spawn/LICENSE
new file mode 100644
index 0000000..db5e914
--- /dev/null
+++ b/node_modules/cross-spawn/LICENSE
@@ -0,0 +1,19 @@
+Copyright (c) 2014 IndigoUnited
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is furnished
+to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+THE SOFTWARE.
diff --git a/node_modules/cross-spawn/README.md b/node_modules/cross-spawn/README.md
new file mode 100644
index 0000000..18cc2b8
--- /dev/null
+++ b/node_modules/cross-spawn/README.md
@@ -0,0 +1,71 @@
+# cross-spawn
+
+[![NPM version][npm-image]][npm-url] [![Downloads][downloads-image]][npm-url] [![Build Status][travis-image]][travis-url] [![Build status][appveyor-image]][appveyor-url] [![Dependency status][david-dm-image]][david-dm-url] [![Dev Dependency status][david-dm-dev-image]][david-dm-dev-url]
+
+[npm-url]:https://npmjs.org/package/cross-spawn
+[downloads-image]:http://img.shields.io/npm/dm/cross-spawn.svg
+[npm-image]:http://img.shields.io/npm/v/cross-spawn.svg
+[travis-url]:https://travis-ci.org/IndigoUnited/node-cross-spawn
+[travis-image]:http://img.shields.io/travis/IndigoUnited/node-cross-spawn/master.svg
+[appveyor-url]:https://ci.appveyor.com/project/satazor/node-cross-spawn
+[appveyor-image]:https://img.shields.io/appveyor/ci/satazor/node-cross-spawn/master.svg
+[david-dm-url]:https://david-dm.org/IndigoUnited/node-cross-spawn
+[david-dm-image]:https://img.shields.io/david/IndigoUnited/node-cross-spawn.svg
+[david-dm-dev-url]:https://david-dm.org/IndigoUnited/node-cross-spawn#info=devDependencies
+[david-dm-dev-image]:https://img.shields.io/david/dev/IndigoUnited/node-cross-spawn.svg
+
+A cross platform solution to node's spawn and spawnSync.
+
+
+## Installation
+
+`$ npm install cross-spawn`
+
+If you are using `spawnSync` on node 0.10 or older, you will also need to install `spawn-sync`:
+
+`$ npm install spawn-sync`
+
+
+## Why
+
+Node has issues when using spawn on Windows:
+
+- It ignores [PATHEXT](https://github.com/joyent/node/issues/2318)
+- It does not support [shebangs](http://pt.wikipedia.org/wiki/Shebang)
+- It does not allow you to run `del` or `dir`
+- It does not properly escape arguments with spaces or special characters
+
+All these issues are handled correctly by `cross-spawn`.
+There are some known modules, such as [win-spawn](https://github.com/ForbesLindesay/win-spawn), that try to solve this but they are either broken or provide faulty escaping of shell arguments.
+
+
+## Usage
+
+Exactly the same way as node's [`spawn`](https://nodejs.org/api/child_process.html#child_process_child_process_spawn_command_args_options) or [`spawnSync`](https://nodejs.org/api/child_process.html#child_process_child_process_spawnsync_command_args_options), so it's a drop in replacement.
+
+```javascript
+var spawn = require('cross-spawn');
+
+// Spawn NPM asynchronously
+var child = spawn('npm', ['list', '-g', '-depth', '0'], { stdio: 'inherit' });
+
+// Spawn NPM synchronously
+var results = spawn.sync('npm', ['list', '-g', '-depth', '0'], { stdio: 'inherit' });
+```
+
+## Caveat
+
+On Windows, cross-spawn will only spawn `cmd.exe` if necessary. If the extension
+of the executable is `.exe` or `.com`, it will spawn it directly. If you wish
+to override this behavior and *always* spawn a shell, pass the `{shell: true}`
+option.
+
+
+## Tests
+
+`$ npm test`
+
+
+## License
+
+Released under the [MIT License](http://www.opensource.org/licenses/mit-license.php).
diff --git a/node_modules/cross-spawn/index.js b/node_modules/cross-spawn/index.js
new file mode 100644
index 0000000..7814a96
--- /dev/null
+++ b/node_modules/cross-spawn/index.js
@@ -0,0 +1,59 @@
+'use strict';
+
+var cp = require('child_process');
+var parse = require('./lib/parse');
+var enoent = require('./lib/enoent');
+
+var cpSpawnSync = cp.spawnSync;
+
+function spawn(command, args, options) {
+    var parsed;
+    var spawned;
+
+    // Parse the arguments
+    parsed = parse(command, args, options);
+
+    // Spawn the child process
+    spawned = cp.spawn(parsed.command, parsed.args, parsed.options);
+
+    // Hook into child process "exit" event to emit an error if the command
+    // does not exists, see: https://github.com/IndigoUnited/node-cross-spawn/issues/16
+    enoent.hookChildProcess(spawned, parsed);
+
+    return spawned;
+}
+
+function spawnSync(command, args, options) {
+    var parsed;
+    var result;
+
+    if (!cpSpawnSync) {
+        try {
+            cpSpawnSync = require('spawn-sync');  // eslint-disable-line global-require
+        } catch (ex) {
+            throw new Error(
+                'In order to use spawnSync on node 0.10 or older, you must ' +
+                'install spawn-sync:\n\n' +
+                '  npm install spawn-sync --save'
+            );
+        }
+    }
+
+    // Parse the arguments
+    parsed = parse(command, args, options);
+
+    // Spawn the child process
+    result = cpSpawnSync(parsed.command, parsed.args, parsed.options);
+
+    // Analyze if the command does not exists, see: https://github.com/IndigoUnited/node-cross-spawn/issues/16
+    result.error = result.error || enoent.verifyENOENTSync(result.status, parsed);
+
+    return result;
+}
+
+module.exports = spawn;
+module.exports.spawn = spawn;
+module.exports.sync = spawnSync;
+
+module.exports._parse = parse;
+module.exports._enoent = enoent;
diff --git a/node_modules/cross-spawn/lib/enoent.js b/node_modules/cross-spawn/lib/enoent.js
new file mode 100644
index 0000000..74ff06e
--- /dev/null
+++ b/node_modules/cross-spawn/lib/enoent.js
@@ -0,0 +1,73 @@
+'use strict';
+
+var isWin = process.platform === 'win32';
+var resolveCommand = require('./resolveCommand');
+
+var isNode10 = process.version.indexOf('v0.10.') === 0;
+
+function notFoundError(command, syscall) {
+    var err;
+
+    err = new Error(syscall + ' ' + command + ' ENOENT');
+    err.code = err.errno = 'ENOENT';
+    err.syscall = syscall + ' ' + command;
+
+    return err;
+}
+
+function hookChildProcess(cp, parsed) {
+    var originalEmit;
+
+    if (!isWin) {
+        return;
+    }
+
+    originalEmit = cp.emit;
+    cp.emit = function (name, arg1) {
+        var err;
+
+        // If emitting "exit" event and exit code is 1, we need to check if
+        // the command exists and emit an "error" instead
+        // See: https://github.com/IndigoUnited/node-cross-spawn/issues/16
+        if (name === 'exit') {
+            err = verifyENOENT(arg1, parsed, 'spawn');
+
+            if (err) {
+                return originalEmit.call(cp, 'error', err);
+            }
+        }
+
+        return originalEmit.apply(cp, arguments);
+    };
+}
+
+function verifyENOENT(status, parsed) {
+    if (isWin && status === 1 && !parsed.file) {
+        return notFoundError(parsed.original, 'spawn');
+    }
+
+    return null;
+}
+
+function verifyENOENTSync(status, parsed) {
+    if (isWin && status === 1 && !parsed.file) {
+        return notFoundError(parsed.original, 'spawnSync');
+    }
+
+    // If we are in node 10, then we are using spawn-sync; if it exited
+    // with -1 it probably means that the command does not exist
+    if (isNode10 && status === -1) {
+        parsed.file = isWin ? parsed.file : resolveCommand(parsed.original);
+
+        if (!parsed.file) {
+            return notFoundError(parsed.original, 'spawnSync');
+        }
+    }
+
+    return null;
+}
+
+module.exports.hookChildProcess = hookChildProcess;
+module.exports.verifyENOENT = verifyENOENT;
+module.exports.verifyENOENTSync = verifyENOENTSync;
+module.exports.notFoundError = notFoundError;
diff --git a/node_modules/cross-spawn/lib/hasBrokenSpawn.js b/node_modules/cross-spawn/lib/hasBrokenSpawn.js
new file mode 100644
index 0000000..e73f906
--- /dev/null
+++ b/node_modules/cross-spawn/lib/hasBrokenSpawn.js
@@ -0,0 +1,11 @@
+'use strict';
+
+module.exports = (function () {
+    if (process.platform !== 'win32') {
+        return false;
+    }
+    var nodeVer = process.version.substr(1).split('.').map(function (num) {
+        return parseInt(num, 10);
+    });
+    return (nodeVer[0] === 0 && nodeVer[1] < 12);
+})();
diff --git a/node_modules/cross-spawn/lib/parse.js b/node_modules/cross-spawn/lib/parse.js
new file mode 100644
index 0000000..77cbb83
--- /dev/null
+++ b/node_modules/cross-spawn/lib/parse.js
@@ -0,0 +1,140 @@
+'use strict';
+
+var fs = require('fs');
+var LRU = require('lru-cache');
+var resolveCommand = require('./resolveCommand');
+var hasBrokenSpawn = require('./hasBrokenSpawn');
+
+var isWin = process.platform === 'win32';
+var shebangCache = new LRU({ max: 50, maxAge: 30 * 1000 });  // Cache just for 30sec
+
+function readShebang(command) {
+    var buffer;
+    var fd;
+    var match;
+    var shebang;
+
+    // Check if it is in the cache first
+    if (shebangCache.has(command)) {
+        return shebangCache.get(command);
+    }
+
+    // Read the first 150 bytes from the file
+    buffer = new Buffer(150);
+
+    try {
+        fd = fs.openSync(command, 'r');
+        fs.readSync(fd, buffer, 0, 150, 0);
+        fs.closeSync(fd);
+    } catch (e) { /* empty */ }
+
+    // Check if it is a shebang
+    match = buffer.toString().trim().match(/#!(.+)/i);
+
+    if (match) {
+        shebang = match[1].replace(/\/usr\/bin\/env\s+/i, '');   // Remove /usr/bin/env
+    }
+
+    // Store the shebang in the cache
+    shebangCache.set(command, shebang);
+
+    return shebang;
+}
+
+function escapeArg(arg, quote) {
+    // Convert to string
+    arg = '' + arg;
+
+    // If we are not going to quote the argument,
+    // escape shell metacharacters, including double and single quotes:
+    if (!quote) {
+        arg = arg.replace(/([\(\)%!\^<>&|;,"'\s])/g, '^$1');
+    } else {
+        // Sequence of backslashes followed by a double quote:
+        // double up all the backslashes and escape the double quote
+        arg = arg.replace(/(\\*)"/g, '$1$1\\"');
+
+        // Sequence of backslashes followed by the end of the string
+        // (which will become a double quote later):
+        // double up all the backslashes
+        arg = arg.replace(/(\\*)$/, '$1$1');
+
+        // All other backslashes occur literally
+
+        // Quote the whole thing:
+        arg = '"' + arg + '"';
+    }
+
+    return arg;
+}
+
+function escapeCommand(command) {
+    // Do not escape if this command is not dangerous..
+    // We do this so that commands like "echo" or "ifconfig" work
+    // Quoting them, will make them unaccessible
+    return /^[a-z0-9_-]+$/i.test(command) ? command : escapeArg(command, true);
+}
+
+function requiresShell(command) {
+    return !/\.(?:com|exe)$/i.test(command);
+}
+
+function parse(command, args, options) {
+    var shebang;
+    var applyQuotes;
+    var file;
+    var original;
+    var shell;
+
+    // Normalize arguments, similar to nodejs
+    if (args && !Array.isArray(args)) {
+        options = args;
+        args = null;
+    }
+
+    args = args ? args.slice(0) : [];  // Clone array to avoid changing the original
+    options = options || {};
+    original = command;
+
+    if (isWin) {
+        // Detect & add support for shebangs
+        file = resolveCommand(command);
+        file = file || resolveCommand(command, true);
+        shebang = file && readShebang(file);
+        shell = options.shell || hasBrokenSpawn;
+
+        if (shebang) {
+            args.unshift(file);
+            command = shebang;
+            shell = shell || requiresShell(resolveCommand(shebang) || resolveCommand(shebang, true));
+        } else {
+            shell = shell || requiresShell(file);
+        }
+
+        if (shell) {
+            // Escape command & arguments
+            applyQuotes = (command !== 'echo');  // Do not quote arguments for the special "echo" command
+            command = escapeCommand(command);
+            args = args.map(function (arg) {
+                return escapeArg(arg, applyQuotes);
+            });
+
+            // Use cmd.exe
+            args = ['/s', '/c', '"' + command + (args.length ? ' ' + args.join(' ') : '') + '"'];
+            command = process.env.comspec || 'cmd.exe';
+
+            // Tell node's spawn that the arguments are already escaped
+            options.windowsVerbatimArguments = true;
+        }
+    }
+
+    return {
+        command: command,
+        args: args,
+        options: options,
+        file: file,
+        original: original,
+    };
+}
+
+module.exports = parse;
diff --git a/node_modules/cross-spawn/lib/resolveCommand.js b/node_modules/cross-spawn/lib/resolveCommand.js
new file mode 100644
index 0000000..b7a9490
--- /dev/null
+++ b/node_modules/cross-spawn/lib/resolveCommand.js
@@ -0,0 +1,31 @@
+'use strict';
+
+var path = require('path');
+var which = require('which');
+var LRU = require('lru-cache');
+
+var commandCache = new LRU({ max: 50, maxAge: 30 * 1000 });  // Cache just for 30sec
+
+function resolveCommand(command, noExtension) {
+    var resolved;
+
+    noExtension = !!noExtension;
+    resolved = commandCache.get(command + '!' + noExtension);
+
+    // Check if its resolved in the cache
+    if (commandCache.has(command)) {
+        return commandCache.get(command);
+    }
+
+    try {
+        resolved = !noExtension ?
+            which.sync(command) :
+            which.sync(command, { pathExt: path.delimiter + (process.env.PATHEXT || '') });
+    } catch (e) { /* empty */ }
+
+    commandCache.set(command + '!' + noExtension, resolved);
+
+    return resolved;
+}
+
+module.exports = resolveCommand;
diff --git a/node_modules/cross-spawn/package.json b/node_modules/cross-spawn/package.json
new file mode 100644
index 0000000..faa5e2f
--- /dev/null
+++ b/node_modules/cross-spawn/package.json
@@ -0,0 +1,117 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "cross-spawn@^4.0.0",
+        "scope": null,
+        "escapedName": "cross-spawn",
+        "name": "cross-spawn",
+        "rawSpec": "^4.0.0",
+        "spec": ">=4.0.0 <5.0.0",
+        "type": "range"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/gm"
+    ]
+  ],
+  "_from": "cross-spawn@>=4.0.0 <5.0.0",
+  "_id": "cross-spawn@4.0.2",
+  "_inCache": true,
+  "_location": "/cross-spawn",
+  "_nodeVersion": "4.5.0",
+  "_npmOperationalInternal": {
+    "host": "packages-12-west.internal.npmjs.com",
+    "tmp": "tmp/cross-spawn-4.0.2.tgz_1474803799646_0.017929385183379054"
+  },
+  "_npmUser": {
+    "name": "satazor",
+    "email": "andremiguelcruz@msn.com"
+  },
+  "_npmVersion": "2.15.9",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "cross-spawn@^4.0.0",
+    "scope": null,
+    "escapedName": "cross-spawn",
+    "name": "cross-spawn",
+    "rawSpec": "^4.0.0",
+    "spec": ">=4.0.0 <5.0.0",
+    "type": "range"
+  },
+  "_requiredBy": [
+    "/gm"
+  ],
+  "_resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-4.0.2.tgz",
+  "_shasum": "7b9247621c23adfdd3856004a823cbe397424d41",
+  "_shrinkwrap": null,
+  "_spec": "cross-spawn@^4.0.0",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/gm",
+  "author": {
+    "name": "IndigoUnited",
+    "email": "hello@indigounited.com",
+    "url": "http://indigounited.com"
+  },
+  "bugs": {
+    "url": "https://github.com/IndigoUnited/node-cross-spawn/issues/"
+  },
+  "dependencies": {
+    "lru-cache": "^4.0.1",
+    "which": "^1.2.9"
+  },
+  "description": "Cross platform child_process#spawn and child_process#spawnSync",
+  "devDependencies": {
+    "@satazor/eslint-config": "^3.0.0",
+    "eslint": "^3.0.0",
+    "expect.js": "^0.3.0",
+    "glob": "^7.0.0",
+    "mkdirp": "^0.5.1",
+    "mocha": "^3.0.2",
+    "rimraf": "^2.5.0"
+  },
+  "directories": {},
+  "dist": {
+    "shasum": "7b9247621c23adfdd3856004a823cbe397424d41",
+    "tarball": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-4.0.2.tgz"
+  },
+  "files": [
+    "index.js",
+    "lib"
+  ],
+  "gitHead": "674ceb2f2b69ad64b5dcad661b9bf048d6ec4c22",
+  "homepage": "https://github.com/IndigoUnited/node-cross-spawn#readme",
+  "keywords": [
+    "spawn",
+    "spawnSync",
+    "windows",
+    "cross",
+    "platform",
+    "path",
+    "ext",
+    "path-ext",
+    "path_ext",
+    "shebang",
+    "hashbang",
+    "cmd",
+    "execute"
+  ],
+  "license": "MIT",
+  "main": "index.js",
+  "maintainers": [
+    {
+      "name": "satazor",
+      "email": "andremiguelcruz@msn.com"
+    }
+  ],
+  "name": "cross-spawn",
+  "optionalDependencies": {},
+  "readme": "# cross-spawn\n\n[![NPM version][npm-image]][npm-url] [![Downloads][downloads-image]][npm-url] [![Build Status][travis-image]][travis-url] [![Build status][appveyor-image]][appveyor-url] [![Dependency status][david-dm-image]][david-dm-url] [![Dev Dependency status][david-dm-dev-image]][david-dm-dev-url]\n\n[npm-url]:https://npmjs.org/package/cross-spawn\n[downloads-image]:http://img.shields.io/npm/dm/cross-spawn.svg\n[npm-image]:http://img.shields.io/npm/v/cross-spawn.svg\n[travis-url]:https://travis-ci.org/IndigoUnited/node-cross-spawn\n[travis-image]:http://img.shields.io/travis/IndigoUnited/node-cross-spawn/master.svg\n[appveyor-url]:https://ci.appveyor.com/project/satazor/node-cross-spawn\n[appveyor-image]:https://img.shields.io/appveyor/ci/satazor/node-cross-spawn/master.svg\n[david-dm-url]:https://david-dm.org/IndigoUnited/node-cross-spawn\n[david-dm-image]:https://img.shields.io/david/IndigoUnited/node-cross-spawn.svg\n[david-dm-dev-url]:https://david-dm.org/IndigoUnited/node-cross-spawn#info=devDependencies\n[david-dm-dev-image]:https://img.shields.io/david/dev/IndigoUnited/node-cross-spawn.svg\n\nA cross platform solution to node's spawn and spawnSync.\n\n\n## Installation\n\n`$ npm install cross-spawn`\n\nIf you are using `spawnSync` on node 0.10 or older, you will also need to install `spawn-sync`:\n\n`$ npm install spawn-sync`\n\n\n## Why\n\nNode has issues when using spawn on Windows:\n\n- It ignores [PATHEXT](https://github.com/joyent/node/issues/2318)\n- It does not support [shebangs](http://pt.wikipedia.org/wiki/Shebang)\n- It does not allow you to run `del` or `dir`\n- It does not properly escape arguments with spaces or special characters\n\nAll these issues are handled correctly by `cross-spawn`.\nThere are some known modules, such as [win-spawn](https://github.com/ForbesLindesay/win-spawn), that try to solve this but they are either broken or provide faulty escaping of shell arguments.\n\n\n## Usage\n\nExactly the same way as node's [`spawn`](https://nodejs.org/api/child_process.html#child_process_child_process_spawn_command_args_options) or [`spawnSync`](https://nodejs.org/api/child_process.html#child_process_child_process_spawnsync_command_args_options), so it's a drop in replacement.\n\n```javascript\nvar spawn = require('cross-spawn');\n\n// Spawn NPM asynchronously\nvar child = spawn('npm', ['list', '-g', '-depth', '0'], { stdio: 'inherit' });\n\n// Spawn NPM synchronously\nvar results = spawn.sync('npm', ['list', '-g', '-depth', '0'], { stdio: 'inherit' });\n```\n\n## Caveat\n\nOn Windows, cross-spawn will only spawn `cmd.exe` if necessary. If the extension\nof the executable is `.exe` or `.com`, it will spawn it directly. If you wish\nto override this behavior and *always* spawn a shell, pass the `{shell: true}`\noption.\n\n\n## Tests\n\n`$ npm test`\n\n\n## License\n\nReleased under the [MIT License](http://www.opensource.org/licenses/mit-license.php).\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git://github.com/IndigoUnited/node-cross-spawn.git"
+  },
+  "scripts": {
+    "lint": "eslint '{*.js,lib/**/*.js,test/**/*.js}'",
+    "test": "node test/prepare && mocha --bail test/test"
+  },
+  "version": "4.0.2"
+}
diff --git a/node_modules/multer/node_modules/xtend/LICENCE b/node_modules/extend-shallow/LICENSE
index 1a14b43..fa30c4c 100644
--- a/node_modules/multer/node_modules/xtend/LICENCE
+++ b/node_modules/extend-shallow/LICENSE
@@ -1,4 +1,6 @@
-Copyright (c) 2012-2014 Raynos.
+The MIT License (MIT)
+
+Copyright (c) 2014-2015, Jon Schlinkert.
 
 Permission is hereby granted, free of charge, to any person obtaining a copy
 of this software and associated documentation files (the "Software"), to deal
diff --git a/node_modules/extend-shallow/README.md b/node_modules/extend-shallow/README.md
new file mode 100644
index 0000000..cdc45d4
--- /dev/null
+++ b/node_modules/extend-shallow/README.md
@@ -0,0 +1,61 @@
+# extend-shallow [![NPM version](https://badge.fury.io/js/extend-shallow.svg)](http://badge.fury.io/js/extend-shallow)  [![Build Status](https://travis-ci.org/jonschlinkert/extend-shallow.svg)](https://travis-ci.org/jonschlinkert/extend-shallow)
+
+> Extend an object with the properties of additional objects. node.js/javascript util.
+
+## Install
+
+Install with [npm](https://www.npmjs.com/)
+
+```sh
+$ npm i extend-shallow --save
+```
+
+## Usage
+
+```js
+var extend = require('extend-shallow');
+
+extend({a: 'b'}, {c: 'd'})
+//=> {a: 'b', c: 'd'}
+```
+
+Pass an empty object to shallow clone:
+
+```js
+var obj = {};
+extend(obj, {a: 'b'}, {c: 'd'})
+//=> {a: 'b', c: 'd'}
+```
+
+## Related
+
+* [extend-shallow](https://github.com/jonschlinkert/extend-shallow): Extend an object with the properties of additional objects. node.js/javascript util.
+* [for-own](https://github.com/jonschlinkert/for-own): Iterate over the own enumerable properties of an object, and return an object with properties… [more](https://github.com/jonschlinkert/for-own)
+* [for-in](https://github.com/jonschlinkert/for-in): Iterate over the own and inherited enumerable properties of an objecte, and return an object… [more](https://github.com/jonschlinkert/for-in)
+* [is-plain-object](https://github.com/jonschlinkert/is-plain-object): Returns true if an object was created by the `Object` constructor.
+* [isobject](https://github.com/jonschlinkert/isobject): Returns true if the value is an object and not an array or null.
+* [kind-of](https://github.com/jonschlinkert/kind-of): Get the native type of a value.
+
+## Running tests
+
+Install dev dependencies:
+
+```sh
+$ npm i -d && npm test
+```
+
+## Author
+
+**Jon Schlinkert**
+
++ [github/jonschlinkert](https://github.com/jonschlinkert)
++ [twitter/jonschlinkert](http://twitter.com/jonschlinkert)
+
+## License
+
+Copyright © 2015 Jon Schlinkert
+Released under the MIT license.
+
+***
+
+_This file was generated by [verb-cli](https://github.com/assemble/verb-cli) on June 29, 2015._
\ No newline at end of file
diff --git a/node_modules/extend-shallow/index.js b/node_modules/extend-shallow/index.js
new file mode 100644
index 0000000..92a067f
--- /dev/null
+++ b/node_modules/extend-shallow/index.js
@@ -0,0 +1,33 @@
+'use strict';
+
+var isObject = require('is-extendable');
+
+module.exports = function extend(o/*, objects*/) {
+  if (!isObject(o)) { o = {}; }
+
+  var len = arguments.length;
+  for (var i = 1; i < len; i++) {
+    var obj = arguments[i];
+
+    if (isObject(obj)) {
+      assign(o, obj);
+    }
+  }
+  return o;
+};
+
+function assign(a, b) {
+  for (var key in b) {
+    if (hasOwn(b, key)) {
+      a[key] = b[key];
+    }
+  }
+}
+
+/**
+ * Returns true if the given `key` is an own property of `obj`.
+ */
+
+function hasOwn(obj, key) {
+  return Object.prototype.hasOwnProperty.call(obj, key);
+}
diff --git a/node_modules/extend-shallow/package.json b/node_modules/extend-shallow/package.json
new file mode 100644
index 0000000..ec0f309
--- /dev/null
+++ b/node_modules/extend-shallow/package.json
@@ -0,0 +1,119 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "extend-shallow@^2.0.1",
+        "scope": null,
+        "escapedName": "extend-shallow",
+        "name": "extend-shallow",
+        "rawSpec": "^2.0.1",
+        "spec": ">=2.0.1 <3.0.0",
+        "type": "range"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/koa-better-body"
+    ]
+  ],
+  "_from": "extend-shallow@>=2.0.1 <3.0.0",
+  "_id": "extend-shallow@2.0.1",
+  "_inCache": true,
+  "_location": "/extend-shallow",
+  "_nodeVersion": "0.12.4",
+  "_npmUser": {
+    "name": "jonschlinkert",
+    "email": "github@sellside.com"
+  },
+  "_npmVersion": "2.10.1",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "extend-shallow@^2.0.1",
+    "scope": null,
+    "escapedName": "extend-shallow",
+    "name": "extend-shallow",
+    "rawSpec": "^2.0.1",
+    "spec": ">=2.0.1 <3.0.0",
+    "type": "range"
+  },
+  "_requiredBy": [
+    "/koa-better-body"
+  ],
+  "_resolved": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz",
+  "_shasum": "51af7d614ad9a9f610ea1bafbb989d6b1c56890f",
+  "_shrinkwrap": null,
+  "_spec": "extend-shallow@^2.0.1",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/koa-better-body",
+  "author": {
+    "name": "Jon Schlinkert",
+    "url": "https://github.com/jonschlinkert"
+  },
+  "bugs": {
+    "url": "https://github.com/jonschlinkert/extend-shallow/issues"
+  },
+  "dependencies": {
+    "is-extendable": "^0.1.0"
+  },
+  "description": "Extend an object with the properties of additional objects. node.js/javascript util.",
+  "devDependencies": {
+    "array-slice": "^0.2.3",
+    "benchmarked": "^0.1.4",
+    "chalk": "^1.0.0",
+    "for-own": "^0.1.3",
+    "glob": "^5.0.12",
+    "is-plain-object": "^2.0.1",
+    "kind-of": "^2.0.0",
+    "minimist": "^1.1.1",
+    "mocha": "^2.2.5",
+    "should": "^7.0.1"
+  },
+  "directories": {},
+  "dist": {
+    "shasum": "51af7d614ad9a9f610ea1bafbb989d6b1c56890f",
+    "tarball": "https://registry.npmjs.org/extend-shallow/-/extend-shallow-2.0.1.tgz"
+  },
+  "engines": {
+    "node": ">=0.10.0"
+  },
+  "files": [
+    "index.js"
+  ],
+  "gitHead": "e9b1f1d2ff9d2990ec4a127afa7c14732d1eec8a",
+  "homepage": "https://github.com/jonschlinkert/extend-shallow",
+  "keywords": [
+    "assign",
+    "extend",
+    "javascript",
+    "js",
+    "keys",
+    "merge",
+    "obj",
+    "object",
+    "prop",
+    "properties",
+    "property",
+    "props",
+    "shallow",
+    "util",
+    "utility",
+    "utils",
+    "value"
+  ],
+  "license": "MIT",
+  "main": "index.js",
+  "maintainers": [
+    {
+      "name": "jonschlinkert",
+      "email": "github@sellside.com"
+    }
+  ],
+  "name": "extend-shallow",
+  "optionalDependencies": {},
+  "readme": "# extend-shallow [![NPM version](https://badge.fury.io/js/extend-shallow.svg)](http://badge.fury.io/js/extend-shallow)  [![Build Status](https://travis-ci.org/jonschlinkert/extend-shallow.svg)](https://travis-ci.org/jonschlinkert/extend-shallow)\n\n> Extend an object with the properties of additional objects. node.js/javascript util.\n\n## Install\n\nInstall with [npm](https://www.npmjs.com/)\n\n```sh\n$ npm i extend-shallow --save\n```\n\n## Usage\n\n```js\nvar extend = require('extend-shallow');\n\nextend({a: 'b'}, {c: 'd'})\n//=> {a: 'b', c: 'd'}\n```\n\nPass an empty object to shallow clone:\n\n```js\nvar obj = {};\nextend(obj, {a: 'b'}, {c: 'd'})\n//=> {a: 'b', c: 'd'}\n```\n\n## Related\n\n* [extend-shallow](https://github.com/jonschlinkert/extend-shallow): Extend an object with the properties of additional objects. node.js/javascript util.\n* [for-own](https://github.com/jonschlinkert/for-own): Iterate over the own enumerable properties of an object, and return an object with properties… [more](https://github.com/jonschlinkert/for-own)\n* [for-in](https://github.com/jonschlinkert/for-in): Iterate over the own and inherited enumerable properties of an objecte, and return an object… [more](https://github.com/jonschlinkert/for-in)\n* [is-plain-object](https://github.com/jonschlinkert/is-plain-object): Returns true if an object was created by the `Object` constructor.\n* [isobject](https://github.com/jonschlinkert/isobject): Returns true if the value is an object and not an array or null.\n* [kind-of](https://github.com/jonschlinkert/kind-of): Get the native type of a value.\n\n## Running tests\n\nInstall dev dependencies:\n\n```sh\n$ npm i -d && npm test\n```\n\n## Author\n\n**Jon Schlinkert**\n\n+ [github/jonschlinkert](https://github.com/jonschlinkert)\n+ [twitter/jonschlinkert](http://twitter.com/jonschlinkert)\n\n## License\n\nCopyright © 2015 Jon Schlinkert\nReleased under the MIT license.\n\n***\n\n_This file was generated by [verb-cli](https://github.com/assemble/verb-cli) on June 29, 2015._",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git+https://github.com/jonschlinkert/extend-shallow.git"
+  },
+  "scripts": {
+    "test": "mocha"
+  },
+  "version": "2.0.1"
+}
diff --git a/node_modules/formidable/.npmignore b/node_modules/formidable/.npmignore
new file mode 100644
index 0000000..ed16858
--- /dev/null
+++ b/node_modules/formidable/.npmignore
@@ -0,0 +1,7 @@
+/test
+/tool
+/example
+/benchmark
+*.upload
+*.un~
+*.http
diff --git a/node_modules/formidable/.travis.yml b/node_modules/formidable/.travis.yml
new file mode 100644
index 0000000..694a62f
--- /dev/null
+++ b/node_modules/formidable/.travis.yml
@@ -0,0 +1,5 @@
+language: node_js
+node_js:
+  - 4
+  - 6
+  - 7
diff --git a/node_modules/formidable/LICENSE b/node_modules/formidable/LICENSE
new file mode 100644
index 0000000..38d3c9c
--- /dev/null
+++ b/node_modules/formidable/LICENSE
@@ -0,0 +1,7 @@
+Copyright (C) 2011 Felix Geisendörfer
+
+Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
diff --git a/node_modules/formidable/Readme.md b/node_modules/formidable/Readme.md
new file mode 100644
index 0000000..8d51635
--- /dev/null
+++ b/node_modules/formidable/Readme.md
@@ -0,0 +1,329 @@
+# Formidable
+
+[![Build Status](https://travis-ci.org/felixge/node-formidable.svg?branch=master)](https://travis-ci.org/felixge/node-formidable)
+
+## Purpose
+
+A Node.js module for parsing form data, especially file uploads.
+
+## Current status
+
+**Maintainers Wanted:** Please see https://github.com/felixge/node-formidable/issues/412
+
+This module was developed for [Transloadit](http://transloadit.com/), a service focused on uploading
+and encoding images and videos. It has been battle-tested against hundreds of GB of file uploads from
+a large variety of clients and is considered production-ready.
+
+## Features
+
+* Fast (~500mb/sec), non-buffering multipart parser
+* Automatically writing file uploads to disk
+* Low memory footprint
+* Graceful error handling
+* Very high test coverage
+
+## Installation
+
+```sh
+npm i -S formidable
+```
+
+This is a low level package, and if you're using a high level framework such as Express, chances are it's already included in it. You can [read this discussion](http://stackoverflow.com/questions/11295554/how-to-disable-express-bodyparser-for-file-uploads-node-js) about how Formidable is integrated with Express.
+
+Note: Formidable requires [gently](http://github.com/felixge/node-gently) to run the unit tests, but you won't need it for just using the library.
+
+## Example
+
+Parse an incoming file upload.
+```javascript
+var formidable = require('formidable'),
+    http = require('http'),
+    util = require('util');
+
+http.createServer(function(req, res) {
+  if (req.url == '/upload' && req.method.toLowerCase() == 'post') {
+    // parse a file upload
+    var form = new formidable.IncomingForm();
+
+    form.parse(req, function(err, fields, files) {
+      res.writeHead(200, {'content-type': 'text/plain'});
+      res.write('received upload:\n\n');
+      res.end(util.inspect({fields: fields, files: files}));
+    });
+
+    return;
+  }
+
+  // show a file upload form
+  res.writeHead(200, {'content-type': 'text/html'});
+  res.end(
+    '<form action="/upload" enctype="multipart/form-data" method="post">'+
+    '<input type="text" name="title"><br>'+
+    '<input type="file" name="upload" multiple="multiple"><br>'+
+    '<input type="submit" value="Upload">'+
+    '</form>'
+  );
+}).listen(8080);
+```
+## API
+
+### Formidable.IncomingForm
+```javascript
+var form = new formidable.IncomingForm()
+```
+Creates a new incoming form.
+
+```javascript
+form.encoding = 'utf-8';
+```
+Sets encoding for incoming form fields.
+
+```javascript
+form.uploadDir = "/my/dir";
+```
+Sets the directory for placing file uploads in. You can move them later on using
+`fs.rename()`. The default is `os.tmpdir()`.
+
+```javascript
+form.keepExtensions = false;
+```
+If you want the files written to `form.uploadDir` to include the extensions of the original files, set this property to `true`.
+
+```javascript
+form.type
+```
+Either 'multipart' or 'urlencoded' depending on the incoming request.
+
+```javascript
+form.maxFieldsSize = 2 * 1024 * 1024;
+```
+Limits the amount of memory all fields together (except files) can allocate in bytes.
+If this value is exceeded, an `'error'` event is emitted. The default
+size is 2MB.
+
+```javascript
+form.maxFields = 1000;
+```
+Limits the number of fields that the querystring parser will decode. Defaults
+to 1000 (0 for unlimited).
+
+```javascript
+form.hash = false;
+```
+If you want checksums calculated for incoming files, set this to either `'sha1'` or `'md5'`.
+
+```javascript
+form.multiples = false;
+```
+If this option is enabled, when you call `form.parse`, the `files` argument will contain arrays of files for inputs which submit multiple files using the HTML5 `multiple` attribute.
+
+```javascript
+form.bytesReceived
+```
+The amount of bytes received for this form so far.
+
+```javascript
+form.bytesExpected
+```
+The expected number of bytes in this form.
+
+```javascript
+form.parse(request, [cb]);
+```
+Parses an incoming node.js `request` containing form data. If `cb` is provided, all fields and files are collected and passed to the callback:
+
+
+```javascript
+form.parse(req, function(err, fields, files) {
+  // ...
+});
+
+form.onPart(part);
+```
+You may overwrite this method if you are interested in directly accessing the multipart stream. Doing so will disable any `'field'` / `'file'` events  processing which would occur otherwise, making you fully responsible for handling the processing.
+
+```javascript
+form.onPart = function(part) {
+  part.addListener('data', function() {
+    // ...
+  });
+}
+```
+If you want to use formidable to only handle certain parts for you, you can do so:
+```javascript
+form.onPart = function(part) {
+  if (!part.filename) {
+    // let formidable handle all non-file parts
+    form.handlePart(part);
+  }
+}
+```
+Check the code in this method for further inspiration.
+
+
+### Formidable.File
+```javascript
+file.size = 0
+```
+The size of the uploaded file in bytes. If the file is still being uploaded (see `'fileBegin'` event), this property says how many bytes of the file have been written to disk yet.
+```javascript
+file.path = null
+```
+The path this file is being written to. You can modify this in the `'fileBegin'` event in
+case you are unhappy with the way formidable generates a temporary path for your files.
+```javascript
+file.name = null
+```
+The name this file had according to the uploading client.
+```javascript
+file.type = null
+```
+The mime type of this file, according to the uploading client.
+```javascript
+file.lastModifiedDate = null
+```
+A date object (or `null`) containing the time this file was last written to. Mostly
+here for compatibility with the [W3C File API Draft](http://dev.w3.org/2006/webapi/FileAPI/).
+```javascript
+file.hash = null
+```
+If hash calculation was set, you can read the hex digest out of this var.
+
+#### Formidable.File#toJSON()
+
+  This method returns a JSON-representation of the file, allowing you to
+  `JSON.stringify()` the file which is useful for logging and responding
+  to requests.
+
+### Events
+
+
+#### 'progress'
+
+Emitted after each incoming chunk of data that has been parsed. Can be used to roll your own progress bar.
+
+```javascript
+form.on('progress', function(bytesReceived, bytesExpected) {
+});
+```
+
+
+
+#### 'field'
+
+Emitted whenever a field / value pair has been received.
+
+```javascript
+form.on('field', function(name, value) {
+});
+```
+
+#### 'fileBegin'
+
+Emitted whenever a new file is detected in the upload stream. Use this event if
+you want to stream the file to somewhere else while buffering the upload on
+the file system.
+
+```javascript
+form.on('fileBegin', function(name, file) {
+});
+```
+
+#### 'file'
+
+Emitted whenever a field / file pair has been received. `file` is an instance of `File`.
+
+```javascript
+form.on('file', function(name, file) {
+});
+```
+
+#### 'error'
+
+Emitted when there is an error processing the incoming form. A request that experiences an error is automatically paused, you will have to manually call `request.resume()` if you want the request to continue firing `'data'` events.
+
+```javascript
+form.on('error', function(err) {
+});
+```
+
+#### 'aborted'
+
+
+Emitted when the request was aborted by the user. Right now this can be due to a 'timeout' or 'close' event on the socket. After this event is emitted, an `error` event will follow. In the future there will be a separate 'timeout' event (needs a change in the node core).
+```javascript
+form.on('aborted', function() {
+});
+```
+
+##### 'end'
+```javascript
+form.on('end', function() {
+});
+```
+Emitted when the entire request has been received, and all contained files have finished flushing to disk. This is a great place for you to send your response.
+
+
+
+## Changelog
+
+### v1.1.1 (2017-01-15)
+
+ * Fix DeprecationWarning about os.tmpDir() (Christian)
+ * Update `buffer.write` order of arguments for Node 7 (Kornel Lesiński)
+ * JSON Parser emits error events to the IncomingForm (alessio.montagnani)
+ * Improved Content-Disposition parsing (Sebastien)
+ * Access WriteStream of fs during runtime instead of include time (Jonas Amundsen)
+ * Use built-in toString to convert buffer to hex (Charmander)
+ * Add hash to json if present (Nick Stamas)
+ * Add license to package.json (Simen Bekkhus)
+
+### v1.0.14 (2013-05-03)
+
+* Add failing hash tests. (Ben Trask)
+* Enable hash calculation again (Eugene Girshov)
+* Test for immediate data events (Tim Smart)
+* Re-arrange IncomingForm#parse (Tim Smart)
+
+### v1.0.13
+
+* Only update hash if update method exists (Sven Lito)
+* According to travis v0.10 needs to go quoted (Sven Lito)
+* Bumping build node versions (Sven Lito)
+* Additional fix for empty requests (Eugene Girshov)
+* Change the default to 1000, to match the new Node behaviour. (OrangeDog)
+* Add ability to control maxKeys in the querystring parser. (OrangeDog)
+* Adjust test case to work with node 0.9.x (Eugene Girshov)
+* Update package.json (Sven Lito)
+* Path adjustment according to eb4468b (Markus Ast)
+
+### v1.0.12
+
+* Emit error on aborted connections (Eugene Girshov)
+* Add support for empty requests (Eugene Girshov)
+* Fix name/filename handling in Content-Disposition (jesperp)
+* Tolerate malformed closing boundary in multipart (Eugene Girshov)
+* Ignore preamble in multipart messages (Eugene Girshov)
+* Add support for application/json (Mike Frey, Carlos Rodriguez)
+* Add support for Base64 encoding (Elmer Bulthuis)
+* Add File#toJSON (TJ Holowaychuk)
+* Remove support for Node.js 0.4 & 0.6 (Andrew Kelley)
+* Documentation improvements (Sven Lito, Andre Azevedo)
+* Add support for application/octet-stream (Ion Lupascu, Chris Scribner)
+* Use os.tmpdir() to get tmp directory (Andrew Kelley)
+* Improve package.json (Andrew Kelley, Sven Lito)
+* Fix benchmark script (Andrew Kelley)
+* Fix scope issue in incoming_forms (Sven Lito)
+* Fix file handle leak on error (OrangeDog)
+
+## License
+
+Formidable is licensed under the MIT license.
+
+## Ports
+
+* [multipart-parser](http://github.com/FooBarWidget/multipart-parser): a C++ parser based on formidable
+
+## Credits
+
+* [Ryan Dahl](http://twitter.com/ryah) for his work on [http-parser](http://github.com/ry/http-parser) which heavily inspired multipart_parser.js
diff --git a/node_modules/formidable/index.js b/node_modules/formidable/index.js
new file mode 100644
index 0000000..4cc88b3
--- /dev/null
+++ b/node_modules/formidable/index.js
@@ -0,0 +1 @@
+module.exports = require('./lib');
\ No newline at end of file
diff --git a/node_modules/formidable/lib/file.js b/node_modules/formidable/lib/file.js
new file mode 100644
index 0000000..9974451
--- /dev/null
+++ b/node_modules/formidable/lib/file.js
@@ -0,0 +1,76 @@
+if (global.GENTLY) require = GENTLY.hijack(require);
+
+var util = require('util'),
+    fs = require('fs'),
+    EventEmitter = require('events').EventEmitter,
+    crypto = require('crypto');
+
+function File(properties) {
+  EventEmitter.call(this);
+
+  this.size = 0;
+  this.path = null;
+  this.name = null;
+  this.type = null;
+  this.hash = null;
+  this.lastModifiedDate = null;
+
+  this._writeStream = null;
+  
+  for (var key in properties) {
+    this[key] = properties[key];
+  }
+
+  if(typeof this.hash === 'string') {
+    this.hash = crypto.createHash(properties.hash);
+  } else {
+    this.hash = null;
+  }
+}
+module.exports = File;
+util.inherits(File, EventEmitter);
+
+File.prototype.open = function() {
+  this._writeStream = new fs.WriteStream(this.path);
+};
+
+File.prototype.toJSON = function() {
+  var json = {
+    size: this.size,
+    path: this.path,
+    name: this.name,
+    type: this.type,
+    mtime: this.lastModifiedDate,
+    length: this.length,
+    filename: this.filename,
+    mime: this.mime
+  };
+  if (this.hash && this.hash != "") {
+    json.hash = this.hash;
+  }
+  return json;
+};
+
+File.prototype.write = function(buffer, cb) {
+  var self = this;
+  if (self.hash) {
+    self.hash.update(buffer);
+  }
+  this._writeStream.write(buffer, function() {
+    self.lastModifiedDate = new Date();
+    self.size += buffer.length;
+    self.emit('progress', self.size);
+    cb();
+  });
+};
+
+File.prototype.end = function(cb) {
+  var self = this;
+  if (self.hash) {
+    self.hash = self.hash.digest('hex');
+  }
+  this._writeStream.end(function() {
+    self.emit('end');
+    cb();
+  });
+};
diff --git a/node_modules/formidable/lib/incoming_form.js b/node_modules/formidable/lib/incoming_form.js
new file mode 100644
index 0000000..c5eace6
--- /dev/null
+++ b/node_modules/formidable/lib/incoming_form.js
@@ -0,0 +1,555 @@
+if (global.GENTLY) require = GENTLY.hijack(require);
+
+var crypto = require('crypto');
+var fs = require('fs');
+var util = require('util'),
+    path = require('path'),
+    File = require('./file'),
+    MultipartParser = require('./multipart_parser').MultipartParser,
+    QuerystringParser = require('./querystring_parser').QuerystringParser,
+    OctetParser       = require('./octet_parser').OctetParser,
+    JSONParser = require('./json_parser').JSONParser,
+    StringDecoder = require('string_decoder').StringDecoder,
+    EventEmitter = require('events').EventEmitter,
+    Stream = require('stream').Stream,
+    os = require('os');
+
+function IncomingForm(opts) {
+  if (!(this instanceof IncomingForm)) return new IncomingForm(opts);
+  EventEmitter.call(this);
+
+  opts=opts||{};
+
+  this.error = null;
+  this.ended = false;
+
+  this.maxFields = opts.maxFields || 1000;
+  this.maxFieldsSize = opts.maxFieldsSize || 2 * 1024 * 1024;
+  this.keepExtensions = opts.keepExtensions || false;
+  this.uploadDir = opts.uploadDir || (os.tmpdir && os.tmpdir()) || os.tmpDir();
+  this.encoding = opts.encoding || 'utf-8';
+  this.headers = null;
+  this.type = null;
+  this.hash = opts.hash || false;
+  this.multiples = opts.multiples || false;
+
+  this.bytesReceived = null;
+  this.bytesExpected = null;
+
+  this._parser = null;
+  this._flushing = 0;
+  this._fieldsSize = 0;
+  this.openedFiles = [];
+
+  return this;
+}
+util.inherits(IncomingForm, EventEmitter);
+exports.IncomingForm = IncomingForm;
+
+IncomingForm.prototype.parse = function(req, cb) {
+  this.pause = function() {
+    try {
+      req.pause();
+    } catch (err) {
+      // the stream was destroyed
+      if (!this.ended) {
+        // before it was completed, crash & burn
+        this._error(err);
+      }
+      return false;
+    }
+    return true;
+  };
+
+  this.resume = function() {
+    try {
+      req.resume();
+    } catch (err) {
+      // the stream was destroyed
+      if (!this.ended) {
+        // before it was completed, crash & burn
+        this._error(err);
+      }
+      return false;
+    }
+
+    return true;
+  };
+
+  // Setup callback first, so we don't miss anything from data events emitted
+  // immediately.
+  if (cb) {
+    var fields = {}, files = {};
+    this
+      .on('field', function(name, value) {
+        fields[name] = value;
+      })
+      .on('file', function(name, file) {
+        if (this.multiples) {
+          if (files[name]) {
+            if (!Array.isArray(files[name])) {
+              files[name] = [files[name]];
+            }
+            files[name].push(file);
+          } else {
+            files[name] = file;
+          }
+        } else {
+          files[name] = file;
+        }
+      })
+      .on('error', function(err) {
+        cb(err, fields, files);
+      })
+      .on('end', function() {
+        cb(null, fields, files);
+      });
+  }
+
+  // Parse headers and setup the parser, ready to start listening for data.
+  this.writeHeaders(req.headers);
+
+  // Start listening for data.
+  var self = this;
+  req
+    .on('error', function(err) {
+      self._error(err);
+    })
+    .on('aborted', function() {
+      self.emit('aborted');
+      self._error(new Error('Request aborted'));
+    })
+    .on('data', function(buffer) {
+      self.write(buffer);
+    })
+    .on('end', function() {
+      if (self.error) {
+        return;
+      }
+
+      var err = self._parser.end();
+      if (err) {
+        self._error(err);
+      }
+    });
+
+  return this;
+};
+
+IncomingForm.prototype.writeHeaders = function(headers) {
+  this.headers = headers;
+  this._parseContentLength();
+  this._parseContentType();
+};
+
+IncomingForm.prototype.write = function(buffer) {
+  if (this.error) {
+    return;
+  }
+  if (!this._parser) {
+    this._error(new Error('uninitialized parser'));
+    return;
+  }
+
+  this.bytesReceived += buffer.length;
+  this.emit('progress', this.bytesReceived, this.bytesExpected);
+
+  var bytesParsed = this._parser.write(buffer);
+  if (bytesParsed !== buffer.length) {
+    this._error(new Error('parser error, '+bytesParsed+' of '+buffer.length+' bytes parsed'));
+  }
+
+  return bytesParsed;
+};
+
+IncomingForm.prototype.pause = function() {
+  // this does nothing, unless overwritten in IncomingForm.parse
+  return false;
+};
+
+IncomingForm.prototype.resume = function() {
+  // this does nothing, unless overwritten in IncomingForm.parse
+  return false;
+};
+
+IncomingForm.prototype.onPart = function(part) {
+  // this method can be overwritten by the user
+  this.handlePart(part);
+};
+
+IncomingForm.prototype.handlePart = function(part) {
+  var self = this;
+
+  if (part.filename === undefined) {
+    var value = ''
+      , decoder = new StringDecoder(this.encoding);
+
+    part.on('data', function(buffer) {
+      self._fieldsSize += buffer.length;
+      if (self._fieldsSize > self.maxFieldsSize) {
+        self._error(new Error('maxFieldsSize exceeded, received '+self._fieldsSize+' bytes of field data'));
+        return;
+      }
+      value += decoder.write(buffer);
+    });
+
+    part.on('end', function() {
+      self.emit('field', part.name, value);
+    });
+    return;
+  }
+
+  this._flushing++;
+
+  var file = new File({
+    path: this._uploadPath(part.filename),
+    name: part.filename,
+    type: part.mime,
+    hash: self.hash
+  });
+
+  this.emit('fileBegin', part.name, file);
+
+  file.open();
+  this.openedFiles.push(file);
+
+  part.on('data', function(buffer) {
+    if (buffer.length == 0) {
+      return;
+    }
+    self.pause();
+    file.write(buffer, function() {
+      self.resume();
+    });
+  });
+
+  part.on('end', function() {
+    file.end(function() {
+      self._flushing--;
+      self.emit('file', part.name, file);
+      self._maybeEnd();
+    });
+  });
+};
+
+function dummyParser(self) {
+  return {
+    end: function () {
+      self.ended = true;
+      self._maybeEnd();
+      return null;
+    }
+  };
+}
+
+IncomingForm.prototype._parseContentType = function() {
+  if (this.bytesExpected === 0) {
+    this._parser = dummyParser(this);
+    return;
+  }
+
+  if (!this.headers['content-type']) {
+    this._error(new Error('bad content-type header, no content-type'));
+    return;
+  }
+
+  if (this.headers['content-type'].match(/octet-stream/i)) {
+    this._initOctetStream();
+    return;
+  }
+
+  if (this.headers['content-type'].match(/urlencoded/i)) {
+    this._initUrlencoded();
+    return;
+  }
+
+  if (this.headers['content-type'].match(/multipart/i)) {
+    var m = this.headers['content-type'].match(/boundary=(?:"([^"]+)"|([^;]+))/i);
+    if (m) {
+      this._initMultipart(m[1] || m[2]);
+    } else {
+      this._error(new Error('bad content-type header, no multipart boundary'));
+    }
+    return;
+  }
+
+  if (this.headers['content-type'].match(/json/i)) {
+    this._initJSONencoded();
+    return;
+  }
+
+  this._error(new Error('bad content-type header, unknown content-type: '+this.headers['content-type']));
+};
+
+IncomingForm.prototype._error = function(err) {
+  if (this.error || this.ended) {
+    return;
+  }
+
+  this.error = err;
+  this.emit('error', err);
+
+  if (Array.isArray(this.openedFiles)) {
+    this.openedFiles.forEach(function(file) {
+      file._writeStream.destroy();
+      setTimeout(fs.unlink, 0, file.path, function(error) { });
+    });
+  }
+};
+
+IncomingForm.prototype._parseContentLength = function() {
+  this.bytesReceived = 0;
+  if (this.headers['content-length']) {
+    this.bytesExpected = parseInt(this.headers['content-length'], 10);
+  } else if (this.headers['transfer-encoding'] === undefined) {
+    this.bytesExpected = 0;
+  }
+
+  if (this.bytesExpected !== null) {
+    this.emit('progress', this.bytesReceived, this.bytesExpected);
+  }
+};
+
+IncomingForm.prototype._newParser = function() {
+  return new MultipartParser();
+};
+
+IncomingForm.prototype._initMultipart = function(boundary) {
+  this.type = 'multipart';
+
+  var parser = new MultipartParser(),
+      self = this,
+      headerField,
+      headerValue,
+      part;
+
+  parser.initWithBoundary(boundary);
+
+  parser.onPartBegin = function() {
+    part = new Stream();
+    part.readable = true;
+    part.headers = {};
+    part.name = null;
+    part.filename = null;
+    part.mime = null;
+
+    part.transferEncoding = 'binary';
+    part.transferBuffer = '';
+
+    headerField = '';
+    headerValue = '';
+  };
+
+  parser.onHeaderField = function(b, start, end) {
+    headerField += b.toString(self.encoding, start, end);
+  };
+
+  parser.onHeaderValue = function(b, start, end) {
+    headerValue += b.toString(self.encoding, start, end);
+  };
+
+  parser.onHeaderEnd = function() {
+    headerField = headerField.toLowerCase();
+    part.headers[headerField] = headerValue;
+
+    // matches either a quoted-string or a token (RFC 2616 section 19.5.1)
+    var m = headerValue.match(/\bname=("([^"]*)"|([^\(\)<>@,;:\\"\/\[\]\?=\{\}\s\t/]+))/i);
+    if (headerField == 'content-disposition') {
+      if (m) {
+        part.name = m[2] || m[3] || '';
+      }
+
+      part.filename = self._fileName(headerValue);
+    } else if (headerField == 'content-type') {
+      part.mime = headerValue;
+    } else if (headerField == 'content-transfer-encoding') {
+      part.transferEncoding = headerValue.toLowerCase();
+    }
+
+    headerField = '';
+    headerValue = '';
+  };
+
+  parser.onHeadersEnd = function() {
+    switch(part.transferEncoding){
+      case 'binary':
+      case '7bit':
+      case '8bit':
+      parser.onPartData = function(b, start, end) {
+        part.emit('data', b.slice(start, end));
+      };
+
+      parser.onPartEnd = function() {
+        part.emit('end');
+      };
+      break;
+
+      case 'base64':
+      parser.onPartData = function(b, start, end) {
+        part.transferBuffer += b.slice(start, end).toString('ascii');
+
+        /*
+        four bytes (chars) in base64 converts to three bytes in binary
+        encoding. So we should always work with a number of bytes that
+        can be divided by 4, it will result in a number of buytes that
+        can be divided vy 3.
+        */
+        var offset = parseInt(part.transferBuffer.length / 4, 10) * 4;
+        part.emit('data', new Buffer(part.transferBuffer.substring(0, offset), 'base64'));
+        part.transferBuffer = part.transferBuffer.substring(offset);
+      };
+
+      parser.onPartEnd = function() {
+        part.emit('data', new Buffer(part.transferBuffer, 'base64'));
+        part.emit('end');
+      };
+      break;
+
+      default:
+      return self._error(new Error('unknown transfer-encoding'));
+    }
+
+    self.onPart(part);
+  };
+
+
+  parser.onEnd = function() {
+    self.ended = true;
+    self._maybeEnd();
+  };
+
+  this._parser = parser;
+};
+
+IncomingForm.prototype._fileName = function(headerValue) {
+  // matches either a quoted-string or a token (RFC 2616 section 19.5.1)
+  var m = headerValue.match(/\bfilename=("(.*?)"|([^\(\)<>@,;:\\"\/\[\]\?=\{\}\s\t/]+))($|;\s)/i);
+  if (!m) return;
+
+  var match = m[2] || m[3] || '';
+  var filename = match.substr(match.lastIndexOf('\\') + 1);
+  filename = filename.replace(/%22/g, '"');
+  filename = filename.replace(/&#([\d]{4});/g, function(m, code) {
+    return String.fromCharCode(code);
+  });
+  return filename;
+};
+
+IncomingForm.prototype._initUrlencoded = function() {
+  this.type = 'urlencoded';
+
+  var parser = new QuerystringParser(this.maxFields)
+    , self = this;
+
+  parser.onField = function(key, val) {
+    self.emit('field', key, val);
+  };
+
+  parser.onEnd = function() {
+    self.ended = true;
+    self._maybeEnd();
+  };
+
+  this._parser = parser;
+};
+
+IncomingForm.prototype._initOctetStream = function() {
+  this.type = 'octet-stream';
+  var filename = this.headers['x-file-name'];
+  var mime = this.headers['content-type'];
+
+  var file = new File({
+    path: this._uploadPath(filename),
+    name: filename,
+    type: mime
+  });
+
+  this.emit('fileBegin', filename, file);
+  file.open();
+
+  this._flushing++;
+
+  var self = this;
+
+  self._parser = new OctetParser();
+
+  //Keep track of writes that haven't finished so we don't emit the file before it's done being written
+  var outstandingWrites = 0;
+
+  self._parser.on('data', function(buffer){
+    self.pause();
+    outstandingWrites++;
+
+    file.write(buffer, function() {
+      outstandingWrites--;
+      self.resume();
+
+      if(self.ended){
+        self._parser.emit('doneWritingFile');
+      }
+    });
+  });
+
+  self._parser.on('end', function(){
+    self._flushing--;
+    self.ended = true;
+
+    var done = function(){
+      file.end(function() {
+        self.emit('file', 'file', file);
+        self._maybeEnd();
+      });
+    };
+
+    if(outstandingWrites === 0){
+      done();
+    } else {
+      self._parser.once('doneWritingFile', done);
+    }
+  });
+};
+
+IncomingForm.prototype._initJSONencoded = function() {
+  this.type = 'json';
+
+  var parser = new JSONParser(this)
+    , self = this;
+
+  if (this.bytesExpected) {
+    parser.initWithLength(this.bytesExpected);
+  }
+
+  parser.onField = function(key, val) {
+    self.emit('field', key, val);
+  };
+
+  parser.onEnd = function() {
+    self.ended = true;
+    self._maybeEnd();
+  };
+
+  this._parser = parser;
+};
+
+IncomingForm.prototype._uploadPath = function(filename) {
+  var buf = crypto.randomBytes(16);
+  var name = 'upload_' + buf.toString('hex');
+
+  if (this.keepExtensions) {
+    var ext = path.extname(filename);
+    ext     = ext.replace(/(\.[a-z0-9]+).*/i, '$1');
+
+    name += ext;
+  }
+
+  return path.join(this.uploadDir, name);
+};
+
+IncomingForm.prototype._maybeEnd = function() {
+  if (!this.ended || this._flushing || this.error) {
+    return;
+  }
+
+  this.emit('end');
+};
+
diff --git a/node_modules/formidable/lib/index.js b/node_modules/formidable/lib/index.js
new file mode 100644
index 0000000..7a6e3e1
--- /dev/null
+++ b/node_modules/formidable/lib/index.js
@@ -0,0 +1,3 @@
+var IncomingForm = require('./incoming_form').IncomingForm;
+IncomingForm.IncomingForm = IncomingForm;
+module.exports = IncomingForm;
diff --git a/node_modules/formidable/lib/json_parser.js b/node_modules/formidable/lib/json_parser.js
new file mode 100644
index 0000000..24ef63b
--- /dev/null
+++ b/node_modules/formidable/lib/json_parser.js
@@ -0,0 +1,38 @@
+if (global.GENTLY) require = GENTLY.hijack(require);
+
+var Buffer = require('buffer').Buffer;
+
+function JSONParser(parent) {
+  this.parent = parent;
+  this.data = new Buffer('');
+  this.bytesWritten = 0;
+}
+exports.JSONParser = JSONParser;
+
+JSONParser.prototype.initWithLength = function(length) {
+  this.data = new Buffer(length);
+};
+
+JSONParser.prototype.write = function(buffer) {
+  if (this.data.length >= this.bytesWritten + buffer.length) {
+    buffer.copy(this.data, this.bytesWritten);
+  } else {
+    this.data = Buffer.concat([this.data, buffer]);
+  }
+  this.bytesWritten += buffer.length;
+  return buffer.length;
+};
+
+JSONParser.prototype.end = function() {
+  try {
+    var fields = JSON.parse(this.data.toString('utf8'));
+    for (var field in fields) {
+      this.onField(field, fields[field]);
+    }
+  } catch (e) {
+    this.parent.emit('error', e);
+  }
+  this.data = null;
+
+  this.onEnd();
+};
diff --git a/node_modules/formidable/lib/multipart_parser.js b/node_modules/formidable/lib/multipart_parser.js
new file mode 100644
index 0000000..36de2b0
--- /dev/null
+++ b/node_modules/formidable/lib/multipart_parser.js
@@ -0,0 +1,332 @@
+var Buffer = require('buffer').Buffer,
+    s = 0,
+    S =
+    { PARSER_UNINITIALIZED: s++,
+      START: s++,
+      START_BOUNDARY: s++,
+      HEADER_FIELD_START: s++,
+      HEADER_FIELD: s++,
+      HEADER_VALUE_START: s++,
+      HEADER_VALUE: s++,
+      HEADER_VALUE_ALMOST_DONE: s++,
+      HEADERS_ALMOST_DONE: s++,
+      PART_DATA_START: s++,
+      PART_DATA: s++,
+      PART_END: s++,
+      END: s++
+    },
+
+    f = 1,
+    F =
+    { PART_BOUNDARY: f,
+      LAST_BOUNDARY: f *= 2
+    },
+
+    LF = 10,
+    CR = 13,
+    SPACE = 32,
+    HYPHEN = 45,
+    COLON = 58,
+    A = 97,
+    Z = 122,
+
+    lower = function(c) {
+      return c | 0x20;
+    };
+
+for (s in S) {
+  exports[s] = S[s];
+}
+
+function MultipartParser() {
+  this.boundary = null;
+  this.boundaryChars = null;
+  this.lookbehind = null;
+  this.state = S.PARSER_UNINITIALIZED;
+
+  this.index = null;
+  this.flags = 0;
+}
+exports.MultipartParser = MultipartParser;
+
+MultipartParser.stateToString = function(stateNumber) {
+  for (var state in S) {
+    var number = S[state];
+    if (number === stateNumber) return state;
+  }
+};
+
+MultipartParser.prototype.initWithBoundary = function(str) {
+  this.boundary = new Buffer(str.length+4);
+  this.boundary.write('\r\n--', 0);
+  this.boundary.write(str, 4);
+  this.lookbehind = new Buffer(this.boundary.length+8);
+  this.state = S.START;
+
+  this.boundaryChars = {};
+  for (var i = 0; i < this.boundary.length; i++) {
+    this.boundaryChars[this.boundary[i]] = true;
+  }
+};
+
+MultipartParser.prototype.write = function(buffer) {
+  var self = this,
+      i = 0,
+      len = buffer.length,
+      prevIndex = this.index,
+      index = this.index,
+      state = this.state,
+      flags = this.flags,
+      lookbehind = this.lookbehind,
+      boundary = this.boundary,
+      boundaryChars = this.boundaryChars,
+      boundaryLength = this.boundary.length,
+      boundaryEnd = boundaryLength - 1,
+      bufferLength = buffer.length,
+      c,
+      cl,
+
+      mark = function(name) {
+        self[name+'Mark'] = i;
+      },
+      clear = function(name) {
+        delete self[name+'Mark'];
+      },
+      callback = function(name, buffer, start, end) {
+        if (start !== undefined && start === end) {
+          return;
+        }
+
+        var callbackSymbol = 'on'+name.substr(0, 1).toUpperCase()+name.substr(1);
+        if (callbackSymbol in self) {
+          self[callbackSymbol](buffer, start, end);
+        }
+      },
+      dataCallback = function(name, clear) {
+        var markSymbol = name+'Mark';
+        if (!(markSymbol in self)) {
+          return;
+        }
+
+        if (!clear) {
+          callback(name, buffer, self[markSymbol], buffer.length);
+          self[markSymbol] = 0;
+        } else {
+          callback(name, buffer, self[markSymbol], i);
+          delete self[markSymbol];
+        }
+      };
+
+  for (i = 0; i < len; i++) {
+    c = buffer[i];
+    switch (state) {
+      case S.PARSER_UNINITIALIZED:
+        return i;
+      case S.START:
+        index = 0;
+        state = S.START_BOUNDARY;
+      case S.START_BOUNDARY:
+        if (index == boundary.length - 2) {
+          if (c == HYPHEN) {
+            flags |= F.LAST_BOUNDARY;
+          } else if (c != CR) {
+            return i;
+          }
+          index++;
+          break;
+        } else if (index - 1 == boundary.length - 2) {
+          if (flags & F.LAST_BOUNDARY && c == HYPHEN){
+            callback('end');
+            state = S.END;
+            flags = 0;
+          } else if (!(flags & F.LAST_BOUNDARY) && c == LF) {
+            index = 0;
+            callback('partBegin');
+            state = S.HEADER_FIELD_START;
+          } else {
+            return i;
+          }
+          break;
+        }
+
+        if (c != boundary[index+2]) {
+          index = -2;
+        }
+        if (c == boundary[index+2]) {
+          index++;
+        }
+        break;
+      case S.HEADER_FIELD_START:
+        state = S.HEADER_FIELD;
+        mark('headerField');
+        index = 0;
+      case S.HEADER_FIELD:
+        if (c == CR) {
+          clear('headerField');
+          state = S.HEADERS_ALMOST_DONE;
+          break;
+        }
+
+        index++;
+        if (c == HYPHEN) {
+          break;
+        }
+
+        if (c == COLON) {
+          if (index == 1) {
+            // empty header field
+            return i;
+          }
+          dataCallback('headerField', true);
+          state = S.HEADER_VALUE_START;
+          break;
+        }
+
+        cl = lower(c);
+        if (cl < A || cl > Z) {
+          return i;
+        }
+        break;
+      case S.HEADER_VALUE_START:
+        if (c == SPACE) {
+          break;
+        }
+
+        mark('headerValue');
+        state = S.HEADER_VALUE;
+      case S.HEADER_VALUE:
+        if (c == CR) {
+          dataCallback('headerValue', true);
+          callback('headerEnd');
+          state = S.HEADER_VALUE_ALMOST_DONE;
+        }
+        break;
+      case S.HEADER_VALUE_ALMOST_DONE:
+        if (c != LF) {
+          return i;
+        }
+        state = S.HEADER_FIELD_START;
+        break;
+      case S.HEADERS_ALMOST_DONE:
+        if (c != LF) {
+          return i;
+        }
+
+        callback('headersEnd');
+        state = S.PART_DATA_START;
+        break;
+      case S.PART_DATA_START:
+        state = S.PART_DATA;
+        mark('partData');
+      case S.PART_DATA:
+        prevIndex = index;
+
+        if (index === 0) {
+          // boyer-moore derrived algorithm to safely skip non-boundary data
+          i += boundaryEnd;
+          while (i < bufferLength && !(buffer[i] in boundaryChars)) {
+            i += boundaryLength;
+          }
+          i -= boundaryEnd;
+          c = buffer[i];
+        }
+
+        if (index < boundary.length) {
+          if (boundary[index] == c) {
+            if (index === 0) {
+              dataCallback('partData', true);
+            }
+            index++;
+          } else {
+            index = 0;
+          }
+        } else if (index == boundary.length) {
+          index++;
+          if (c == CR) {
+            // CR = part boundary
+            flags |= F.PART_BOUNDARY;
+          } else if (c == HYPHEN) {
+            // HYPHEN = end boundary
+            flags |= F.LAST_BOUNDARY;
+          } else {
+            index = 0;
+          }
+        } else if (index - 1 == boundary.length)  {
+          if (flags & F.PART_BOUNDARY) {
+            index = 0;
+            if (c == LF) {
+              // unset the PART_BOUNDARY flag
+              flags &= ~F.PART_BOUNDARY;
+              callback('partEnd');
+              callback('partBegin');
+              state = S.HEADER_FIELD_START;
+              break;
+            }
+          } else if (flags & F.LAST_BOUNDARY) {
+            if (c == HYPHEN) {
+              callback('partEnd');
+              callback('end');
+              state = S.END;
+              flags = 0;
+            } else {
+              index = 0;
+            }
+          } else {
+            index = 0;
+          }
+        }
+
+        if (index > 0) {
+          // when matching a possible boundary, keep a lookbehind reference
+          // in case it turns out to be a false lead
+          lookbehind[index-1] = c;
+        } else if (prevIndex > 0) {
+          // if our boundary turned out to be rubbish, the captured lookbehind
+          // belongs to partData
+          callback('partData', lookbehind, 0, prevIndex);
+          prevIndex = 0;
+          mark('partData');
+
+          // reconsider the current character even so it interrupted the sequence
+          // it could be the beginning of a new sequence
+          i--;
+        }
+
+        break;
+      case S.END:
+        break;
+      default:
+        return i;
+    }
+  }
+
+  dataCallback('headerField');
+  dataCallback('headerValue');
+  dataCallback('partData');
+
+  this.index = index;
+  this.state = state;
+  this.flags = flags;
+
+  return len;
+};
+
+MultipartParser.prototype.end = function() {
+  var callback = function(self, name) {
+    var callbackSymbol = 'on'+name.substr(0, 1).toUpperCase()+name.substr(1);
+    if (callbackSymbol in self) {
+      self[callbackSymbol]();
+    }
+  };
+  if ((this.state == S.HEADER_FIELD_START && this.index === 0) ||
+      (this.state == S.PART_DATA && this.index == this.boundary.length)) {
+    callback(this, 'partEnd');
+    callback(this, 'end');
+  } else if (this.state != S.END) {
+    return new Error('MultipartParser.end(): stream ended unexpectedly: ' + this.explain());
+  }
+};
+
+MultipartParser.prototype.explain = function() {
+  return 'state = ' + MultipartParser.stateToString(this.state);
+};
diff --git a/node_modules/formidable/lib/octet_parser.js b/node_modules/formidable/lib/octet_parser.js
new file mode 100644
index 0000000..6e8b551
--- /dev/null
+++ b/node_modules/formidable/lib/octet_parser.js
@@ -0,0 +1,20 @@
+var EventEmitter = require('events').EventEmitter
+	, util = require('util');
+
+function OctetParser(options){
+	if(!(this instanceof OctetParser)) return new OctetParser(options);
+	EventEmitter.call(this);
+}
+
+util.inherits(OctetParser, EventEmitter);
+
+exports.OctetParser = OctetParser;
+
+OctetParser.prototype.write = function(buffer) {
+    this.emit('data', buffer);
+	return buffer.length;
+};
+
+OctetParser.prototype.end = function() {
+	this.emit('end');
+};
diff --git a/node_modules/formidable/lib/querystring_parser.js b/node_modules/formidable/lib/querystring_parser.js
new file mode 100644
index 0000000..fcaffe0
--- /dev/null
+++ b/node_modules/formidable/lib/querystring_parser.js
@@ -0,0 +1,27 @@
+if (global.GENTLY) require = GENTLY.hijack(require);
+
+// This is a buffering parser, not quite as nice as the multipart one.
+// If I find time I'll rewrite this to be fully streaming as well
+var querystring = require('querystring');
+
+function QuerystringParser(maxKeys) {
+  this.maxKeys = maxKeys;
+  this.buffer = '';
+}
+exports.QuerystringParser = QuerystringParser;
+
+QuerystringParser.prototype.write = function(buffer) {
+  this.buffer += buffer.toString('ascii');
+  return buffer.length;
+};
+
+QuerystringParser.prototype.end = function() {
+  var fields = querystring.parse(this.buffer, '&', '=', { maxKeys: this.maxKeys });
+  for (var field in fields) {
+    this.onField(field, fields[field]);
+  }
+  this.buffer = '';
+
+  this.onEnd();
+};
+
diff --git a/node_modules/formidable/package.json b/node_modules/formidable/package.json
new file mode 100644
index 0000000..59bc64f
--- /dev/null
+++ b/node_modules/formidable/package.json
@@ -0,0 +1,114 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "formidable@1.1.1",
+        "scope": null,
+        "escapedName": "formidable",
+        "name": "formidable",
+        "rawSpec": "1.1.1",
+        "spec": "1.1.1",
+        "type": "version"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/koa-body"
+    ]
+  ],
+  "_from": "formidable@1.1.1",
+  "_id": "formidable@1.1.1",
+  "_inCache": true,
+  "_location": "/formidable",
+  "_nodeVersion": "7.2.1",
+  "_npmOperationalInternal": {
+    "host": "packages-12-west.internal.npmjs.com",
+    "tmp": "tmp/formidable-1.1.1.tgz_1484514649272_0.35996662196703255"
+  },
+  "_npmUser": {
+    "name": "kornel",
+    "email": "pornel@pornel.net"
+  },
+  "_npmVersion": "4.0.5",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "formidable@1.1.1",
+    "scope": null,
+    "escapedName": "formidable",
+    "name": "formidable",
+    "rawSpec": "1.1.1",
+    "spec": "1.1.1",
+    "type": "version"
+  },
+  "_requiredBy": [
+    "/koa-body"
+  ],
+  "_resolved": "https://registry.npmjs.org/formidable/-/formidable-1.1.1.tgz",
+  "_shasum": "96b8886f7c3c3508b932d6bd70c4d3a88f35f1a9",
+  "_shrinkwrap": null,
+  "_spec": "formidable@1.1.1",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/koa-body",
+  "bugs": {
+    "url": "http://github.com/felixge/node-formidable/issues"
+  },
+  "dependencies": {},
+  "description": "A node.js module for parsing form data, especially file uploads.",
+  "devDependencies": {
+    "findit": "^0.1.2",
+    "gently": "^0.8.0",
+    "hashish": "^0.0.4",
+    "request": "^2.11.4",
+    "urun": "^0.0.6",
+    "utest": "^0.0.8"
+  },
+  "directories": {
+    "lib": "./lib"
+  },
+  "dist": {
+    "shasum": "96b8886f7c3c3508b932d6bd70c4d3a88f35f1a9",
+    "tarball": "https://registry.npmjs.org/formidable/-/formidable-1.1.1.tgz"
+  },
+  "engines": {
+    "node": ">=0.8.0"
+  },
+  "gitHead": "7a36a8e932044252fe648c81dbd8cf837d0178d0",
+  "homepage": "https://github.com/felixge/node-formidable",
+  "license": "MIT",
+  "main": "./lib/index",
+  "maintainers": [
+    {
+      "name": "felixge",
+      "email": "felix@debuggable.com"
+    },
+    {
+      "name": "kornel",
+      "email": "pornel@pornel.net"
+    },
+    {
+      "name": "superjoe",
+      "email": "superjoe30@gmail.com"
+    },
+    {
+      "name": "svnlto",
+      "email": "me@svenlito.com"
+    },
+    {
+      "name": "tim-smart",
+      "email": "tim@fostle.com"
+    },
+    {
+      "name": "tunnckocore",
+      "email": "mameto_100@mail.bg"
+    }
+  ],
+  "name": "formidable",
+  "optionalDependencies": {},
+  "readme": "# Formidable\n\n[![Build Status](https://travis-ci.org/felixge/node-formidable.svg?branch=master)](https://travis-ci.org/felixge/node-formidable)\n\n## Purpose\n\nA Node.js module for parsing form data, especially file uploads.\n\n## Current status\n\n**Maintainers Wanted:** Please see https://github.com/felixge/node-formidable/issues/412\n\nThis module was developed for [Transloadit](http://transloadit.com/), a service focused on uploading\nand encoding images and videos. It has been battle-tested against hundreds of GB of file uploads from\na large variety of clients and is considered production-ready.\n\n## Features\n\n* Fast (~500mb/sec), non-buffering multipart parser\n* Automatically writing file uploads to disk\n* Low memory footprint\n* Graceful error handling\n* Very high test coverage\n\n## Installation\n\n```sh\nnpm i -S formidable\n```\n\nThis is a low level package, and if you're using a high level framework such as Express, chances are it's already included in it. You can [read this discussion](http://stackoverflow.com/questions/11295554/how-to-disable-express-bodyparser-for-file-uploads-node-js) about how Formidable is integrated with Express.\n\nNote: Formidable requires [gently](http://github.com/felixge/node-gently) to run the unit tests, but you won't need it for just using the library.\n\n## Example\n\nParse an incoming file upload.\n```javascript\nvar formidable = require('formidable'),\n    http = require('http'),\n    util = require('util');\n\nhttp.createServer(function(req, res) {\n  if (req.url == '/upload' && req.method.toLowerCase() == 'post') {\n    // parse a file upload\n    var form = new formidable.IncomingForm();\n\n    form.parse(req, function(err, fields, files) {\n      res.writeHead(200, {'content-type': 'text/plain'});\n      res.write('received upload:\\n\\n');\n      res.end(util.inspect({fields: fields, files: files}));\n    });\n\n    return;\n  }\n\n  // show a file upload form\n  res.writeHead(200, {'content-type': 'text/html'});\n  res.end(\n    '<form action=\"/upload\" enctype=\"multipart/form-data\" method=\"post\">'+\n    '<input type=\"text\" name=\"title\"><br>'+\n    '<input type=\"file\" name=\"upload\" multiple=\"multiple\"><br>'+\n    '<input type=\"submit\" value=\"Upload\">'+\n    '</form>'\n  );\n}).listen(8080);\n```\n## API\n\n### Formidable.IncomingForm\n```javascript\nvar form = new formidable.IncomingForm()\n```\nCreates a new incoming form.\n\n```javascript\nform.encoding = 'utf-8';\n```\nSets encoding for incoming form fields.\n\n```javascript\nform.uploadDir = \"/my/dir\";\n```\nSets the directory for placing file uploads in. You can move them later on using\n`fs.rename()`. The default is `os.tmpdir()`.\n\n```javascript\nform.keepExtensions = false;\n```\nIf you want the files written to `form.uploadDir` to include the extensions of the original files, set this property to `true`.\n\n```javascript\nform.type\n```\nEither 'multipart' or 'urlencoded' depending on the incoming request.\n\n```javascript\nform.maxFieldsSize = 2 * 1024 * 1024;\n```\nLimits the amount of memory all fields together (except files) can allocate in bytes.\nIf this value is exceeded, an `'error'` event is emitted. The default\nsize is 2MB.\n\n```javascript\nform.maxFields = 1000;\n```\nLimits the number of fields that the querystring parser will decode. Defaults\nto 1000 (0 for unlimited).\n\n```javascript\nform.hash = false;\n```\nIf you want checksums calculated for incoming files, set this to either `'sha1'` or `'md5'`.\n\n```javascript\nform.multiples = false;\n```\nIf this option is enabled, when you call `form.parse`, the `files` argument will contain arrays of files for inputs which submit multiple files using the HTML5 `multiple` attribute.\n\n```javascript\nform.bytesReceived\n```\nThe amount of bytes received for this form so far.\n\n```javascript\nform.bytesExpected\n```\nThe expected number of bytes in this form.\n\n```javascript\nform.parse(request, [cb]);\n```\nParses an incoming node.js `request` containing form data. If `cb` is provided, all fields and files are collected and passed to the callback:\n\n\n```javascript\nform.parse(req, function(err, fields, files) {\n  // ...\n});\n\nform.onPart(part);\n```\nYou may overwrite this method if you are interested in directly accessing the multipart stream. Doing so will disable any `'field'` / `'file'` events  processing which would occur otherwise, making you fully responsible for handling the processing.\n\n```javascript\nform.onPart = function(part) {\n  part.addListener('data', function() {\n    // ...\n  });\n}\n```\nIf you want to use formidable to only handle certain parts for you, you can do so:\n```javascript\nform.onPart = function(part) {\n  if (!part.filename) {\n    // let formidable handle all non-file parts\n    form.handlePart(part);\n  }\n}\n```\nCheck the code in this method for further inspiration.\n\n\n### Formidable.File\n```javascript\nfile.size = 0\n```\nThe size of the uploaded file in bytes. If the file is still being uploaded (see `'fileBegin'` event), this property says how many bytes of the file have been written to disk yet.\n```javascript\nfile.path = null\n```\nThe path this file is being written to. You can modify this in the `'fileBegin'` event in\ncase you are unhappy with the way formidable generates a temporary path for your files.\n```javascript\nfile.name = null\n```\nThe name this file had according to the uploading client.\n```javascript\nfile.type = null\n```\nThe mime type of this file, according to the uploading client.\n```javascript\nfile.lastModifiedDate = null\n```\nA date object (or `null`) containing the time this file was last written to. Mostly\nhere for compatibility with the [W3C File API Draft](http://dev.w3.org/2006/webapi/FileAPI/).\n```javascript\nfile.hash = null\n```\nIf hash calculation was set, you can read the hex digest out of this var.\n\n#### Formidable.File#toJSON()\n\n  This method returns a JSON-representation of the file, allowing you to\n  `JSON.stringify()` the file which is useful for logging and responding\n  to requests.\n\n### Events\n\n\n#### 'progress'\n\nEmitted after each incoming chunk of data that has been parsed. Can be used to roll your own progress bar.\n\n```javascript\nform.on('progress', function(bytesReceived, bytesExpected) {\n});\n```\n\n\n\n#### 'field'\n\nEmitted whenever a field / value pair has been received.\n\n```javascript\nform.on('field', function(name, value) {\n});\n```\n\n#### 'fileBegin'\n\nEmitted whenever a new file is detected in the upload stream. Use this event if\nyou want to stream the file to somewhere else while buffering the upload on\nthe file system.\n\n```javascript\nform.on('fileBegin', function(name, file) {\n});\n```\n\n#### 'file'\n\nEmitted whenever a field / file pair has been received. `file` is an instance of `File`.\n\n```javascript\nform.on('file', function(name, file) {\n});\n```\n\n#### 'error'\n\nEmitted when there is an error processing the incoming form. A request that experiences an error is automatically paused, you will have to manually call `request.resume()` if you want the request to continue firing `'data'` events.\n\n```javascript\nform.on('error', function(err) {\n});\n```\n\n#### 'aborted'\n\n\nEmitted when the request was aborted by the user. Right now this can be due to a 'timeout' or 'close' event on the socket. After this event is emitted, an `error` event will follow. In the future there will be a separate 'timeout' event (needs a change in the node core).\n```javascript\nform.on('aborted', function() {\n});\n```\n\n##### 'end'\n```javascript\nform.on('end', function() {\n});\n```\nEmitted when the entire request has been received, and all contained files have finished flushing to disk. This is a great place for you to send your response.\n\n\n\n## Changelog\n\n### v1.1.1 (2017-01-15)\n\n * Fix DeprecationWarning about os.tmpDir() (Christian)\n * Update `buffer.write` order of arguments for Node 7 (Kornel Lesiński)\n * JSON Parser emits error events to the IncomingForm (alessio.montagnani)\n * Improved Content-Disposition parsing (Sebastien)\n * Access WriteStream of fs during runtime instead of include time (Jonas Amundsen)\n * Use built-in toString to convert buffer to hex (Charmander)\n * Add hash to json if present (Nick Stamas)\n * Add license to package.json (Simen Bekkhus)\n\n### v1.0.14 (2013-05-03)\n\n* Add failing hash tests. (Ben Trask)\n* Enable hash calculation again (Eugene Girshov)\n* Test for immediate data events (Tim Smart)\n* Re-arrange IncomingForm#parse (Tim Smart)\n\n### v1.0.13\n\n* Only update hash if update method exists (Sven Lito)\n* According to travis v0.10 needs to go quoted (Sven Lito)\n* Bumping build node versions (Sven Lito)\n* Additional fix for empty requests (Eugene Girshov)\n* Change the default to 1000, to match the new Node behaviour. (OrangeDog)\n* Add ability to control maxKeys in the querystring parser. (OrangeDog)\n* Adjust test case to work with node 0.9.x (Eugene Girshov)\n* Update package.json (Sven Lito)\n* Path adjustment according to eb4468b (Markus Ast)\n\n### v1.0.12\n\n* Emit error on aborted connections (Eugene Girshov)\n* Add support for empty requests (Eugene Girshov)\n* Fix name/filename handling in Content-Disposition (jesperp)\n* Tolerate malformed closing boundary in multipart (Eugene Girshov)\n* Ignore preamble in multipart messages (Eugene Girshov)\n* Add support for application/json (Mike Frey, Carlos Rodriguez)\n* Add support for Base64 encoding (Elmer Bulthuis)\n* Add File#toJSON (TJ Holowaychuk)\n* Remove support for Node.js 0.4 & 0.6 (Andrew Kelley)\n* Documentation improvements (Sven Lito, Andre Azevedo)\n* Add support for application/octet-stream (Ion Lupascu, Chris Scribner)\n* Use os.tmpdir() to get tmp directory (Andrew Kelley)\n* Improve package.json (Andrew Kelley, Sven Lito)\n* Fix benchmark script (Andrew Kelley)\n* Fix scope issue in incoming_forms (Sven Lito)\n* Fix file handle leak on error (OrangeDog)\n\n## License\n\nFormidable is licensed under the MIT license.\n\n## Ports\n\n* [multipart-parser](http://github.com/FooBarWidget/multipart-parser): a C++ parser based on formidable\n\n## Credits\n\n* [Ryan Dahl](http://twitter.com/ryah) for his work on [http-parser](http://github.com/ry/http-parser) which heavily inspired multipart_parser.js\n",
+  "readmeFilename": "Readme.md",
+  "repository": {
+    "type": "git",
+    "url": "git://github.com/felixge/node-formidable.git"
+  },
+  "scripts": {
+    "clean": "rm test/tmp/*",
+    "test": "node test/run.js"
+  },
+  "version": "1.1.1"
+}
diff --git a/node_modules/fs/README.md b/node_modules/fs/README.md
new file mode 100644
index 0000000..5e9a74c
--- /dev/null
+++ b/node_modules/fs/README.md
@@ -0,0 +1,9 @@
+# Security holding package
+
+This package name is not currently in use, but was formerly occupied
+by another package. To avoid malicious use, npm is hanging on to the
+package name, but loosely, and we'll probably give it to you if you
+want it.
+
+You may adopt this package by contacting support@npmjs.com and
+requesting the name.
diff --git a/node_modules/fs/package.json b/node_modules/fs/package.json
new file mode 100644
index 0000000..da8952a
--- /dev/null
+++ b/node_modules/fs/package.json
@@ -0,0 +1,79 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "fs",
+        "scope": null,
+        "escapedName": "fs",
+        "name": "fs",
+        "rawSpec": "",
+        "spec": "latest",
+        "type": "tag"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/util/Agora_Recording_SDK_for_Linux_FULL/samples"
+    ]
+  ],
+  "_from": "fs@latest",
+  "_id": "fs@0.0.1-security",
+  "_inCache": true,
+  "_location": "/fs",
+  "_nodeVersion": "4.1.2",
+  "_npmUser": {
+    "name": "ehsalazar",
+    "email": "ernie@npmjs.com"
+  },
+  "_npmVersion": "3.10.5",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "fs",
+    "scope": null,
+    "escapedName": "fs",
+    "name": "fs",
+    "rawSpec": "",
+    "spec": "latest",
+    "type": "tag"
+  },
+  "_requiredBy": [
+    "#DEV:/",
+    "#USER"
+  ],
+  "_resolved": "https://registry.npmjs.org/fs/-/fs-0.0.1-security.tgz",
+  "_shasum": "8a7bd37186b6dddf3813f23858b57ecaaf5e41d4",
+  "_shrinkwrap": null,
+  "_spec": "fs",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/util/Agora_Recording_SDK_for_Linux_FULL/samples",
+  "author": "",
+  "bugs": {
+    "url": "https://github.com/npm/security-holder/issues"
+  },
+  "dependencies": {},
+  "description": "This package name is not currently in use, but was formerly occupied by another package. To avoid malicious use, npm is hanging on to the package name, but loosely, and we'll probably give it to you if you want it.",
+  "devDependencies": {},
+  "directories": {},
+  "dist": {
+    "shasum": "8a7bd37186b6dddf3813f23858b57ecaaf5e41d4",
+    "tarball": "https://registry.npmjs.org/fs/-/fs-0.0.1-security.tgz"
+  },
+  "homepage": "https://github.com/npm/security-holder#readme",
+  "keywords": [],
+  "license": "ISC",
+  "main": "index.js",
+  "maintainers": [
+    {
+      "name": "ehsalazar",
+      "email": "ernie@npmjs.com"
+    }
+  ],
+  "name": "fs",
+  "optionalDependencies": {},
+  "readme": "# Security holding package\n\nThis package name is not currently in use, but was formerly occupied\nby another package. To avoid malicious use, npm is hanging on to the\npackage name, but loosely, and we'll probably give it to you if you\nwant it.\n\nYou may adopt this package by contacting support@npmjs.com and\nrequesting the name.\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git+https://github.com/npm/security-holder.git"
+  },
+  "scripts": {
+    "test": "echo \"Error: no test specified\" && exit 1"
+  },
+  "version": "0.0.1-security"
+}
diff --git a/node_modules/gm/.npmignore b/node_modules/gm/.npmignore
new file mode 100644
index 0000000..fc23d5d
--- /dev/null
+++ b/node_modules/gm/.npmignore
@@ -0,0 +1,2 @@
+test/
+examples/
diff --git a/node_modules/gm/.travis.yml b/node_modules/gm/.travis.yml
new file mode 100644
index 0000000..22b95e9
--- /dev/null
+++ b/node_modules/gm/.travis.yml
@@ -0,0 +1,10 @@
+before_install:
+  - sudo apt-get update
+  - sudo apt-get install imagemagick graphicsmagick
+language: node_js
+node_js:
+  - "6"
+  - "4"
+  - "0.10"
+  - "0.12"
+  - "iojs-v2"
diff --git a/node_modules/gm/1 b/node_modules/gm/1
new file mode 100644
index 0000000..e914766
--- /dev/null
+++ b/node_modules/gm/1
@@ -0,0 +1 @@
+fatal: Invalid refspec '/dev/null'
diff --git a/node_modules/gm/History.md b/node_modules/gm/History.md
new file mode 100644
index 0000000..08173d6
--- /dev/null
+++ b/node_modules/gm/History.md
@@ -0,0 +1,568 @@
+
+1.23.0 / 2016-08-03
+
+ * fixed; webpack support #547 sean-shirazi
+ * fixed; windows support - use cross-spawn to spawn processes #537 bdukes
+ * added; allow thumbnail to accept the same options as resize #527 Sebmaster
+ * added; dispose support #487 dlwr
+ * docs; add example of loading image from URL #544 wahengchang
+ * docs; Fix a link in README.md #532 clbn
+ * travis; update travis versions #551 amilajack
+
+1.22.0 / 2016-04-07
+
+ * fixed; identity parser: support multi-value keys by creating an array #508 #509 [emaniacs](https://github.com/emaniacs)
+ * fixed; error handling if gm is not installed #499 [aeo3](https://github.com/aeo3)
+ * fixed; highlightColor typo in compare #504 [DanielHudson](https://github.com/DanielHudson)
+ * docs; Fix typo #475 [rodrigoalviani](https://github.com/rodrigoalviani)
+
+1.21.1 / 2015-10-26
+
+* fixed: Fixed #465 hard coded gm binary, also fixed issues with compare and fixed tests so they will fail on subsequent runs when they should do [rwky](https://github.com/rwky)
+
+1.21.0 / 2015-10-26 **contains security fix**
+
+* fixed: gm.compare fails to escape arguments properly (Reported by Brendan Scarvell) [rwky](https://github.com/rwky)
+
+1.20.0 / 2015-09-23
+
+* changed: Reverted "Add format inference from filename for buffers/streams" due to errors #448
+
+1.19.0 / 2015-09-16
+
+* changed: Added error to notify about image magick not supporting minify [encima](https://github.com/encima)
+* changed: Refactored orientation getter to use faster identify call [lbeschastny](https://github.com/lbeschastny)
+* added: resizeExact function [DanMMX](https://github.com/DanMMX)
+* added: thumbExact function [DanMMX](https://github.com/DanMMX)
+* added: Add format inference from filename for buffers/streams [adurrive](https://github.com/adurrive)
+* fixed: Hex values when passed to compare aren't quoted automatically [DanMMX](https://github.com/DanMMX)
+* fixed: identify returning last frame size instead of the larges on animated gifs [preynal](https://github.com/preynal)
+* docs: Updated docs [laurilehmijoki](https://github.com/laurilehmijoki)
+
+1.18.1 / 2015-05-18
+
+* changed: Added io.js support [rwky](https://github.com/rwky)
+
+1.18.0 / 2015-05-18
+
+* changed: Removed support for node 0.8 and added support for 0.12 [rwky](https://github.com/rwky)
+* changed: Listen to stdin error event for spawn errors [kapouer](https://github.com/kapouer)
+* changed: Improved error handling when gm isn't installed [FreshXOpenSource](https://github.com/FreshXOpenSource)
+* changed: Allow append method to use an array of arguments [emohacker](https://github.com/emohacker)
+* changed: appPath option now specifies full path to gm binary John Borkowski
+* changed: Ignore warning messages for identify [asrail](https://github.com/asrail)
+* added: Montage method [donaldpcook](https://github.com/donaldpcook)
+* added: Progressive option to thumb [mohebifar](https://github.com/mohebifar)
+* added: Native gm auto-orient for use with gm >= 1.3.18 [bog](https://github.com/bog)
+* added: Timeout support by passing the timeout option in milliseconds [marcbachmann](https://github.com/marcbachmann)
+* fixed: density when using ImageMagick [syzer](https://github.com/syzer)
+* fixed: resize behaviour for falsy values [adius](https://github.com/adius)
+
+
+1.17.0 / 2014-10-28
+==================
+
+ * changed: extended compare callback also returns the file names #297 [mastix](https://github.com/mastix)
+ * changed: pass spawn crash to callback #306 [medikoo](https://github.com/medikoo)
+ * changed: geometry supports arbitary string as first argument #330 [jdiez17](https://github.com/jdiez17)
+ * added: support for repage+ option #275 [desigens](https://github.com/desigens)
+ * added: added the dissolve command #300 [microadm](https://github.com/microadam)
+ * added: composite method #332 [jdiez17](https://github.com/jdiez17)
+ * fixed: cannot set tolerance to 0 #302 [rwky](https://github.com/rwky)
+ * fixed: handle empty buffers #330 [alcidesv](https://github.com/alcidesv)
+
+1.16.0 / 2014-05-09
+==================
+
+ * fixed; dropped "+" when 0 passed as vertical roll amt #267 [dwtkns](https://github.com/dwtkns)
+ * added; highlight-style support #272 [fdecampredon](https://github.com/fdecampredon)
+
+1.15.0 / 2014-05-03
+===================
+
+ * changed; gm.compare logic to always run the mse comparison as expected #258 [Vokkim](https://github.com/Vokkim)
+ * added; `tolerance` to gm.compare options object #258 [Vokkim](https://github.com/Vokkim)
+ * added; option to set ImageMagick application path explicitly #250 (akreitals)
+ * fixed; gm.compare: support values like 9.51582e-05 #260 [normanrz](https://github.com/normanrz)
+ * README: add call for maintainers
+
+1.14.2 / 2013-12-24
+===================
+
+* fixed; background is now a setting #246 (PEM--)
+
+1.14.1 / 2013-12-09
+===================
+
+* fixed; identify -verbose colon behavior #240 ludow
+
+1.14.0 / 2013-12-04
+===================
+
+* added; compare method for imagemagick (longlho)
+
+1.13.3 / 2013-10-22
+===================
+
+* fixed; escape diffOptions.file in compare (dwabyick)
+
+1.13.2 / 2013-10-18
+===================
+
+* fixed; density is a setting not an operator
+
+1.13.1 / 2013-09-15
+===================
+
+* added; boolean for % crop
+
+1.13.0 / 2013-09-07
+===================
+
+* added; morph more than two images (overra)
+
+1.12.2 / 2013-08-29
+===================
+
+* fixed; fallback to through in node 0.8
+
+1.12.1 / 2013-08-29 (unpublished)
+===================
+
+* refactor; replace through with stream.PassThrough
+
+1.12.0 / 2013-08-27
+===================
+
+* added; diff image output file (chenglou)
+
+1.11.1 / 2013-08-17
+===================
+
+* added; proto.selectFrame(#)
+* fixed; getters should not ignore frame selection
+
+1.11.0 / 2013-07-23
+===================
+
+* added; optional formatting string for gm().identify(format, callback) (tornillo)
+* removed; error messages when gm/im binary is not installed
+
+1.10.0 / 2013-06-27
+===================
+
+* refactor; use native `-auto-orient` for imagemagick
+
+1.9.2 / 2013-06-12
+==================
+
+  * refactor; move `streamToBuffer` to a separate module
+  * fixed; .stream(format) without a callback
+
+1.9.1 / 2013-05-07
+==================
+
+  * fixed; gm().resize(width) always only resizes width
+  * fixed; gm('img.gif').format() returns the format of the first frame
+
+1.9.0 / 2013-04-21
+==================
+
+  * added; node v0.10 support
+  * removed; node < v0.8 support - `Buffer.concat()`
+  * tests; all tests now run on Travis
+  * added; gm().stream() returns a stream when no callback is present
+  * added; gm().toBuffer(callback)
+  * fixed; gm().size() only returns the size of the first frame of a GIF
+
+1.8.2 / 2013-03-07
+==================
+
+  * include source path in identify data #126 [soupdiver](https://github.com/soupdiver)
+
+1.8.1 / 2012-12-21
+==================
+
+  * Avoid losing already set arguments on identify #105 #113 #109 [JNissi](https://github.com/JNissi)
+  * tests; add autoOrient + thumb() test
+  * tests; add test case for #113
+  * tests; added test for #109
+  * tests; add resize on buffer test
+
+1.8.0 / 2012-12-14
+==================
+
+  * added; geometry support to scale() #98
+  * removed; incorrect/broken dissolve() method (never worked)
+  * fixed; handle child_proc error when using Buffer input #109
+  * fixed; use of Buffers with identify() #109
+  * fixed; no longer include -size arg with resize() #98
+  * fixed; remove -size arg from extent() #103
+  * fixed; magnify support
+  * fixed; autoOrient to work with all types of exif orientations [dambalah](https://github.com/dambalah) #108
+  * tests; npm test runs unit only (now compatible with travis)
+  * tests; fix magnify test on imagemagick
+  * tests; added for cmd line args
+
+1.7.0 / 2012-12-06
+==================
+
+  * added; gm.compare support
+  * added; passing Buffers directly [danmilon](https://github.com/danmilon)
+
+1.6.1 / 2012-11-13
+==================
+
+  * fixed regression; only pass additional params on error #96
+
+1.6.0 / 2012-11-10
+==================
+
+  * changed; rename internal buffer to _buffer #88 [kof](https://github.com/kof)
+  * changed; optimized identify getters (format, depth, size, color, filesize). #83 please read this for details: https://github.com/aheckmann/gm/commit/8fcf3f8f84a02cc2001da874cbebb89bf7084409
+  * added; visionmedia/debug support
+  * added; `gm convert -thumbnail` support. _differs from thumb()._ [danmilon](https://github.com/danmilon)
+  * fixed; -rotate 0 support #90
+  * fixed; multi-execution of same gm instance arguments corruption
+  * fixed; gracefully handle parser errors #94 [eldilibra](https://github.com/eldilibra)
+
+1.5.1 / 2012-10-02
+==================
+
+  * fixed; passing multiple paths to append() #77
+
+1.5.0 / 2012-09-15
+==================
+
+  * fixed; callback scope
+  * fixed; append() usage #77
+
+1.4.2 / 2012-08-17
+==================
+
+  * fixed; identify parsing for ImageMagick exif data (#58)
+  * fixed; when in imageMagick mode, complain about missing imageMagick [bcherry](https://github.com/bcherry) (#73)
+  * added; tests
+
+1.4.1 / 2012-07-31
+==================
+
+  * fixed; scenes() args
+  * fixed; accept the left-to-right arg of append()
+  * added; _subCommand
+
+## v1.4 - 07/28/2012
+
+  * added; adjoin() [Math-]
+  * added; affine() [Math-]
+  * added; append() [Math-]
+  * added; authenticate() [Math-]
+  * added; average() [Math-]
+  * added; backdrop() [Math-]
+  * added; blackThreshold() [Math-]
+  * added; bluePrimary() [Math-]
+  * added; border() [Math-]
+  * added; borderColor() [Math-]
+  * added; box() [Math-]
+  * added; channel() [Math-]
+  * added; clip() [Math-]
+  * added; coalesce() [Math-]
+  * added; colorMap() [Math-]
+  * added; compose() [Math-]
+  * added; compress() [Math-]
+  * added; convolve() [Math-]
+  * added; createDirectories() [Math-]
+  * added; deconstruct() [Math-]
+  * added; delay() [Math-]
+  * added; define() [Math-]
+  * added; displace() [Math-]
+  * added; display() [Math-]
+  * added; dispose() [Math-]
+  * added; disolve() [Math-]
+  * added; encoding() [Math-]
+  * added; endian() [Math-]
+  * added; file() [Math-]
+  * added; flatten() [Math-]
+  * added; foreground() [Math-]
+  * added; frame() [Math-]
+  * added; fuzz() [Math-]
+  * added; gaussian() [Math-]
+  * added; geometry() [Math-]
+  * added; greenPrimary() [Math-]
+  * added; highlightColor() [Math-]
+  * added; highlightStyle() [Math-]
+  * added; iconGeometry() [Math-]
+  * added; intent() [Math-]
+  * added; lat() [Math-]
+  * added; level() [Math-]
+  * added; list() [Math-]
+  * added; log() [Math-]
+  * added; map() [Math-]
+  * added; matte() [Math-]
+  * added; matteColor() [Math-]
+  * added; mask() [Math-]
+  * added; maximumError() [Math-]
+  * added; mode() [Math-]
+  * added; monitor() [Math-]
+  * added; mosaic() [Math-]
+  * added; motionBlur() [Math-]
+  * added; name() [Math-]
+  * added; noop() [Math-]
+  * added; normalize() [Math-]
+  * added; opaque() [Math-]
+  * added; operator() [Math-]
+  * added; orderedDither() [Math-]
+  * added; outputDirectory() [Math-]
+  * added; page() [Math-]
+  * added; pause() [Math-]
+  * added; pen() [Math-]
+  * added; ping() [Math-]
+  * added; pointSize() [Math-]
+  * added; preview() [Math-]
+  * added; process() [Math-]
+  * added; profile() [Math-]
+  * added; progress() [Math-]
+  * added; rawSize() [Math-]
+  * added; randomThreshold() [Math-]
+  * added; recolor() [Math-]
+  * added; redPrimary() [Math-]
+  * added; remote() [Math-]
+  * added; render() [Math-]
+  * added; repage() [Math-]
+  * added; sample() [Math-]
+  * added; samplingFactor() [Math-]
+  * added; scene() [Math-]
+  * added; scenes() [Math-]
+  * added; screen() [Math-]
+  * added; segment() [Math-]
+  * added; set() [Math-]
+  * added; shade() [Math-]
+  * added; shadow() [Math-]
+  * added; sharedMemory() [Math-]
+  * added; shave() [Math-]
+  * added; shear() [Math-]
+  * added; silent() [Math-]
+  * added; snaps() [Math-]
+  * added; stagano() [Math-]
+  * added; stereo() [Math-]
+  * added; textFont() [Math-]
+  * added; texture() [Math-]
+  * added; threshold() [Math-]
+  * added; tile() [Math-]
+  * added; transform() [Math-]
+  * added; transparent() [Math-]
+  * added; treeDepth() [Math-]
+  * added; update() [Math-]
+  * added; units() [Math-]
+  * added; unsharp() [Math-]
+  * added; usePixmap() [Math-]
+  * added; view() [Math-]
+  * added; virtualPixel() [Math-]
+  * added; visual() [Math-]
+  * added; watermark() [Math-]
+  * added; wave() [Math-]
+  * added; whitePoint() [Math-]
+  * added; whiteThreshold() [Math-]
+  * added; window() [Math-]
+  * added; windowGroup() [Math-]
+
+## v1.3.2 - 06/22/2012
+
+  * added; node >= 0.7/0.8 compat
+
+## v1.3.1 - 06/06/2012
+
+  * fixed; thumb() alignment and cropping [thomaschaaf]
+  * added; hint when graphicsmagick is not installed (#62)
+  * fixed; minify() (#59)
+
+## v1.3.0 - 04/11/2012
+
+  * added; flatten support [jwarchol]
+  * added; background support [jwarchol]
+  * fixed; identify parser error [chriso]
+
+## v1.2.0 - 03/30/2012
+
+  * added; extent and gravity support [jwarchol]
+
+## v1.1.0 - 03/15/2012
+
+  * added; filter() support [travisbeck]
+  * added; density() [travisbeck]
+  * fixed; permit either width or height in resize [dambalah]
+  * updated; docs
+
+## v1.0.5 - 02/15/2012
+
+  * added; strip() support [Math-]
+  * added; interlace() support [Math-]
+  * added; setFormat() support [Math-]
+  * fixed; regexps for image types [Math-]
+
+## v1.0.4 - 02/09/2012
+
+  * expose utils
+
+## v1.0.3 - 01/27/2012
+
+  * removed; console.log
+
+## v1.0.2 - 01/24/2012
+
+  * added; debugging info on parser errors
+  * fixed; exports.version
+
+## v1.0.1 - 01/12/2012
+
+  * fixed; use of reserved keyword `super` for node v0.5+
+
+## v1.0.0 - 01/12/2012
+
+  * added; autoOrient support [kainosnoema] (#21)
+  * added; orientation support [kainosnoema] (#21)
+  * fixed; identify parser now properly JSON formats all data output by `gm identify` such as IPTC, GPS, Make, etc (#20)
+  * added; support for running as imagemagick (#23, #29)
+  * added; subclassing support; useful for setting default constructor options like one constructor for ImageMagick, the other for GM
+  * added; more tests
+  * changed; remove redundant `orientation`, `resolution`, and `filesize` from `this.data` in `indentify()`. Use their uppercase equivalents.
+
+## v0.6.0 - 12/14/2011
+
+  * added; stream support [kainosnoema] (#22)
+
+## v0.5.0 - 07/07/2011
+
+  * added; gm#trim() support [lepokle]
+  * added; gm#inputIs() support
+  * fixed; 'geometry does not contain image' error: gh-17
+
+## v0.4.3 - 05/17/2011
+
+  * added; bunch of tests
+  * fixed; polygon, polyline, bezier drawing bug
+
+## v0.4.2 - 05/10/2011
+
+  * added; resize options support
+
+## v0.4.1 - 04/28/2011
+
+  * shell args are now escaped (thanks @visionmedia)
+  * added; gm.in()
+  * added; gm.out()
+  * various refactoring
+
+## v0.4.0 - 9/21/2010
+
+  * removed deprecated `new` method
+  * added drawing docs
+
+## v0.3.2 - 9/06/2010
+
+  * new images are now created using same gm() constructor
+
+## v0.3.1 - 9/06/2010
+
+  * can now create images from scratch
+  * add type method
+
+## v0.3.0 - 8/26/2010
+
+  * add drawing api
+
+## v0.2.2 - 8/22/2010
+
+  * add quality option to thumb()
+  * add teropa to contributors
+  * added support for colorspace()
+
+## v0.2.1 - 7/31/2010
+
+  * fixed naming conflict. depth() manipulation method renamed bitdepth()
+  * added better docs
+
+## v0.2.0 - 7/29/2010
+
+new methods
+
+  - swirl
+  - spread
+  - solarize
+  - sharpen
+  - roll
+  - sepia
+  - region
+  - raise
+  - lower
+  - paint
+  - noise
+  - negative
+  - morph
+  - median
+  - antialias
+  - limit
+  - label
+  - implode
+  - gamma
+  - enhance
+  - equalize
+  - emboss
+  - edge
+  - dither
+  - monochrome
+  - despeckle
+  - depth
+  - cycle
+  - contrast
+  - comment
+  - colors
+
+added more default args to several methods
+added more examples
+
+
+## v0.1.2 - 7/28/2010
+
+  * refactor project into separate modules
+
+
+## v0.1.1 - 7/27/2010
+
+  * add modulate method
+  * add colorize method
+  * add charcoal method
+  * add chop method
+  * bug fix in write without a callback
+
+
+## v0.1.0 - 6/27/2010
+
+  * no longer supporting mogrify
+  * add image data getter methods
+
+    * size
+    * format
+    * color
+    * res
+    * depth
+    * filesize
+    * identify
+
+  * add new convert methods
+
+    * scale
+    * resample
+    * rotate
+    * flip
+    * flop
+    * crop
+    * magnify
+    * minify
+    * quality
+    * blur
+    * thumb
+
+
+## v0.0.1 - 6/11/2010
+Initial release
diff --git a/node_modules/gm/Makefile b/node_modules/gm/Makefile
new file mode 100644
index 0000000..c53cba8
--- /dev/null
+++ b/node_modules/gm/Makefile
@@ -0,0 +1,8 @@
+
+test:
+	@node test/ --integration $(TESTS)
+
+test-unit:
+	@node test/ $(TESTS)
+
+.PHONY: test test-unit
diff --git a/node_modules/gm/README.md b/node_modules/gm/README.md
new file mode 100644
index 0000000..18c3c79
--- /dev/null
+++ b/node_modules/gm/README.md
@@ -0,0 +1,649 @@
+
+# gm [![Build Status](https://travis-ci.org/aheckmann/gm.png?branch=master)](https://travis-ci.org/aheckmann/gm)  [![NPM Version](https://img.shields.io/npm/v/gm.svg?style=flat)](https://www.npmjs.org/package/gm)
+
+GraphicsMagick and ImageMagick for node
+
+## Bug Reports
+
+When reporting bugs please include the version of graphicsmagick/imagemagick you're using (gm -version/convert -version) as well as the version of this module and copies of any images you're having problems with.
+
+## Getting started
+First download and install [GraphicsMagick](http://www.graphicsmagick.org/) or [ImageMagick](http://www.imagemagick.org/). In Mac OS X, you can simply use [Homebrew](http://mxcl.github.io/homebrew/) and do:
+
+    brew install imagemagick
+    brew install graphicsmagick
+
+If you want WebP support with ImageMagick, you must add the WebP option:
+
+    brew install imagemagick --with-webp
+
+then either use npm:
+
+    npm install gm
+
+or clone the repo:
+
+    git clone git://github.com/aheckmann/gm.git
+
+
+## Use ImageMagick instead of gm
+
+Subclass `gm` to enable ImageMagick
+
+```js
+var fs = require('fs')
+  , gm = require('gm').subClass({imageMagick: true});
+
+// resize and remove EXIF profile data
+gm('/path/to/my/img.jpg')
+.resize(240, 240)
+...
+```
+
+
+## Basic Usage
+
+```js
+var fs = require('fs')
+  , gm = require('gm');
+
+// resize and remove EXIF profile data
+gm('/path/to/my/img.jpg')
+.resize(240, 240)
+.noProfile()
+.write('/path/to/resize.png', function (err) {
+  if (!err) console.log('done');
+});
+
+// some files would not be resized appropriately
+// http://stackoverflow.com/questions/5870466/imagemagick-incorrect-dimensions
+// you have two options:
+// use the '!' flag to ignore aspect ratio
+gm('/path/to/my/img.jpg')
+.resize(240, 240, '!')
+.write('/path/to/resize.png', function (err) {
+  if (!err) console.log('done');
+});
+
+// use the .resizeExact with only width and/or height arguments
+gm('/path/to/my/img.jpg')
+.resizeExact(240, 240)
+.write('/path/to/resize.png', function (err) {
+  if (!err) console.log('done');
+});
+
+// obtain the size of an image
+gm('/path/to/my/img.jpg')
+.size(function (err, size) {
+  if (!err)
+    console.log(size.width > size.height ? 'wider' : 'taller than you');
+});
+
+// output all available image properties
+gm('/path/to/img.png')
+.identify(function (err, data) {
+  if (!err) console.log(data)
+});
+
+// pull out the first frame of an animated gif and save as png
+gm('/path/to/animated.gif[0]')
+.write('/path/to/firstframe.png', function (err) {
+  if (err) console.log('aaw, shucks');
+});
+
+// auto-orient an image
+gm('/path/to/img.jpg')
+.autoOrient()
+.write('/path/to/oriented.jpg', function (err) {
+  if (err) ...
+})
+
+// crazytown
+gm('/path/to/my/img.jpg')
+.flip()
+.magnify()
+.rotate('green', 45)
+.blur(7, 3)
+.crop(300, 300, 150, 130)
+.edge(3)
+.write('/path/to/crazy.jpg', function (err) {
+  if (!err) console.log('crazytown has arrived');
+})
+
+// annotate an image
+gm('/path/to/my/img.jpg')
+.stroke("#ffffff")
+.drawCircle(10, 10, 20, 10)
+.font("Helvetica.ttf", 12)
+.drawText(30, 20, "GMagick!")
+.write("/path/to/drawing.png", function (err) {
+  if (!err) console.log('done');
+});
+
+// creating an image
+gm(200, 400, "#ddff99f3")
+.drawText(10, 50, "from scratch")
+.write("/path/to/brandNewImg.jpg", function (err) {
+  // ...
+});
+```
+
+## Streams
+
+```js
+// passing a stream
+var readStream = fs.createReadStream('/path/to/my/img.jpg');
+gm(readStream, 'img.jpg')
+.write('/path/to/reformat.png', function (err) {
+  if (!err) console.log('done');
+});
+
+
+// passing a downloadable image by url
+
+var request = require('request');
+var url = "www.abc.com/pic.jpg"
+
+gm(request(url))
+.write('/path/to/reformat.png', function (err) {
+  if (!err) console.log('done');
+});
+
+
+// can also stream output to a ReadableStream
+// (can be piped to a local file or remote server)
+gm('/path/to/my/img.jpg')
+.resize('200', '200')
+.stream(function (err, stdout, stderr) {
+  var writeStream = fs.createWriteStream('/path/to/my/resized.jpg');
+  stdout.pipe(writeStream);
+});
+
+// without a callback, .stream() returns a stream
+// this is just a convenience wrapper for above.
+var writeStream = fs.createWriteStream('/path/to/my/resized.jpg');
+gm('/path/to/my/img.jpg')
+.resize('200', '200')
+.stream()
+.pipe(writeStream);
+
+// pass a format or filename to stream() and
+// gm will provide image data in that format
+gm('/path/to/my/img.jpg')
+.stream('png', function (err, stdout, stderr) {
+  var writeStream = fs.createWriteStream('/path/to/my/reformatted.png');
+  stdout.pipe(writeStream);
+});
+
+// or without the callback
+var writeStream = fs.createWriteStream('/path/to/my/reformatted.png');
+gm('/path/to/my/img.jpg')
+.stream('png')
+.pipe(writeStream);
+
+// combine the two for true streaming image processing
+var readStream = fs.createReadStream('/path/to/my/img.jpg');
+gm(readStream)
+.resize('200', '200')
+.stream(function (err, stdout, stderr) {
+  var writeStream = fs.createWriteStream('/path/to/my/resized.jpg');
+  stdout.pipe(writeStream);
+});
+
+// GOTCHA:
+// when working with input streams and any 'identify'
+// operation (size, format, etc), you must pass "{bufferStream: true}" if
+// you also need to convert (write() or stream()) the image afterwards
+// NOTE: this buffers the readStream in memory!
+var readStream = fs.createReadStream('/path/to/my/img.jpg');
+gm(readStream)
+.size({bufferStream: true}, function(err, size) {
+  this.resize(size.width / 2, size.height / 2)
+  this.write('/path/to/resized.jpg', function (err) {
+    if (!err) console.log('done');
+  });
+});
+
+```
+
+## Buffers
+
+```js
+// A buffer can be passed instead of a filepath as well
+var buf = require('fs').readFileSync('/path/to/image.jpg');
+
+gm(buf, 'image.jpg')
+.noise('laplacian')
+.write('/path/to/out.jpg', function (err) {
+  if (err) return handle(err);
+  console.log('Created an image from a Buffer!');
+});
+
+/*
+A buffer can also be returned instead of a stream
+The first argument to toBuffer is optional, it specifies the image format
+*/
+gm('img.jpg')
+.resize(100, 100)
+.toBuffer('PNG',function (err, buffer) {
+  if (err) return handle(err);
+  console.log('done!');
+})
+```
+
+## Custom Arguments
+
+If `gm` does not supply you with a method you need or does not work as you'd like, you can simply use `gm().in()` or `gm().out()` to set your own arguments.
+
+- `gm().command()` - Custom command such as `identify` or `convert`
+- `gm().in()` - Custom input arguments
+- `gm().out()` - Custom output arguments
+
+The command will be formatted in the following order:
+
+1. `command` - ie `convert`
+2. `in` - the input arguments
+3. `source` - stdin or an image file
+4. `out` - the output arguments
+5. `output` - stdout or the image file to write to
+
+For example, suppose you want the following command:
+
+```bash
+gm "convert" "label:Offline" "PNG:-"
+```
+
+However, using `gm().label()` may not work as intended for you:
+
+```js
+gm()
+.label('Offline')
+.stream();
+```
+
+would yield:
+
+```bash
+gm "convert" "-label" "\"Offline\"" "PNG:-"
+```
+
+Instead, you can use `gm().out()`:
+
+```js
+gm()
+.out('label:Offline')
+.stream();
+```
+
+which correctly yields:
+
+```bash
+gm "convert" "label:Offline" "PNG:-"
+```
+
+### Custom Identify Format String
+
+When identifying an image, you may want to use a custom formatting string instead of using `-verbose`, which is quite slow.
+You can use your own [formatting string](http://www.imagemagick.org/script/escape.php) when using `gm().identify(format, callback)`.
+For example,
+
+```js
+gm('img.png').format(function (err, format) {
+
+})
+
+// is equivalent to
+
+gm('img.png').identify('%m', function (err, format) {
+
+})
+```
+
+since `%m` is the format option for getting the image file format.
+
+## Platform differences
+
+Please document and refer to any [platform or ImageMagick/GraphicsMagick issues/differences here](https://github.com/aheckmann/gm/wiki/GraphicsMagick-and-ImageMagick-versions).
+
+## Examples:
+
+  Check out the [examples](http://github.com/aheckmann/gm/tree/master/examples/) directory to play around.
+  Also take a look at the [extending gm](http://wiki.github.com/aheckmann/gm/extending-gm)
+  page to see how to customize gm to your own needs.
+
+## Constructor:
+
+  There are a few ways you can use the `gm` image constructor.
+
+  - 1) `gm(path)` When you pass a string as the first argument it is interpreted as the path to an image you intend to manipulate.
+  - 2) `gm(stream || buffer, [filename])` You may also pass a ReadableStream or Buffer as the first argument, with an optional file name for format inference.
+  - 3) `gm(width, height, [color])` When you pass two integer arguments, gm will create a new image on the fly with the provided dimensions and an optional background color. And you can still chain just like you do with pre-existing images too. See [here](http://github.com/aheckmann/gm/blob/master/examples/new.js) for an example.
+
+The links below refer to an older version of gm but everything should still work, if anyone feels like updating them please make a PR
+
+## Methods
+
+  - getters
+    - [size](http://aheckmann.github.com/gm/docs.html#getters) - returns the size (WxH) of the image
+    - [orientation](http://aheckmann.github.com/gm/docs.html#getters) - returns the EXIF orientation of the image
+    - [format](http://aheckmann.github.com/gm/docs.html#getters) - returns the image format (gif, jpeg, png, etc)
+    - [depth](http://aheckmann.github.com/gm/docs.html#getters) - returns the image color depth
+    - [color](http://aheckmann.github.com/gm/docs.html#getters) - returns the number of colors
+    - [res](http://aheckmann.github.com/gm/docs.html#getters)   - returns the image resolution
+    - [filesize](http://aheckmann.github.com/gm/docs.html#getters) - returns image filesize
+    - [identify](http://aheckmann.github.com/gm/docs.html#getters) - returns all image data available. Takes an optional format string.
+
+  - manipulation
+    - [adjoin](http://aheckmann.github.com/gm/docs.html#adjoin)
+    - [affine](http://aheckmann.github.com/gm/docs.html#affine)
+    - [antialias](http://aheckmann.github.com/gm/docs.html#antialias)
+    - [append](http://aheckmann.github.com/gm/docs.html#append)
+    - [authenticate](http://aheckmann.github.com/gm/docs.html#authenticate)
+    - [autoOrient](http://aheckmann.github.com/gm/docs.html#autoOrient)
+    - [average](http://aheckmann.github.com/gm/docs.html#average)
+    - [backdrop](http://aheckmann.github.com/gm/docs.html#backdrop)
+    - [bitdepth](http://aheckmann.github.com/gm/docs.html#bitdepth)
+    - [blackThreshold](http://aheckmann.github.com/gm/docs.html#blackThreshold)
+    - [bluePrimary](http://aheckmann.github.com/gm/docs.html#bluePrimary)
+    - [blur](http://aheckmann.github.com/gm/docs.html#blur)
+    - [border](http://aheckmann.github.com/gm/docs.html#border)
+    - [borderColor](http://aheckmann.github.com/gm/docs.html#borderColor)
+    - [box](http://aheckmann.github.com/gm/docs.html#box)
+    - [channel](http://aheckmann.github.com/gm/docs.html#channel)
+    - [charcoal](http://aheckmann.github.com/gm/docs.html#charcoal)
+    - [chop](http://aheckmann.github.com/gm/docs.html#chop)
+    - [clip](http://aheckmann.github.com/gm/docs.html#clip)
+    - [coalesce](http://aheckmann.github.com/gm/docs.html#coalesce)
+    - [colors](http://aheckmann.github.com/gm/docs.html#colors)
+    - [colorize](http://aheckmann.github.com/gm/docs.html#colorize)
+    - [colorMap](http://aheckmann.github.com/gm/docs.html#colorMap)
+    - [colorspace](http://aheckmann.github.com/gm/docs.html#colorspace)
+    - [comment](http://aheckmann.github.com/gm/docs.html#comment)
+    - [compose](http://aheckmann.github.com/gm/docs.html#compose)
+    - [compress](http://aheckmann.github.com/gm/docs.html#compress)
+    - [contrast](http://aheckmann.github.com/gm/docs.html#contrast)
+    - [convolve](http://aheckmann.github.com/gm/docs.html#convolve)
+    - [createDirectories](http://aheckmann.github.com/gm/docs.html#createDirectories)
+    - [crop](http://aheckmann.github.com/gm/docs.html#crop)
+    - [cycle](http://aheckmann.github.com/gm/docs.html#cycle)
+    - [deconstruct](http://aheckmann.github.com/gm/docs.html#deconstruct)
+    - [delay](http://aheckmann.github.com/gm/docs.html#delay)
+    - [define](http://aheckmann.github.com/gm/docs.html#define)
+    - [density](http://aheckmann.github.com/gm/docs.html#density)
+    - [despeckle](http://aheckmann.github.com/gm/docs.html#despeckle)
+    - [dither](http://aheckmann.github.com/gm/docs.html#dither)
+    - [displace](http://aheckmann.github.com/gm/docs.html#dither)
+    - [display](http://aheckmann.github.com/gm/docs.html#display)
+    - [dispose](http://aheckmann.github.com/gm/docs.html#dispose)
+    - [dissolve](http://aheckmann.github.com/gm/docs.html#dissolve)
+    - [edge](http://aheckmann.github.com/gm/docs.html#edge)
+    - [emboss](http://aheckmann.github.com/gm/docs.html#emboss)
+    - [encoding](http://aheckmann.github.com/gm/docs.html#encoding)
+    - [enhance](http://aheckmann.github.com/gm/docs.html#enhance)
+    - [endian](http://aheckmann.github.com/gm/docs.html#endian)
+    - [equalize](http://aheckmann.github.com/gm/docs.html#equalize)
+    - [extent](http://aheckmann.github.com/gm/docs.html#extent)
+    - [file](http://aheckmann.github.com/gm/docs.html#file)
+    - [filter](http://aheckmann.github.com/gm/docs.html#filter)
+    - [flatten](http://aheckmann.github.com/gm/docs.html#flatten)
+    - [flip](http://aheckmann.github.com/gm/docs.html#flip)
+    - [flop](http://aheckmann.github.com/gm/docs.html#flop)
+    - [foreground](http://aheckmann.github.com/gm/docs.html#foreground)
+    - [frame](http://aheckmann.github.com/gm/docs.html#frame)
+    - [fuzz](http://aheckmann.github.com/gm/docs.html#fuzz)
+    - [gamma](http://aheckmann.github.com/gm/docs.html#gamma)
+    - [gaussian](http://aheckmann.github.com/gm/docs.html#gaussian)
+    - [geometry](http://aheckmann.github.com/gm/docs.html#geometry)
+    - [gravity](http://aheckmann.github.com/gm/docs.html#gravity)
+    - [greenPrimary](http://aheckmann.github.com/gm/docs.html#greenPrimary)
+    - [highlightColor](http://aheckmann.github.com/gm/docs.html#highlightColor)
+    - [highlightStyle](http://aheckmann.github.com/gm/docs.html#highlightStyle)
+    - [iconGeometry](http://aheckmann.github.com/gm/docs.html#iconGeometry)
+    - [implode](http://aheckmann.github.com/gm/docs.html#implode)
+    - [intent](http://aheckmann.github.com/gm/docs.html#intent)
+    - [interlace](http://aheckmann.github.com/gm/docs.html#interlace)
+    - [label](http://aheckmann.github.com/gm/docs.html#label)
+    - [lat](http://aheckmann.github.com/gm/docs.html#lat)
+    - [level](http://aheckmann.github.com/gm/docs.html#level)
+    - [list](http://aheckmann.github.com/gm/docs.html#list)
+    - [limit](http://aheckmann.github.com/gm/docs.html#limit)
+    - [log](http://aheckmann.github.com/gm/docs.html#log)
+    - [loop](http://aheckmann.github.com/gm/docs.html#loop)
+    - [lower](http://aheckmann.github.com/gm/docs.html#lower)
+    - [magnify](http://aheckmann.github.com/gm/docs.html#magnify)
+    - [map](http://aheckmann.github.com/gm/docs.html#map)
+    - [matte](http://aheckmann.github.com/gm/docs.html#matte)
+    - [matteColor](http://aheckmann.github.com/gm/docs.html#matteColor)
+    - [mask](http://aheckmann.github.com/gm/docs.html#mask)
+    - [maximumError](http://aheckmann.github.com/gm/docs.html#maximumError)
+    - [median](http://aheckmann.github.com/gm/docs.html#median)
+    - [minify](http://aheckmann.github.com/gm/docs.html#minify)
+    - [mode](http://aheckmann.github.com/gm/docs.html#mode)
+    - [modulate](http://aheckmann.github.com/gm/docs.html#modulate)
+    - [monitor](http://aheckmann.github.com/gm/docs.html#monitor)
+    - [monochrome](http://aheckmann.github.com/gm/docs.html#monochrome)
+    - [morph](http://aheckmann.github.com/gm/docs.html#morph)
+    - [mosaic](http://aheckmann.github.com/gm/docs.html#mosaic)
+    - [motionBlur](http://aheckmann.github.com/gm/docs.html#motionBlur)
+    - [name](http://aheckmann.github.com/gm/docs.html#name)
+    - [negative](http://aheckmann.github.com/gm/docs.html#negative)
+    - [noise](http://aheckmann.github.com/gm/docs.html#noise)
+    - [noop](http://aheckmann.github.com/gm/docs.html#noop)
+    - [normalize](http://aheckmann.github.com/gm/docs.html#normalize)
+    - [noProfile](http://aheckmann.github.com/gm/docs.html#profile)
+    - [opaque](http://aheckmann.github.com/gm/docs.html#opaque)
+    - [operator](http://aheckmann.github.com/gm/docs.html#operator)
+    - [orderedDither](http://aheckmann.github.com/gm/docs.html#orderedDither)
+    - [outputDirectory](http://aheckmann.github.com/gm/docs.html#outputDirectory)
+    - [paint](http://aheckmann.github.com/gm/docs.html#paint)
+    - [page](http://aheckmann.github.com/gm/docs.html#page)
+    - [pause](http://aheckmann.github.com/gm/docs.html#pause)
+    - [pen](http://aheckmann.github.com/gm/docs.html#pen)
+    - [ping](http://aheckmann.github.com/gm/docs.html#ping)
+    - [pointSize](http://aheckmann.github.com/gm/docs.html#pointSize)
+    - [preview](http://aheckmann.github.com/gm/docs.html#preview)
+    - [process](http://aheckmann.github.com/gm/docs.html#process)
+    - [profile](http://aheckmann.github.com/gm/docs.html#profile)
+    - [progress](http://aheckmann.github.com/gm/docs.html#progress)
+    - [quality](http://aheckmann.github.com/gm/docs.html#quality)
+    - [raise](http://aheckmann.github.com/gm/docs.html#raise)
+    - [rawSize](http://aheckmann.github.com/gm/docs.html#rawSize)
+    - [randomThreshold](http://aheckmann.github.com/gm/docs.html#randomThreshold)
+    - [recolor](http://aheckmann.github.com/gm/docs.html#recolor)
+    - [redPrimary](http://aheckmann.github.com/gm/docs.html#redPrimary)
+    - [region](http://aheckmann.github.com/gm/docs.html#region)
+    - [remote](http://aheckmann.github.com/gm/docs.html#remote)
+    - [render](http://aheckmann.github.com/gm/docs.html#render)
+    - [repage](http://aheckmann.github.com/gm/docs.html#repage)
+    - [resample](http://aheckmann.github.com/gm/docs.html#resample)
+    - [resize](http://aheckmann.github.com/gm/docs.html#resize)
+    - [roll](http://aheckmann.github.com/gm/docs.html#roll)
+    - [rotate](http://aheckmann.github.com/gm/docs.html#rotate)
+    - [sample](http://aheckmann.github.com/gm/docs.html#sample)
+    - [samplingFactor](http://aheckmann.github.com/gm/docs.html#samplingFactor)
+    - [scale](http://aheckmann.github.com/gm/docs.html#scale)
+    - [scene](http://aheckmann.github.com/gm/docs.html#scene)
+    - [scenes](http://aheckmann.github.com/gm/docs.html#scenes)
+    - [screen](http://aheckmann.github.com/gm/docs.html#screen)
+    - [segment](http://aheckmann.github.com/gm/docs.html#segment)
+    - [sepia](http://aheckmann.github.com/gm/docs.html#sepia)
+    - [set](http://aheckmann.github.com/gm/docs.html#set)
+    - [setFormat](http://aheckmann.github.com/gm/docs.html#setformat)
+    - [shade](http://aheckmann.github.com/gm/docs.html#shade)
+    - [shadow](http://aheckmann.github.com/gm/docs.html#shadow)
+    - [sharedMemory](http://aheckmann.github.com/gm/docs.html#sharedMemory)
+    - [sharpen](http://aheckmann.github.com/gm/docs.html#sharpen)
+    - [shave](http://aheckmann.github.com/gm/docs.html#shave)
+    - [shear](http://aheckmann.github.com/gm/docs.html#shear)
+    - [silent](http://aheckmann.github.com/gm/docs.html#silent)
+    - [solarize](http://aheckmann.github.com/gm/docs.html#solarize)
+    - [snaps](http://aheckmann.github.com/gm/docs.html#snaps)
+    - [stegano](http://aheckmann.github.com/gm/docs.html#stegano)
+    - [stereo](http://aheckmann.github.com/gm/docs.html#stereo)
+    - [strip](http://aheckmann.github.com/gm/docs.html#strip) _imagemagick only_
+    - [spread](http://aheckmann.github.com/gm/docs.html#spread)
+    - [swirl](http://aheckmann.github.com/gm/docs.html#swirl)
+    - [textFont](http://aheckmann.github.com/gm/docs.html#textFont)
+    - [texture](http://aheckmann.github.com/gm/docs.html#texture)
+    - [threshold](http://aheckmann.github.com/gm/docs.html#threshold)
+    - [thumb](http://aheckmann.github.com/gm/docs.html#thumb)
+    - [tile](http://aheckmann.github.com/gm/docs.html#tile)
+    - [transform](http://aheckmann.github.com/gm/docs.html#transform)
+    - [transparent](http://aheckmann.github.com/gm/docs.html#transparent)
+    - [treeDepth](http://aheckmann.github.com/gm/docs.html#treeDepth)
+    - [trim](http://aheckmann.github.com/gm/docs.html#trim)
+    - [type](http://aheckmann.github.com/gm/docs.html#type)
+    - [update](http://aheckmann.github.com/gm/docs.html#update)
+    - [units](http://aheckmann.github.com/gm/docs.html#units)
+    - [unsharp](http://aheckmann.github.com/gm/docs.html#unsharp)
+    - [usePixmap](http://aheckmann.github.com/gm/docs.html#usePixmap)
+    - [view](http://aheckmann.github.com/gm/docs.html#view)
+    - [virtualPixel](http://aheckmann.github.com/gm/docs.html#virtualPixel)
+    - [visual](http://aheckmann.github.com/gm/docs.html#visual)
+    - [watermark](http://aheckmann.github.com/gm/docs.html#watermark)
+    - [wave](http://aheckmann.github.com/gm/docs.html#wave)
+    - [whitePoint](http://aheckmann.github.com/gm/docs.html#whitePoint)
+    - [whiteThreshold](http://aheckmann.github.com/gm/docs.html#whiteThreshold)
+    - [window](http://aheckmann.github.com/gm/docs.html#window)
+    - [windowGroup](http://aheckmann.github.com/gm/docs.html#windowGroup)
+
+  - drawing primitives
+    - [draw](http://aheckmann.github.com/gm/docs.html#draw)
+    - [drawArc](http://aheckmann.github.com/gm/docs.html#drawArc)
+    - [drawBezier](http://aheckmann.github.com/gm/docs.html#drawBezier)
+    - [drawCircle](http://aheckmann.github.com/gm/docs.html#drawCircle)
+    - [drawEllipse](http://aheckmann.github.com/gm/docs.html#drawEllipse)
+    - [drawLine](http://aheckmann.github.com/gm/docs.html#drawLine)
+    - [drawPoint](http://aheckmann.github.com/gm/docs.html#drawPoint)
+    - [drawPolygon](http://aheckmann.github.com/gm/docs.html#drawPolygon)
+    - [drawPolyline](http://aheckmann.github.com/gm/docs.html#drawPolyline)
+    - [drawRectangle](http://aheckmann.github.com/gm/docs.html#drawRectangle)
+    - [drawText](http://aheckmann.github.com/gm/docs.html#drawText)
+    - [fill](http://aheckmann.github.com/gm/docs.html#fill)
+    - [font](http://aheckmann.github.com/gm/docs.html#font)
+    - [fontSize](http://aheckmann.github.com/gm/docs.html#fontSize)
+    - [stroke](http://aheckmann.github.com/gm/docs.html#stroke)
+    - [strokeWidth](http://aheckmann.github.com/gm/docs.html#strokeWidth)
+    - [setDraw](http://aheckmann.github.com/gm/docs.html#setDraw)
+
+  - image output
+    - **write** - writes the processed image data to the specified filename
+    - **stream** - provides a `ReadableStream` with the processed image data
+    - **toBuffer** - returns the image as a `Buffer` instead of a stream
+
+##compare
+
+Graphicsmagicks `compare` command is exposed through `gm.compare()`. This allows us to determine if two images can be considered "equal".
+
+Currently `gm.compare` only accepts file paths.
+
+    gm.compare(path1, path2 [, options], callback)
+
+```js
+gm.compare('/path/to/image1.jpg', '/path/to/another.png', function (err, isEqual, equality, raw, path1, path2) {
+  if (err) return handle(err);
+
+  // if the images were considered equal, `isEqual` will be true, otherwise, false.
+  console.log('The images were equal: %s', isEqual);
+
+  // to see the total equality returned by graphicsmagick we can inspect the `equality` argument.
+  console.log('Actual equality: %d', equality);
+
+  // inspect the raw output
+  console.log(raw);
+
+  // print file paths
+  console.log(path1, path2);
+})
+```
+
+You may wish to pass a custom tolerance threshold to increase or decrease the default level of `0.4`.
+
+
+```js
+gm.compare('/path/to/image1.jpg', '/path/to/another.png', 1.2, function (err, isEqual) {
+  ...
+})
+```
+
+To output a diff image, pass a configuration object to define the diff options and tolerance.
+
+
+```js
+var options = {
+  file: '/path/to/diff.png',
+  highlightColor: 'yellow',
+  tolerance: 0.02
+}
+gm.compare('/path/to/image1.jpg', '/path/to/another.png', options, function (err, isEqual, equality, raw) {
+  ...
+})
+```
+
+##composite
+
+GraphicsMagick supports compositing one image on top of another. This is exposed through `gm.composite()`. Its first argument is an image path with the changes to the base image, and an optional mask image.
+
+Currently, `gm.composite()` only accepts file paths.
+
+    gm.composite(other [, mask])
+
+```js
+gm('/path/to/image.jpg')
+.composite('/path/to/second_image.jpg')
+.geometry('+100+150')
+.write('/path/to/composite.png', function(err) {
+    if(!err) console.log("Written composite image.");
+});
+```
+
+##montage
+
+GraphicsMagick supports montage for combining images side by side. This is exposed through `gm.montage()`. Its only argument is an image path with the changes to the base image.
+
+Currently, `gm.montage()` only accepts file paths.
+
+    gm.montage(other)
+
+```js
+gm('/path/to/image.jpg')
+.montage('/path/to/second_image.jpg')
+.geometry('+100+150')
+.write('/path/to/montage.png', function(err) {
+    if(!err) console.log("Written montage image.");
+});
+```
+
+## Contributors
+[https://github.com/aheckmann/gm/contributors](https://github.com/aheckmann/gm/contributors)
+
+## Inspiration
+http://github.com/quiiver/magickal-node
+
+## Plugins
+[https://github.com/aheckmann/gm/wiki](https://github.com/aheckmann/gm/wiki)
+
+## License
+
+(The MIT License)
+
+Copyright (c) 2010 [Aaron Heckmann](aaron.heckmann+github@gmail.com)
+
+Permission is hereby granted, free of charge, to any person obtaining
+a copy of this software and associated documentation files (the
+'Software'), to deal in the Software without restriction, including
+without limitation the rights to use, copy, modify, merge, publish,
+distribute, sublicense, and/or sell copies of the Software, and to
+permit persons to whom the Software is furnished to do so, subject to
+the following conditions:
+
+The above copyright notice and this permission notice shall be
+included in all copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND,
+EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.
+IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY
+CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT,
+TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE
+SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
diff --git a/node_modules/gm/index.js b/node_modules/gm/index.js
new file mode 100644
index 0000000..8f5f8d5
--- /dev/null
+++ b/node_modules/gm/index.js
@@ -0,0 +1,129 @@
+
+/**
+ * Module dependencies.
+ */
+
+var Stream = require('stream').Stream;
+var EventEmitter = require('events').EventEmitter;
+var util = require('util');
+
+util.inherits(gm, EventEmitter);
+
+/**
+ * Constructor.
+ *
+ * @param {String|Number} path - path to img source or ReadableStream or width of img to create
+ * @param {Number} [height] - optional filename of ReadableStream or height of img to create
+ * @param {String} [color] - optional hex background color of created img
+ */
+
+function gm (source, height, color) {
+  var width;
+
+  if (!(this instanceof gm)) {
+    return new gm(source, height, color);
+  }
+
+  EventEmitter.call(this);
+
+  this._options = {};
+  this.options(this.__proto__._options);
+
+  this.data = {};
+  this._in = [];
+  this._out = [];
+  this._outputFormat = null;
+  this._subCommand = 'convert';
+
+  if (source instanceof Stream) {
+    this.sourceStream = source;
+    source = height || 'unknown.jpg';
+  } else if (Buffer.isBuffer(source)) {
+    this.sourceBuffer = source;
+    source = height || 'unknown.jpg';
+  } else if (height) {
+    // new images
+    width = source;
+    source = "";
+
+    this.in("-size", width + "x" + height);
+
+    if (color) {
+      this.in("xc:"+ color);
+    }
+  }
+
+  if (typeof source === "string") {
+    // then source is a path
+
+    // parse out gif frame brackets from filename
+    // since stream doesn't use source path
+    // eg. "filename.gif[0]"
+    var frames = source.match(/(\[.+\])$/);
+    if (frames) {
+      this.sourceFrames = source.substr(frames.index, frames[0].length);
+      source = source.substr(0, frames.index);
+    }
+  }
+
+  this.source = source;
+
+  this.addSrcFormatter(function (src) {
+    // must be first source formatter
+
+    var inputFromStdin = this.sourceStream || this.sourceBuffer;
+    var ret = inputFromStdin ? '-' : this.source;
+
+    if (ret && this.sourceFrames) ret += this.sourceFrames;
+
+    src.length = 0;
+    src[0] = ret;
+  });
+}
+
+/**
+ * Subclasses the gm constructor with custom options.
+ *
+ * @param {options} options
+ * @return {gm} the subclasses gm constructor
+ */
+
+var parent = gm;
+gm.subClass = function subClass (options) {
+  function gm (source, height, color) {
+    if (!(this instanceof parent)) {
+      return new gm(source, height, color);
+    }
+
+    parent.call(this, source, height, color);
+  }
+
+  gm.prototype.__proto__ = parent.prototype;
+  gm.prototype._options = {};
+  gm.prototype.options(options);
+
+  return gm;
+}
+
+/**
+ * Augment the prototype.
+ */
+
+require("./lib/options")(gm.prototype);
+require("./lib/getters")(gm);
+require("./lib/args")(gm.prototype);
+require("./lib/drawing")(gm.prototype);
+require("./lib/convenience")(gm.prototype);
+require("./lib/command")(gm.prototype);
+require("./lib/compare")(gm.prototype);
+require("./lib/composite")(gm.prototype);
+require("./lib/montage")(gm.prototype);
+
+/**
+ * Expose.
+ */
+
+module.exports = exports = gm;
+module.exports.utils = require('./lib/utils');
+module.exports.compare = require('./lib/compare')();
+module.exports.version = require('./package.json').version;
diff --git a/node_modules/gm/lib/args.js b/node_modules/gm/lib/args.js
new file mode 100644
index 0000000..35089f7
--- /dev/null
+++ b/node_modules/gm/lib/args.js
@@ -0,0 +1,1122 @@
+/**
+ * Dependencies
+ */
+
+var argsToArray = require('./utils').argsToArray;
+var isUtil = require('./utils').isUtil;
+/**
+ * Extend proto
+ */
+
+module.exports = function (proto) {
+  // change the specified frame.
+  // See #202.
+  proto.selectFrame = function (frame) {
+    if (typeof frame === 'number')
+      this.sourceFrames = '[' + frame + ']';
+    return this;
+  }
+
+  // define the sub-command to use, http://www.graphicsmagick.org/utilities.html
+  proto.command = proto.subCommand = function subCommand (name){
+    this._subCommand = name;
+    return this;
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-adjoin
+  proto.adjoin = function adjoin () {
+    return this.out("-adjoin");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-affine
+  proto.affine = function affine (matrix) {
+    return this.out("-affine", matrix);
+  }
+
+  proto.alpha = function alpha (type) {
+    if (!this._options.imageMagick) return new Error('Method -alpha is not supported by GraphicsMagick');
+    return this.out('-alpha', type);
+  }
+
+  /**
+   * Appends images to the list of "source" images.
+   *
+   * We may also specify either top-to-bottom or left-to-right
+   * behavior of the appending by passing a boolean argument.
+   *
+   * Examples:
+   *
+   *    img = gm(src);
+   *
+   *    // +append means left-to-right
+   *    img.append(img1, img2)       gm convert src img1 img2 -append
+   *    img.append(img, true)        gm convert src img +append
+   *    img.append(img, false)       gm convert src img -append
+   *    img.append(img)              gm convert src img -append
+   *    img.append(img).append()     gm convert src img -append
+   *    img.append(img).append(true) gm convert src img +append
+   *    img.append(img).append(true) gm convert src img +append
+   *    img.append(img).background('#222) gm convert src img -background #222 +append
+   *    img.append([img1,img2...],true)
+
+   * @param {String} or {Array} [img]
+   * @param {Boolean} [ltr]
+   * @see http://www.graphicsmagick.org/GraphicsMagick.html#details-append
+   */
+
+  proto.append = function append (img, ltr) {
+    if (!this._append) {
+      this._append = [];
+      this.addSrcFormatter(function (src) {
+        this.out(this._append.ltr ? '+append' : '-append');
+        src.push.apply(src, this._append);
+      });
+    }
+
+    if (0 === arguments.length) {
+      this._append.ltr = false;
+      return this;
+    }
+
+    for (var i = 0; i < arguments.length; ++i) {
+      var arg = arguments[i];
+      switch (isUtil(arg)) {
+        case 'Boolean':
+          this._append.ltr = arg;
+          break;
+        case 'String':
+          this._append.push(arg);
+          break;
+        case 'Array':
+          for(var j=0,len=arg.length;j<len;j++){
+            if(isUtil(arg[j]) == 'String'){
+              this._append.push(arg[j]);
+            }
+          }
+          break;
+      }
+    }
+
+    return this;
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-authenticate
+  proto.authenticate = function authenticate (string) {
+    return this.out("-authenticate", string);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-average
+  proto.average = function average () {
+    return this.out("-average");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-backdrop
+  proto.backdrop = function backdrop () {
+    return this.out("-backdrop");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-black-threshold
+  proto.blackThreshold = function blackThreshold (red, green, blue, opacity) {
+    return this.out("-black-threshold", argsToArray(red, green, blue, opacity).join(','));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-blue-primary
+  proto.bluePrimary = function bluePrimary (x, y) {
+    return this.out("-blue-primary", argsToArray(x, y).join(','));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-border
+  proto.border = function border (width, height) {
+    return this.out("-border", width+"x"+height);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-bordercolor
+  proto.borderColor = function borderColor (color) {
+    return this.out("-bordercolor", color);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-box
+  proto.box = function box (color) {
+    return this.out("-box", color);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-channel
+  proto.channel = function channel (type) {
+    return this.out("-channel", type);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-chop
+  proto.chop = function chop (w, h, x, y) {
+    return this.in("-chop", w+"x"+h + "+"+(x||0)+"+"+(y||0));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-clip
+  proto.clip = function clip () {
+    return this.out("-clip");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-coalesce
+  proto.coalesce = function coalesce () {
+    return this.out("-coalesce");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-colorize
+  proto.colorize = function colorize (r, g, b) {
+    return this.out("-colorize", [r,g,b].join(","));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-colormap
+  proto.colorMap = function colorMap (type) {
+    return this.out("-colormap", type);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-compose
+  proto.compose = function compose (operator) {
+    return this.out("-compose", operator);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-compress
+  proto.compress = function compress (type) {
+    return this.out("-compress", type);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-kernel
+  proto.convolve = function convolve (kernel) {
+    return this.out("-convolve", kernel);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-create-directories
+  proto.createDirectories = function createDirectories () {
+    return this.out("-create-directories");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-deconstruct
+  proto.deconstruct = function deconstruct () {
+    return this.out("-deconstruct");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-define
+  proto.define = function define (value) {
+    return this.out("-define", value);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-delay
+  proto.delay = function delay (value) {
+    return this.out("-delay", value);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-displace
+  proto.displace = function displace (horizontalScale, verticalScale) {
+    return this.out("-displace", horizontalScale+'x'+verticalScale);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-display
+  proto.display = function display (value) {
+    return this.out("-display", value);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-dispose
+  proto.dispose = function dispose (method) {
+    return this.out("-dispose", method);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-dissolve
+  proto.dissolve = function dissolve (percent) {
+    return this.out("-dissolve", percent+'%');
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-encoding
+  proto.encoding = function encoding (type) {
+    return this.out("-encoding", type);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-endian
+  proto.endian = function endian (type) {
+    return this.out("-endian", type);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-file
+  proto.file = function file (filename) {
+    return this.out("-file", filename);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-flatten
+  proto.flatten = function flatten () {
+    return this.out("-flatten");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-foreground
+  proto.foreground = function foreground (color) {
+    return this.out("-foreground", color);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-frame
+  proto.frame = function frame (width, height, outerBevelWidth, innerBevelWidth) {
+    if(arguments.length==0) return this.out("-frame");
+    return this.out("-frame", width+'x'+height+'+'+outerBevelWidth+'+'+innerBevelWidth);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-fuzz
+  proto.fuzz = function fuzz (distance, percent) {
+    return this.out("-fuzz", distance+(percent?'%':''));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-gaussian
+  proto.gaussian = function gaussian (radius, sigma) {
+    return this.out("-gaussian", argsToArray(radius, sigma).join('x'));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-geometry
+  proto.geometry = function geometry (width, height, arg) {
+    // If the first argument is a string, and there is only one argument, this is a custom geometry command.
+    if(arguments.length == 1 && typeof arguments[0] === "string")
+      return this.out("-geometry", arguments[0]);
+
+    // Otherwise, return a resizing geometry command with an option alrgument.
+    return this.out("-geometry", width+'x'+height+(arg||''));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-green-primary
+  proto.greenPrimary = function greenPrimary (x, y) {
+    return this.out("-green-primary", x+','+y);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-highlight-color
+  proto.highlightColor = function highlightColor (color) {
+    return this.out("-highlight-color", color);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-highlight-style
+  proto.highlightStyle = function highlightStyle (style) {
+    return this.out("-highlight-style", style);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-iconGeometry
+  proto.iconGeometry = function iconGeometry (geometry) {
+    return this.out("-iconGeometry", geometry);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-intent
+  proto.intent = function intent (type) {
+    return this.out("-intent", type);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-lat
+  proto.lat = function lat (width, height, offset, percent) {
+    return this.out("-lat", width+'x'+height+offset+(percent?'%':''));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-level
+  proto.level = function level (blackPoint, gamma, whitePoint, percent) {
+    return this.out("-level", argsToArray(blackPoint, gamma, whitePoint).join(',')+(percent?'%':''));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-list
+  proto.list = function list (type) {
+    return this.out("-list", type);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-log
+  proto.log = function log (string) {
+    return this.out("-log", string);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-loop
+  proto.loop = function loop (iterations) {
+    return this.out("-loop", iterations);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-map
+  proto.map = function map (filename) {
+    return this.out("-map", filename);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-mask
+  proto.mask = function mask (filename) {
+    return this.out("-mask", filename);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-matte
+  proto.matte = function matte () {
+    return this.out("-matte");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-mattecolor
+  proto.matteColor = function matteColor (color) {
+    return this.out("-mattecolor", color);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-maximum-error
+  proto.maximumError = function maximumError (limit) {
+    return this.out("-maximum-error", limit);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-mode
+  proto.mode = function mode (value) {
+    return this.out("-mode", value);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-monitor
+  proto.monitor = function monitor () {
+    return this.out("-monitor");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-mosaic
+  proto.mosaic = function mosaic () {
+    return this.out("-mosaic");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-motion-blur
+  proto.motionBlur = function motionBlur (radius, sigma, angle) {
+    var arg=radius;
+    if (typeof sigma!='undefined') arg+='x'+sigma;
+    if (typeof angle!='undefined') arg+='+'+angle;
+    return this.out("-motion-blur", arg);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-name
+  proto.name = function name () {
+    return this.out("-name");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-noop
+  proto.noop = function noop () {
+    return this.out("-noop");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-normalize
+  proto.normalize = function normalize () {
+    return this.out("-normalize");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-opaque
+  proto.opaque = function opaque (color) {
+    return this.out("-opaque", color);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-operator
+  proto.operator = function operator (channel, operator, rvalue, percent) {
+    return this.out("-operator", channel, operator, rvalue+(percent?'%':''));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-ordered-dither
+  proto.orderedDither = function orderedDither (channeltype, NxN) {
+    return this.out("-ordered-dither", channeltype, NxN);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-output-directory
+  proto.outputDirectory = function outputDirectory (directory) {
+    return this.out("-output-directory", directory);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-page
+  proto.page = function page (width, height, arg) {
+    return this.out("-page", width+'x'+height+(arg||''));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-pause
+  proto.pause = function pause (seconds) {
+    return this.out("-pause", seconds);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-pen
+  proto.pen = function pen (color) {
+    return this.out("-pen", color);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-ping
+  proto.ping = function ping () {
+    return this.out("-ping");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-pointsize
+  proto.pointSize = function pointSize (value) {
+    return this.out("-pointsize", value);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-preview
+  proto.preview = function preview (type) {
+    return this.out("-preview", type);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-process
+  proto.process = function process (command) {
+    return this.out("-process", command);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-profile
+  proto.profile = function profile (filename) {
+    return this.out("-profile", filename);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-progress
+  proto.progress = function progress () {
+    return this.out("+progress");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-random-threshold
+  proto.randomThreshold = function randomThreshold (channeltype, LOWxHIGH) {
+    return this.out("-random-threshold", channeltype, LOWxHIGH);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-recolor
+  proto.recolor = function recolor (matrix) {
+    return this.out("-recolor", matrix);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-red-primary
+  proto.redPrimary = function redPrimary (x, y) {
+    return this.out("-red-primary", x, y);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-remote
+  proto.remote = function remote () {
+    return this.out("-remote");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-render
+  proto.render = function render () {
+    return this.out("-render");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-repage
+  proto.repage = function repage (width, height, xoff, yoff, arg) {
+    if (arguments[0] === "+") return this.out("+repage");
+    return this.out("-repage", width+'x'+height+'+'+xoff+'+'+yoff+(arg||''));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-sample
+  proto.sample = function sample (geometry) {
+    return this.out("-sample", geometry);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-sampling-factor
+  proto.samplingFactor = function samplingFactor (horizontalFactor, verticalFactor) {
+    return this.out("-sampling-factor", horizontalFactor+'x'+verticalFactor);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-scene
+  proto.scene = function scene (value) {
+    return this.out("-scene", value);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-scenes
+  proto.scenes = function scenes (start, end) {
+    return this.out("-scenes", start+'-'+end);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-screen
+  proto.screen = function screen () {
+    return this.out("-screen");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-set
+  proto.set = function set (attribute, value) {
+    return this.out("-set", attribute, value);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-segment
+  proto.segment = function segment (clusterThreshold, smoothingThreshold) {
+    return this.out("-segment", clusterThreshold+'x'+smoothingThreshold);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-shade
+  proto.shade = function shade (azimuth, elevation) {
+    return this.out("-shade", azimuth+'x'+elevation);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-shadow
+  proto.shadow = function shadow (radius, sigma) {
+    return this.out("-shadow", argsToArray(radius, sigma).join('x'));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-shared-memory
+  proto.sharedMemory = function sharedMemory () {
+    return this.out("-shared-memory");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-shave
+  proto.shave = function shave (width, height, percent) {
+    return this.out("-shave", width+'x'+height+(percent?'%':''));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-shear
+  proto.shear = function shear (xDegrees, yDegreees) {
+    return this.out("-shear", xDegrees+'x'+yDegreees);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-silent
+  proto.silent = function silent (color) {
+    return this.out("-silent");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-size
+  proto.rawSize = function rawSize (width, height, offset) {
+    var off = 'undefined' != typeof offset
+      ? '+' + offset
+      : '';
+    return this.out("-size", width +'x'+ height + off);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-snaps
+  proto.snaps = function snaps (value) {
+    return this.out("-snaps", value);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-stegano
+  proto.stegano = function stegano (offset) {
+    return this.out("-stegano", offset);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-stereo
+  proto.stereo = function stereo () {
+    return this.out("-stereo");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-text-font
+  proto.textFont = function textFont (name) {
+    return this.out("-text-font", name);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-texture
+  proto.texture = function texture (filename) {
+    return this.out("-texture", filename);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-threshold
+  proto.threshold = function threshold (value, percent) {
+    return this.out("-threshold", value+(percent?'%':''));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-thumbnail
+  proto.thumbnail = function thumbnail (w, h, options) {
+    options = options || "";
+    var geometry,
+      wIsValid = Boolean(w || w === 0),
+      hIsValid = Boolean(h || h === 0);
+
+    if (wIsValid && hIsValid) {
+      geometry = w + "x" + h + options
+    } else if (wIsValid) {
+      // GraphicsMagick requires <width>x<options>, ImageMagick requires <width><options>
+      geometry = (this._options.imageMagick) ? w + options : w +
+        'x' + options;
+    } else if (hIsValid) {
+      geometry = 'x' + h + options
+    } else {
+      return this
+    }
+
+    return this.out("-thumbnail", geometry);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-tile
+  proto.tile = function tile (filename) {
+    return this.out("-tile", filename);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-title
+  proto.title = function title (string) {
+    return this.out("-title", string);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-transform
+  proto.transform = function transform (color) {
+    return this.out("-transform", color);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-transparent
+  proto.transparent = function transparent (color) {
+    return this.out("-transparent", color);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-treedepth
+  proto.treeDepth = function treeDepth (value) {
+    return this.out("-treedepth", value);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-update
+  proto.update = function update (seconds) {
+    return this.out("-update", seconds);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-units
+  proto.units = function units (type) {
+    return this.out("-units", type);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-unsharp
+  proto.unsharp = function unsharp (radius, sigma, amount, threshold) {
+    var arg=radius;
+    if (typeof sigma != 'undefined') arg+='x'+sigma;
+    if (typeof amount != 'undefined') arg+='+'+amount;
+    if (typeof threshold != 'undefined') arg+='+'+threshold;
+    return this.out("-unsharp", arg);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-use-pixmap
+  proto.usePixmap = function usePixmap () {
+    return this.out("-use-pixmap");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-view
+  proto.view = function view (string) {
+    return this.out("-view", string);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-virtual-pixel
+  proto.virtualPixel = function virtualPixel (method) {
+    return this.out("-virtual-pixel", method);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-visual
+  proto.visual = function visual (type) {
+    return this.out("-visual", type);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-watermark
+  proto.watermark = function watermark (brightness, saturation) {
+    return this.out("-watermark", brightness+'x'+saturation);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-wave
+  proto.wave = function wave (amplitude, wavelength) {
+    return this.out("-wave", amplitude+'x'+wavelength);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-white-point
+  proto.whitePoint = function whitePoint (x, y) {
+    return this.out("-white-point", x+'x'+y);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-white-threshold
+  proto.whiteThreshold = function whiteThreshold (red, green, blue, opacity) {
+    return this.out("-white-threshold", argsToArray(red, green, blue, opacity).join(','));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-window
+  proto.window = function window (id) {
+    return this.out("-window", id);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-window-group
+  proto.windowGroup = function windowGroup () {
+    return this.out("-window-group");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-strip (graphicsMagick >= 1.3.15)
+  proto.strip = function strip () {
+    if (this._options.imageMagick) return this.out("-strip");
+    return this.noProfile().out("+comment");//Equivalent to "-strip" for all versions of graphicsMagick
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-interlace
+  proto.interlace = function interlace (type) {
+    return this.out("-interlace", type || "None");
+  }
+
+  // force output format
+  proto.setFormat = function setFormat (format) {
+    if (format) this._outputFormat = format;
+    return this;
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-resize
+  proto.resize = function resize (w, h, options) {
+    options = options || "";
+    var geometry,
+      wIsValid = Boolean(w || w === 0),
+      hIsValid = Boolean(h || h === 0);
+
+    if (wIsValid && hIsValid) {
+      geometry = w + "x" + h + options
+    } else if (wIsValid) {
+      // GraphicsMagick requires <width>x<options>, ImageMagick requires <width><options>
+      geometry = (this._options.imageMagick) ? w + options : w +
+        'x' + options;
+    } else if (hIsValid) {
+      geometry = 'x' + h + options
+    } else {
+      return this
+    }
+
+    return this.out("-resize", geometry);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-resize with '!' option
+  proto.resizeExact = function resize (w, h) {
+    var options = "!";
+    return proto.resize.apply(this, [w, h, options]);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-scale
+  proto.scale = function scale (w, h, options) {
+    options = options || "";
+    var geometry;
+    if (w && h) {
+      geometry = w + "x" + h + options
+    } else if (w && !h) {
+      geometry = (this._options.imageMagick) ? w + options : w + 'x' + options;
+    } else if (!w && h) {
+      geometry = 'x' + h + options
+    }
+
+    return this.out("-scale", geometry);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-filter
+  proto.filter = function filter (val) {
+    return this.out("-filter", val);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-density
+  proto.density = function density (w, h) {
+    if (w && !h && this._options.imageMagick) {
+      // GraphicsMagick requires <width>x<height>y, ImageMagick may take dpi<resolution>
+      // recommended 300dpi for higher quality
+      return this.in("-density", w);
+    }
+    return this.in("-density", w +"x"+ h);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-profile
+  proto.noProfile = function noProfile () {
+    this.out('+profile', '"*"');
+    return this;
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-resample
+  proto.resample = function resample (w, h) {
+    return this.out("-resample", w+"x"+h);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-rotate
+  proto.rotate = function rotate (color, deg) {
+    return this.out("-background", color, "-rotate", String(deg || 0));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-flip
+  proto.flip = function flip () {
+    return this.out("-flip");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-flop
+  proto.flop = function flop () {
+    return this.out("-flop");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-crop
+  proto.crop = function crop (w, h, x, y, percent) {
+    if (this.inputIs('jpg')) {
+      // avoid error "geometry does not contain image (unable to crop image)" - gh-17
+      var index = this._in.indexOf('-size');
+      if (~index) {
+        this._in.splice(index, 2);
+      }
+    }
+
+    return this.out("-crop", w + "x" + h + "+" + (x || 0) + "+" + (y || 0) + (percent ? '%' : ''));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-magnify
+  proto.magnify = function magnify (factor) {
+    return this.in("-magnify");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html
+  proto.minify = function minify () {
+    return this.in("-minify")
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-quality
+  proto.quality = function quality (val) {
+    return this.in("-quality", val || 75);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-blur
+  proto.blur = function blur (radius, sigma) {
+    return this.out("-blur", radius + (sigma ? "x"+sigma : ""));
+  }
+
+  // http://www.graphicsmagick.org/convert.html
+  proto.charcoal = function charcoal (factor) {
+    return this.out("-charcoal", factor || 2);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-modulate
+  proto.modulate = function modulate (b, s, h) {
+    return this.out("-modulate", [b,s,h].join(","));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-antialias
+  // note: antialiasing is enabled by default
+  proto.antialias = function antialias (disable) {
+    return false === disable
+      ? this.out("+antialias")
+      : this;
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-depth
+  proto.bitdepth = function bitdepth (val) {
+    return this.out("-depth", val);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-colors
+  proto.colors = function colors (val) {
+    return this.out("-colors", val || 128);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-colorspace
+  proto.colorspace = function colorspace (val) {
+    return this.out("-colorspace", val);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-comment
+  proto.comment = comment("-comment");
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-contrast
+  proto.contrast = function contrast (mult) {
+    var arg = (parseInt(mult, 10) || 0) > 0
+      ? "+contrast"
+      : "-contrast";
+
+    mult = Math.abs(mult) || 1;
+
+    while (mult--) {
+      this.out(arg);
+    }
+
+    return this;
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-cycle
+  proto.cycle = function cycle (amount) {
+    return this.out("-cycle", amount || 2);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html
+  proto.despeckle = function despeckle () {
+    return this.out("-despeckle");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-dither
+  // note: either colors() or monochrome() must be used for this
+  // to take effect.
+  proto.dither = function dither (on) {
+    var sign = false === on
+      ? "+"
+      : "-";
+
+    return this.out(sign + "dither");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html
+  proto.monochrome = function monochrome () {
+    return this.out("-monochrome");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html
+  proto.edge = function edge (radius) {
+    return this.out("-edge", radius || 1);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html
+  proto.emboss = function emboss (radius) {
+    return this.out("-emboss", radius || 1);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html
+  proto.enhance = function enhance () {
+    return this.out("-enhance");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html
+  proto.equalize = function equalize () {
+    return this.out("-equalize");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-gamma
+  proto.gamma = function gamma (r, g, b) {
+    return this.out("-gamma", [r,g,b].join());
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html
+  proto.implode = function implode (factor) {
+    return this.out("-implode", factor || 1);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-comment
+  proto.label = comment("-label");
+
+  var limits = [ "disk", "file", "map", "memory", "pixels", "threads"];
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-limit
+  proto.limit = function limit (type, val) {
+    type = type.toLowerCase();
+
+    if (!~limits.indexOf(type)) {
+      return this;
+    }
+
+    return this.out("-limit", type, val);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html
+  proto.median = function median (radius) {
+    return this.out("-median", radius || 1);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-negate
+  proto.negative = function negative (grayscale) {
+    var sign = grayscale ? "+" : "-";
+    return this.out(sign + "negate");
+  }
+
+  var noises = [
+      "uniform"
+    , "gaussian"
+    , "multiplicative"
+    , "impulse"
+    , "laplacian"
+    , "poisson"
+  ];
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-noise
+  proto.noise = function noise (radius) {
+    radius = (String(radius)).toLowerCase();
+
+    var sign = ~noises.indexOf(radius)
+      ? "+"
+      : "-";
+
+    return this.out(sign + "noise", radius);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-paint
+  proto.paint = function paint (radius) {
+    return this.out("-paint", radius);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-raise
+  proto.raise = function raise (w, h) {
+    return this.out("-raise", (w||0)+"x"+(h||0));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-raise
+  proto.lower = function lower (w, h) {
+    return this.out("+raise", (w||0)+"x"+(h||0));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-region
+  proto.region = function region (w, h, x, y) {
+    w = w || 0;
+    h = h || 0;
+    x = x || 0;
+    y = y || 0;
+    return this.out("-region", w + "x" + h + "+" + x + "+" + y);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-roll
+  proto.roll = function roll (x, y) {
+    x = ((x = parseInt(x, 10) || 0) >= 0 ? "+" : "") + x;
+    y = ((y = parseInt(y, 10) || 0) >= 0 ? "+" : "") + y;
+    return this.out("-roll", x+y);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-sharpen
+  proto.sharpen = function sharpen (radius, sigma) {
+    sigma = sigma
+      ? "x" + sigma
+      : "";
+
+    return this.out("-sharpen", radius + sigma);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-solarize
+  proto.solarize = function solarize (factor) {
+    return this.out("-solarize", (factor || 1)+"%");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-spread
+  proto.spread = function spread (amount) {
+    return this.out("-spread", amount || 5);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-swirl
+  proto.swirl = function swirl (degrees) {
+    return this.out("-swirl", degrees || 180);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-type
+  proto.type = function type (type) {
+    return this.in("-type", type);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-trim
+  proto.trim = function trim () {
+    return this.out("-trim");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-extent
+  proto.extent = function extent (w, h, options) {
+    options = options || "";
+    var geometry;
+    if (w && h) {
+      geometry = w + "x" + h + options
+    } else if (w && !h) {
+      geometry = (this._options.imageMagick) ? w + options : w + 'x' + options;
+    } else if (!w && h) {
+      geometry = 'x' + h + options
+    }
+
+    return this.out("-extent", geometry);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-gravity
+  // Be sure to use gravity BEFORE extent
+  proto.gravity = function gravity (type) {
+    if (!type || !~gravity.types.indexOf(type)) {
+      type = "NorthWest"; // Documented default.
+    }
+
+    return this.out("-gravity", type);
+  }
+
+  proto.gravity.types = [
+      "NorthWest"
+    , "North"
+    , "NorthEast"
+    , "West"
+    , "Center"
+    , "East"
+    , "SouthWest"
+    , "South"
+    , "SouthEast"
+  ];
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-flatten
+  proto.flatten = function flatten () {
+    return this.out("-flatten");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-background
+  proto.background = function background (color) {
+    return this.in("-background", color);
+  }
+};
+
+/**
+ * Generates a handler for comments/labels.
+ */
+
+function comment (arg) {
+  return function (format) {
+    format = String(format);
+
+    format = "@" == format.charAt(0)
+      ? format.substring(1)
+      : format;
+
+    return this.out(arg, '"' + format + '"');
+  }
+}
diff --git a/node_modules/gm/lib/command.js b/node_modules/gm/lib/command.js
new file mode 100644
index 0000000..2ff464f
--- /dev/null
+++ b/node_modules/gm/lib/command.js
@@ -0,0 +1,446 @@
+
+/**
+ * Module dependencies.
+ */
+
+var spawn = require('cross-spawn');
+var utils = require('./utils');
+var debug = require('debug')('gm');
+var series = require('array-series');
+var PassThrough = require('stream').PassThrough;
+
+/**
+ * Error messaging.
+ */
+
+var noBufferConcat = 'gm v1.9.0+ required node v0.8+. Please update your version of node, downgrade gm < 1.9, or do not use `bufferStream`.';
+
+/**
+ * Extend proto
+ */
+
+module.exports = function (proto) {
+
+  function args (prop) {
+    return function args () {
+      var len = arguments.length;
+      var a = [];
+      var i = 0;
+
+      for (; i < len; ++i) {
+        a.push(arguments[i]);
+      }
+
+      this[prop] = this[prop].concat(a);
+      return this;
+    }
+  }
+  
+  function streamToUnemptyBuffer(stream, callback) {
+    var done = false
+    var buffers = []
+
+    stream.on('data', function (data) {
+      buffers.push(data)
+    })
+
+    stream.on('end', function () {
+      var result, err;
+      if (done)
+        return
+
+      done = true
+      result = Buffer.concat(buffers)
+      buffers = null
+      if (result.length==0)
+      {
+          err = new Error("Stream yields empty buffer"); 
+          callback(err, null);
+      } else {
+          callback(null, result);
+      }
+    })
+
+    stream.on('error', function (err) {
+      done = true
+      buffers = null
+      callback(err)
+    })
+  }
+
+  proto.in = args('_in');
+  proto.out = args('_out');
+
+  proto._preprocessor = [];
+  proto.preprocessor = args('_preprocessor');
+
+  /**
+   * Execute the command and write the image to the specified file name.
+   *
+   * @param {String} name
+   * @param {Function} callback
+   * @return {Object} gm
+   */
+
+  proto.write = function write (name, callback) {
+    if (!callback) callback = name, name = null;
+
+    if ("function" !== typeof callback) {
+      throw new TypeError("gm().write() expects a callback function")
+    }
+
+    if (!name) {
+      return callback(TypeError("gm().write() expects a filename when writing new files"));
+    }
+
+    this.outname = name;
+
+    var self = this;
+    this._preprocess(function (err) {
+      if (err) return callback(err);
+      self._spawn(self.args(), true, callback);
+    });
+  }
+
+  /**
+   * Execute the command and return stdin and stderr
+   * ReadableStreams providing the image data.
+   * If no callback is passed, a "through" stream will be returned,
+   * and stdout will be piped through, otherwise the error will be passed.
+   *
+   * @param {String} format (optional)
+   * @param {Function} callback (optional)
+   * @return {Stream}
+   */
+
+  proto.stream = function stream (format, callback) {
+    if (!callback && typeof format === 'function') {
+      callback = format;
+      format = null;
+    }
+
+    var throughStream;
+
+    if ("function" !== typeof callback) {
+      throughStream = new PassThrough();
+      callback = function (err, stdout, stderr) {
+        if (err) throughStream.emit('error', err);
+        else stdout.pipe(throughStream);
+      }
+    }
+
+    if (format) {
+      format = format.split('.').pop();
+      this.outname = format + ":-";
+    }
+
+    var self = this;
+    this._preprocess(function (err) {
+      if (err) return callback(err);
+      return self._spawn(self.args(), false, callback);
+    });
+
+    return throughStream || this;
+  }
+
+  /**
+   * Convenience function for `proto.stream`.
+   * Simply returns the buffer instead of the stream.
+   *
+   * @param {String} format (optional)
+   * @param {Function} callback
+   * @return {null}
+   */
+
+  proto.toBuffer = function toBuffer (format, callback) {
+    if (!callback) callback = format, format = null;
+
+    if ("function" !== typeof callback) {
+      throw new Error('gm().toBuffer() expects a callback.');
+    }
+
+    return this.stream(format, function (err, stdout) {
+      if (err) return callback(err);
+
+      streamToUnemptyBuffer(stdout, callback);
+    })
+  }
+
+  /**
+    * Run any preProcessor functions in series. Used by autoOrient.
+    *
+    * @param {Function} callback
+    * @return {Object} gm
+    */
+
+  proto._preprocess = function _preprocess (callback) {
+    series(this._preprocessor, this, callback);
+  }
+
+  /**
+    * Execute the command, buffer input and output, return stdout and stderr buffers.
+    *
+    * @param {String} bin
+    * @param {Array} args
+    * @param {Function} callback
+    * @return {Object} gm
+    */
+
+  proto._exec = function _exec (args, callback) {
+    return this._spawn(args, true, callback);
+  }
+
+  /**
+    * Execute the command with stdin, returning stdout and stderr streams or buffers.
+    * @param {String} bin
+    * @param {Array} args
+    * @param {ReadableStream} stream
+    * @param {Boolean} shouldBuffer
+    * @param {Function} callback, signature (err, stdout, stderr) -> * 
+    * @return {Object} gm
+    * @TODO refactor this mess
+    */
+
+  proto._spawn = function _spawn (args, bufferOutput, callback) {
+    var appPath = this._options.appPath || '';
+    var bin = this._options.imageMagick
+      ? appPath + args.shift()
+      : appPath + 'gm'
+
+    var cmd = bin + ' ' + args.map(utils.escape).join(' ')
+      , self = this
+      , proc, err
+      , timeout = parseInt(this._options.timeout)
+      , disposers = this._options.disposers
+      , timeoutId;
+
+    debug(cmd);
+    //imageMagick does not support minify (https://github.com/aheckmann/gm/issues/385)
+    if(args.indexOf("-minify") > -1 && this._options.imageMagick){
+      err = new Error("imageMagick does not support minify, use -scale or -sample. Alternatively, use graphicsMagick");
+      return cb(err);
+    }
+    try {
+      proc = spawn(bin, args);
+    } catch (e) {
+      return cb(e);
+    }
+    proc.stdin.once('error', cb);
+    
+    proc.on('error', function(err){
+      if (err.code === 'ENOENT') {
+        cb(new Error('Could not execute GraphicsMagick/ImageMagick: '+cmd+" this most likely means the gm/convert binaries can't be found"));
+      } else {
+        cb(err);
+      }
+    });
+
+    if (timeout) {
+      timeoutId = setTimeout(function(){
+        dispose('gm() resulted in a timeout.');
+      }, timeout);
+    }
+
+    if (disposers) {
+      disposers.forEach(function(disposer) {
+        disposer.events.forEach(function(event) {
+          disposer.emitter.on(event, dispose);
+        });
+      });
+    }
+
+    if (self.sourceBuffer) {
+      proc.stdin.write(this.sourceBuffer);
+      proc.stdin.end();
+    } else if (self.sourceStream) {
+
+      if (!self.sourceStream.readable) {
+        err = new Error("gm().stream() or gm().write() with a non-readable stream.");
+        return cb(err);
+      }
+
+      self.sourceStream.pipe(proc.stdin);
+
+      // bufferStream
+      // We convert the input source from a stream to a buffer.
+      if (self.bufferStream && !this._buffering) {
+        if (!Buffer.concat) {
+          throw new Error(noBufferConcat);
+        }
+
+        // Incase there are multiple processes in parallel,
+        // we only need one
+        self._buffering = true;
+
+        streamToUnemptyBuffer(self.sourceStream, function (err, buffer) {
+          self.sourceBuffer = buffer;
+          self.sourceStream = null; // The stream is now dead
+        })
+      }
+    }
+
+    // for _exec operations (identify() mostly), we also
+    // need to buffer the output stream before returning
+    if (bufferOutput) {
+      var stdout = ''
+        , stderr = ''
+        , onOut
+        , onErr
+        , onExit
+
+      proc.stdout.on('data', onOut = function (data) {
+        stdout += data;
+      });
+
+      proc.stderr.on('data', onErr = function (data) {
+        stderr += data;
+      });
+
+      proc.on('close', onExit = function (code, signal) {
+        if (code !== 0 || signal !== null) {
+          err = new Error('Command failed: ' + stderr);
+          err.code = code;
+          err.signal = signal;
+        };
+        cb(err, stdout, stderr, cmd);
+        stdout = stderr = onOut = onErr = onExit = null;
+      });
+    } else {
+      cb(null, proc.stdout, proc.stderr, cmd);
+    }
+
+    return self;
+
+    function cb (err, stdout, stderr, cmd) {
+      if (cb.called) return;
+      if (timeoutId) clearTimeout(timeoutId);
+      cb.called = 1;
+      if (args[0] !== 'identify' && bin !== 'identify') {
+	self._in = [];
+	self._out = [];
+      }
+      callback.call(self, err, stdout, stderr, cmd);
+    }
+
+    function dispose (msg) {
+      var message = msg ? msg : 'gm() was disposed';
+      err = new Error(message);
+      cb(err);
+      if (proc.exitCode === null) {
+        proc.stdin.pause();
+        proc.kill();
+      }
+    }
+  }
+
+  /**
+   * Returns arguments to be used in the command.
+   *
+   * @return {Array}
+   */
+
+  proto.args = function args () {
+    var outname = this.outname || "-";
+  	if (this._outputFormat) outname = this._outputFormat + ':' + outname;
+
+    return [].concat(
+        this._subCommand
+      , this._in
+      , this.src()
+      , this._out
+      , outname
+    ).filter(Boolean); // remove falsey
+  }
+
+  /**
+   * Adds an img source formatter.
+   *
+   * `formatters` are passed an array of images which will be
+   * used as 'input' images for the command. Useful for methods
+   * like `.append()` where multiple source images may be used.
+   *
+   * @param {Function} formatter
+   * @return {gm} this
+   */
+
+  proto.addSrcFormatter = function addSrcFormatter (formatter) {
+    if ('function' != typeof formatter)
+      throw new TypeError('sourceFormatter must be a function');
+    this._sourceFormatters || (this._sourceFormatters = []);
+    this._sourceFormatters.push(formatter);
+    return this;
+  }
+
+  /**
+   * Applies all _sourceFormatters
+   *
+   * @return {Array}
+   */
+
+  proto.src = function src () {
+    var arr = [];
+    for (var i = 0; i < this._sourceFormatters.length; ++i) {
+      this._sourceFormatters[i].call(this, arr);
+    }
+    return arr;
+  }
+
+  /**
+   * Image types.
+   */
+
+  var types = {
+      'jpg': /\.jpe?g$/i
+    , 'png' : /\.png$/i
+    , 'gif' : /\.gif$/i
+    , 'tiff': /\.tif?f$/i
+    , 'bmp' : /(?:\.bmp|\.dib)$/i
+    , 'webp': /\.webp$/i
+  };
+
+  types.jpeg = types.jpg;
+  types.tif = types.tiff;
+  types.dib = types.bmp;
+
+  /**
+   * Determine the type of source image.
+   *
+   * @param {String} type
+   * @return {Boolean}
+   * @example
+   *   if (this.inputIs('png')) ...
+   */
+
+  proto.inputIs = function inputIs (type) {
+    if (!type) return false;
+
+    var rgx = types[type];
+    if (!rgx) {
+      if ('.' !== type[0]) type = '.' + type;
+      rgx = new RegExp('\\' + type + '$', 'i');
+    }
+
+    return rgx.test(this.source);
+  }
+
+  /**
+   * add disposer (like 'close' of http.IncomingMessage) in order to dispose gm() with any event
+   *
+   * @param {EventEmitter} emitter
+   * @param {Array} events
+   * @return {Object} gm
+   * @example
+   *   command.addDisposer(req, ['close', 'end', 'finish']);
+   */
+
+  proto.addDisposer = function addDisposer (emitter, events) {
+    if (!this._options.disposers) {
+      this._options.disposers = [];
+    }
+    this._options.disposers.push({
+      emitter: emitter,
+      events: events
+    });
+    return this;
+  };
+}
diff --git a/node_modules/gm/lib/compare.js b/node_modules/gm/lib/compare.js
new file mode 100644
index 0000000..a24ea04
--- /dev/null
+++ b/node_modules/gm/lib/compare.js
@@ -0,0 +1,120 @@
+// compare
+
+var spawn = require('cross-spawn');
+
+/**
+ * Compare two images uses graphicsmagicks `compare` command.
+ *
+ * gm.compare(img1, img2, 0.4, function (err, equal, equality) {
+ *   if (err) return handle(err);
+ *   console.log('The images are equal: %s', equal);
+ *   console.log('There equality was %d', equality);
+ * });
+ *
+ * @param {String} orig Path to an image.
+ * @param {String} compareTo Path to another image to compare to `orig`.
+ * @param {Number|Object} [options] Options object or the amount of difference to tolerate before failing - defaults to 0.4
+ * @param {Function} cb(err, Boolean, equality, rawOutput)
+ */
+
+module.exports = exports = function (proto) {
+  function compare(orig, compareTo, options, cb) {
+
+    var isImageMagick = this._options && this._options.imageMagick;
+    var appPath = this._options && this._options.appPath || '';
+    var bin = isImageMagick
+      ? appPath + 'compare' 
+      : appPath + 'gm'
+    var args = ['-metric', 'mse', orig, compareTo]
+    if (!isImageMagick) {
+        args.unshift('compare');
+    }
+    var tolerance = 0.4;
+    // outputting the diff image
+    if (typeof options === 'object') {
+
+      if (options.highlightColor && options.highlightColor.indexOf('"') < 0) {
+        options.highlightColor = '"' + options.highlightColor + '"';
+      }
+
+      if (options.file) {
+        if (typeof options.file !== 'string') {
+          throw new TypeError('The path for the diff output is invalid');
+        }
+         // graphicsmagick defaults to red
+        if (options.highlightColor) {
+            args.push('-highlight-color');
+            args.push(options.highlightColor);
+        }
+        if (options.highlightStyle) {
+            args.push('-highlight-style')
+            args.push(options.highlightStyle)
+        }
+        // For IM, filename is the last argument. For GM it's `-file <filename>`
+        if (!isImageMagick) {
+            args.push('-file');
+        }
+        args.push(options.file);
+      }
+      
+      if (typeof options.tolerance != 'undefined') {
+        if (typeof options.tolerance !== 'number') {
+          throw new TypeError('The tolerance value should be a number');
+        }
+        tolerance = options.tolerance;
+      } 
+    } else {
+      // For ImageMagick diff file is required but we don't care about it, so null it out
+      if (isImageMagick) {
+        args.push('null:');
+      }
+
+      if (typeof options == 'function') {
+        cb = options; // tolerance value not provided, flip the cb place
+      } else {
+        tolerance = options
+      }
+    }
+
+    var proc = spawn(bin, args);
+    var stdout = '';
+    var stderr = '';
+    proc.stdout.on('data',function(data) { stdout+=data });
+    proc.stderr.on('data',function(data) { stderr+=data });
+    proc.on('close', function (code) {
+      // ImageMagick returns err code 2 if err, 0 if similar, 1 if dissimilar
+      if (isImageMagick) {
+        if (code === 0) {
+          return cb(null, 0 <= tolerance, 0, stdout);
+        }
+        else if (code === 1) {
+          err = null;
+          stdout = stderr;
+        } else {
+        return cb(stderr);
+        }
+      } else {
+        if(code !== 0) {
+          return cb(stderr);
+        }
+      }
+      // Since ImageMagick similar gives err code 0 and no stdout, there's really no matching
+      // Otherwise, output format for IM is `12.00 (0.123)` and for GM it's `Total: 0.123`
+      var regex = isImageMagick ? /\((\d+\.?[\d\-\+e]*)\)/m : /Total: (\d+\.?\d*)/m;
+      var match = regex.exec(stdout);
+      if (!match) {
+        err = new Error('Unable to parse output.\nGot ' + stdout);
+        return cb(err);
+      }
+
+      var equality = parseFloat(match[1]);
+      cb(null, equality <= tolerance, equality, stdout, orig, compareTo);
+    });
+  }
+
+  if (proto) {
+    proto.compare = compare;
+  }
+  return compare;
+};
+
diff --git a/node_modules/gm/lib/composite.js b/node_modules/gm/lib/composite.js
new file mode 100644
index 0000000..ca90440
--- /dev/null
+++ b/node_modules/gm/lib/composite.js
@@ -0,0 +1,29 @@
+// composite
+
+/**
+ * Composite images together using the `composite` command in graphicsmagick.
+ *
+ * gm('/path/to/image.jpg')
+ * .composite('/path/to/second_image.jpg')
+ * .geometry('+100+150')
+ * .write('/path/to/composite.png', function(err) {
+ *   if(!err) console.log("Written composite image.");
+ * });
+ *
+ * @param {String} other  Path to the image that contains the changes.
+ * @param {String} [mask] Path to the image with opacity informtion. Grayscale.
+ */
+
+module.exports = exports = function(proto) {
+    proto.composite = function(other, mask) {
+        this.in(other);
+
+        // If the mask is defined, add it to the output.
+        if(typeof mask !== "undefined")
+            this.out(mask);
+
+        this.subCommand("composite");
+
+        return this;
+    }
+}
diff --git a/node_modules/gm/lib/convenience.js b/node_modules/gm/lib/convenience.js
new file mode 100644
index 0000000..9f5c924
--- /dev/null
+++ b/node_modules/gm/lib/convenience.js
@@ -0,0 +1,11 @@
+
+/**
+ * Extend proto
+ */
+
+module.exports = function (proto) {
+  require("./convenience/thumb")(proto);
+  require("./convenience/morph")(proto);
+  require("./convenience/sepia")(proto);
+  require("./convenience/autoOrient")(proto);
+}
diff --git a/node_modules/gm/lib/convenience/autoOrient.js b/node_modules/gm/lib/convenience/autoOrient.js
new file mode 100644
index 0000000..e16c2a9
--- /dev/null
+++ b/node_modules/gm/lib/convenience/autoOrient.js
@@ -0,0 +1,57 @@
+
+/**
+ * Extend proto.
+ */
+
+module.exports = function (proto) {
+
+  var exifTransforms = {
+      topleft:     ''
+    , topright:    ['-flop']
+    , bottomright: ['-rotate', 180]
+    , bottomleft:  ['-flip']
+    , lefttop:     ['-flip', '-rotate', 90]
+    , righttop:    ['-rotate', 90]
+    , rightbottom: ['-flop', '-rotate', 90]
+    , leftbottom:  ['-rotate', 270]
+  }
+
+  proto.autoOrient = function autoOrient () {
+    // Always strip EXIF data since we can't
+    // change/edit it.
+
+    // imagemagick has a native -auto-orient option
+    // so does graphicsmagick, but in 1.3.18.
+    // nativeAutoOrient option enables this if you know you have >= 1.3.18
+    if (this._options.nativeAutoOrient || this._options.imageMagick) {
+      this.out('-auto-orient');
+      this.strip();
+      return this;
+    }
+
+    this.preprocessor(function (callback) {
+      this.orientation({bufferStream: true}, function (err, orientation) {
+        if (err) return callback(err);
+
+        var transforms = exifTransforms[orientation.toLowerCase()];
+        if (transforms) {
+
+          // remove any existing transforms that might conflict
+          var index = this._out.indexOf(transforms[0]);
+          if (~index) {
+            this._out.splice(index, transforms.length);
+          }
+
+          // repage to fix coordinates
+          this._out.unshift.apply(this._out, transforms.concat('-page', '+0+0'));
+        }
+
+        this.strip();
+
+        callback();
+      });
+    });
+
+    return this;
+  }
+}
diff --git a/node_modules/gm/lib/convenience/morph.js b/node_modules/gm/lib/convenience/morph.js
new file mode 100644
index 0000000..91b2be9
--- /dev/null
+++ b/node_modules/gm/lib/convenience/morph.js
@@ -0,0 +1,61 @@
+
+/**
+ * Module dependencies.
+ */
+
+var fs = require('fs');
+var parallel = require('array-parallel');
+
+/**
+ * Extend proto.
+ */
+
+module.exports = function (proto) {
+
+  /**
+   * Do nothing.
+   */
+
+  function noop () {}
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-morph
+  proto.morph = function morph (other, outname, callback) {
+    if (!outname) {
+      throw new Error("an output filename is required");
+    }
+
+    callback = (callback || noop).bind(this)
+
+    var self = this;
+
+    if (Array.isArray(other)) {
+      other.forEach(function (img) {
+        self.out(img);
+      });
+      self.out("-morph", other.length);
+    } else {
+      self.out(other, "-morph", 1);
+    }
+
+    self.write(outname, function (err, stdout, stderr, cmd) {
+      if (err) return callback(err, stdout, stderr, cmd);
+
+      // Apparently some platforms create the following temporary files.
+      // Check if the output file exists, if it doesn't, then
+      // work with temporary files.
+      fs.exists(outname, function (exists) {
+        if (exists) return callback(null, stdout, stderr, cmd);
+
+        parallel([
+          fs.unlink.bind(fs, outname + '.0'),
+          fs.unlink.bind(fs, outname + '.2'),
+          fs.rename.bind(fs, outname + '.1', outname)
+        ], function (err) {
+          callback(err, stdout, stderr, cmd);
+        })
+      })
+    });
+
+    return self;
+  }
+}
diff --git a/node_modules/gm/lib/convenience/sepia.js b/node_modules/gm/lib/convenience/sepia.js
new file mode 100644
index 0000000..09634da
--- /dev/null
+++ b/node_modules/gm/lib/convenience/sepia.js
@@ -0,0 +1,10 @@
+
+/**
+ * Extend proto.
+ */
+
+module.exports = function (proto) {
+  proto.sepia = function sepia () {
+    return this.modulate(115, 0, 100).colorize(7, 21, 50);
+  }
+}
diff --git a/node_modules/gm/lib/convenience/thumb.js b/node_modules/gm/lib/convenience/thumb.js
new file mode 100644
index 0000000..38d4e74
--- /dev/null
+++ b/node_modules/gm/lib/convenience/thumb.js
@@ -0,0 +1,92 @@
+
+/**
+ * Extend proto.
+ */
+
+module.exports = function (proto) {
+
+  proto.thumb = function thumb (w, h, name, quality, align, progressive, callback, opts) {
+    var self = this,
+      args = Array.prototype.slice.call(arguments);
+
+    opts = args.pop();
+
+    if (typeof opts === 'function') {
+      callback = opts;
+      opts = '';
+    } else {
+      callback = args.pop();
+    }
+
+    w = args.shift();
+    h = args.shift();
+    name = args.shift();
+    quality = args.shift() || 63;
+    align = args.shift() || 'topleft';
+    var interlace = args.shift() ? 'Line' : 'None';
+
+    self.size(function (err, size) {
+      if (err) {
+        return callback.apply(self, arguments);
+      }
+
+      w = parseInt(w, 10);
+      h = parseInt(h, 10);
+
+      var w1, h1;
+      var xoffset = 0;
+      var yoffset = 0;
+
+      if (size.width < size.height) {
+        w1 = w;
+        h1 = Math.floor(size.height * (w/size.width));
+        if (h1 < h) {
+          w1 = Math.floor(w1 * (((h-h1)/h) + 1));
+          h1 = h;
+        }
+      } else if (size.width > size.height) {
+        h1 = h;
+        w1 = Math.floor(size.width * (h/size.height));
+        if (w1 < w) {
+          h1 = Math.floor(h1 * (((w-w1)/w) + 1));
+          w1 = w;
+        }
+      } else if (size.width == size.height) {
+        var bigger = (w>h?w:h);
+        w1 = bigger;
+        h1 = bigger;
+      }
+
+      if (align == 'center') {
+        if (w < w1) {
+          xoffset = (w1-w)/2;
+        }
+        if (h < h1) {
+          yoffset = (h1-h)/2;
+        }
+      }
+
+      self
+      .quality(quality)
+      .in("-size", w1+"x"+h1)
+      .scale(w1, h1, opts)
+      .crop(w, h, xoffset, yoffset)
+      .interlace(interlace)
+      .noProfile()
+      .write(name, function () {
+        callback.apply(self, arguments);
+      });
+    });
+
+    return self;
+  };
+
+  proto.thumbExact = function () {
+    var self = this,
+      args = Array.prototype.slice.call(arguments);
+
+    args.push('!');
+
+    self.thumb.apply(self, args);
+  };
+};
diff --git a/node_modules/gm/lib/drawing.js b/node_modules/gm/lib/drawing.js
new file mode 100644
index 0000000..b553b62
--- /dev/null
+++ b/node_modules/gm/lib/drawing.js
@@ -0,0 +1,160 @@
+
+/**
+ * Module dependencies.
+ */
+
+var escape = require('./utils').escape;
+
+/**
+ * Extend proto.
+ */
+
+module.exports = function (proto) {
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-fill
+  proto.fill = function fill (color) {
+    return this.out("-fill", color || "none");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-stroke
+  proto.stroke = function stroke (color, width) {
+    if (width) {
+      this.strokeWidth(width);
+    }
+
+    return this.out("-stroke", color || "none");
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-strokewidth
+  proto.strokeWidth = function strokeWidth (width) {
+    return this.out("-strokewidth", width);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-font
+  proto.font = function font (font, size) {
+    if (size) {
+      this.fontSize(size);
+    }
+
+    return this.out("-font", font);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html
+  proto.fontSize = function fontSize (size) {
+    return this.out("-pointsize", size);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-draw
+  proto.draw = function draw (args) {
+    return this.out("-draw", [].slice.call(arguments).join(" "));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-draw
+  proto.drawPoint = function drawPoint (x, y) {
+    return this.draw("point", x +","+ y);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-draw
+  proto.drawLine = function drawLine (x0, y0, x1, y1) {
+    return this.draw("line", x0+","+y0, x1+","+y1);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-draw
+  proto.drawRectangle = function drawRectangle (x0, y0, x1, y1, wc, hc) {
+    var shape = "rectangle"
+      , lastarg;
+
+    if ("undefined" !== typeof wc) {
+      shape = "roundRectangle";
+
+      if ("undefined" === typeof hc) {
+        hc = wc;
+      }
+
+      lastarg = wc+","+hc;
+    }
+
+    return this.draw(shape, x0+","+y0, x1+","+y1, lastarg);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-draw
+  proto.drawArc = function drawArc (x0, y0, x1, y1, a0, a1) {
+    return this.draw("arc", x0+","+y0, x1+","+y1, a0+","+a1);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-draw
+  proto.drawEllipse = function drawEllipse (x0, y0, rx, ry, a0, a1) {
+    if (a0 == undefined) a0 = 0;
+    if (a1 == undefined) a1 = 360;
+    return this.draw("ellipse", x0+","+y0, rx+","+ry, a0+","+a1);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-draw
+  proto.drawCircle = function drawCircle (x0, y0, x1, y1) {
+    return this.draw("circle", x0+","+y0, x1+","+y1);
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-draw
+  proto.drawPolyline = function drawPolyline () {
+    return this.draw("polyline", formatPoints(arguments));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-draw
+  proto.drawPolygon = function drawPolygon () {
+    return this.draw("polygon", formatPoints(arguments));
+  }
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-draw
+  proto.drawBezier = function drawBezier () {
+    return this.draw("bezier", formatPoints(arguments));
+  }
+
+  proto._gravities = [
+      "northwest"
+	  , "north"
+    , "northeast"
+	  , "west"
+    , "center"
+	  , "east"
+    , "southwest"
+    , "south"
+    , "southeast"];
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-draw
+  proto.drawText = function drawText (x0, y0, text, gravity) {
+    var gravity = String(gravity || "").toLowerCase()
+      , arg = ["text " + x0 + "," + y0 + " " + escape(text)];
+
+    if (~this._gravities.indexOf(gravity)) {
+      arg.unshift("gravity", gravity);
+    }
+
+    return this.draw.apply(this, arg);
+  }
+
+  proto._drawProps = ["color", "matte"];
+
+  // http://www.graphicsmagick.org/GraphicsMagick.html#details-draw
+  proto.setDraw = function setDraw (prop, x, y, method) {
+    prop = String(prop || "").toLowerCase();
+
+    if (!~this._drawProps.indexOf(prop)) {
+      return this;
+    }
+
+    return this.draw(prop, x+","+y, method);
+  }
+
+}
+
+function formatPoints (points) {
+  var len = points.length
+    , result = []
+    , i = 0;
+
+  for (; i < len; ++i) {
+    result.push(points[i].join(","));
+  }
+
+  return result;
+}
diff --git a/node_modules/gm/lib/getters.js b/node_modules/gm/lib/getters.js
new file mode 100755
index 0000000..14bbcf0
--- /dev/null
+++ b/node_modules/gm/lib/getters.js
@@ -0,0 +1,346 @@
+/**
+ * Extend proto.
+ */
+
+module.exports = function (gm) {
+
+  var proto = gm.prototype;
+
+  /**
+   * `identify` states
+   */
+
+  const IDENTIFYING = 1;
+  const IDENTIFIED = 2;
+
+  /**
+   * Map getter functions to output names.
+   *
+   * - format: specifying the -format argument (see man gm)
+   * - verbose: use -verbose instead of -format (only if necessary b/c its slow)
+   * - helper: use the conversion helper
+   */
+
+  var map = {
+      'format': { key: 'format', format: '%m ', helper: 'Format' }
+    , 'depth':  { key: 'depth',  format: '%q' }
+    , 'filesize': { key: 'Filesize', format: '%b' }
+    , 'size':  { key: 'size', format: '%wx%h ', helper: 'Geometry' }
+    , 'color': { key: 'color', format: '%k',  helper: 'Colors' }
+    , 'orientation': { key: 'Orientation', format: '%[EXIF:Orientation]', helper: 'Orientation' }
+    , 'res':   { key: 'Resolution', verbose: true }
+  }
+
+  /**
+   * Getter functions
+   */
+
+  Object.keys(map).forEach(function (getter) {
+    proto[getter] = function (opts, callback) {
+      if (!callback) callback = opts, opts = {};
+      if (!callback) return this;
+
+      var val = map[getter]
+        , key = val.key
+        , self = this;
+
+      if (self.data[key]) {
+        callback.call(self, null, self.data[key]);
+        return self;
+      }
+
+      self.on(getter, callback);
+
+      self.bufferStream = !!opts.bufferStream;
+
+      if (val.verbose) {
+        self.identify(opts, function (err, stdout, stderr, cmd) {
+          if (err) {
+            self.emit(getter, err, self.data[key], stdout, stderr, cmd);
+          } else {
+            self.emit(getter, err, self.data[key]);
+          }
+        });
+        return self;
+      }
+
+      var args = makeArgs(self, val);
+      self._exec(args, function (err, stdout, stderr, cmd) {
+        if (err) {
+          self.emit(getter, err, self.data[key], stdout, stderr, cmd);
+          return;
+        }
+
+        var result = (stdout||'').trim();
+
+        if (val.helper in helper) {
+          helper[val.helper](self.data, result);
+        } else {
+          self.data[key] = result;
+        }
+
+        self.emit(getter, err, self.data[key]);
+      });
+
+      return self;
+    }
+  });
+
+  /**
+   * identify command
+   *
+   * Overwrites all internal data with the parsed output
+   * which is more accurate than the fast shortcut
+   * getters.
+   */
+
+  proto.identify = function identify (opts, callback) {
+    // identify with pattern
+    if (typeof(opts) === 'string') {
+      opts = {
+        format: opts
+      }
+    }
+    if (!callback) callback = opts, opts = {};
+    if (!callback) return this;
+    if (opts && opts.format) return identifyPattern.call(this, opts, callback);
+
+    var self = this;
+
+    if (IDENTIFIED === self._identifyState) {
+      callback.call(self, null, self.data);
+      return self;
+    }
+
+    self.on('identify', callback);
+
+    if (IDENTIFYING === self._identifyState) {
+      return self;
+    }
+
+    self._identifyState = IDENTIFYING;
+
+    self.bufferStream = !!opts.bufferStream;
+
+    var args = makeArgs(self, { verbose: true });
+
+    self._exec(args, function (err, stdout, stderr, cmd) {
+      if (err) {
+        self.emit('identify', err, self.data, stdout, stderr, cmd);
+        return;
+      }
+
+      err = parse(stdout, self);
+
+      if (err) {
+        self.emit('identify', err, self.data, stdout, stderr, cmd);
+        return;
+      }
+
+      self.data.path = self.source;
+
+      self.emit('identify', null, self.data);
+      self._identifyState = IDENTIFIED;
+    });
+
+    return self;
+  }
+
+
+  /**
+   * identify with pattern
+   *
+   * Execute `identify -format` with custom pattern
+   */
+
+  function identifyPattern (opts, callback) {
+    var self = this;
+
+    self.bufferStream = !!opts.bufferStream;
+
+    var args = makeArgs(self, opts);
+    self._exec(args, function (err, stdout, stderr, cmd) {
+      if (err) {
+        return callback.call(self, err, undefined, stdout, stderr, cmd);
+      }
+
+      callback.call(self, err, (stdout||'').trim());
+    });
+
+    return self;
+  }
+
+
+  /**
+   * Parses `identify` responses.
+   *
+   * @param {String} stdout
+   * @param {Gm} self
+   * @return {Error} [optionally]
+   */
+
+  function parse (stdout, self) {
+    // normalize
+    var parts = (stdout||"").trim().replace(/\r\n|\r/g, "\n").split("\n");
+
+    // skip the first line (its just the filename)
+    parts.shift();
+
+    try {
+      var len = parts.length
+        , rgx1 = /^( *)(.+?): (.*)$/ // key: val
+        , rgx2 = /^( *)(.+?):$/      // key: begin nested object
+        , out = { indent: {} }
+        , level = null
+        , lastkey
+        , i = 0
+        , res
+        , o
+
+      for (; i < len; ++i) {
+        res = rgx1.exec(parts[i]) || rgx2.exec(parts[i]);
+        if (!res) continue;
+
+        var indent = res[1].length
+          , key = res[2] ? res[2].trim() : '';
+
+        if ('Image' == key || 'Warning' == key) continue;
+
+        var val = res[3] ? res[3].trim() : null;
+
+        // first iteration?
+        if (null === level) {
+          level = indent;
+          o = out.root = out.indent[level] = self.data;
+        } else if (indent < level) {
+          // outdent
+          if (!(indent in out.indent)) {
+            continue;
+          }
+          o = out.indent[indent];
+        } else if (indent > level) {
+          // dropping into a nested object
+          out.indent[level] = o;
+          // weird format, key/val pair with nested children. discard the val
+          o = o[lastkey] = {};
+        }
+
+        level = indent;
+
+        if (val) {
+          // if previous key was exist and we got the same key
+          // cast it to an array.
+          if(o.hasOwnProperty(key)){
+            // cast it to an array and dont forget the previous value
+            if(!Array.isArray(o[key])){
+              var tmp = o[key];
+              o[key] = [tmp];
+            }
+
+            // set value
+            o[key].push(val);
+          } else {
+            o[key] = val;
+          }
+
+          if (key in helper) {
+            helper[key](o, val);
+          }
+        }
+
+        lastkey = key;
+      }
+
+    } catch (err) {
+      err.message = err.message + "\n\n  Identify stdout:\n  " + stdout;
+      return err;
+    }
+  }
+
+  /**
+   * Create an argument array for the identify command.
+   *
+   * @param {gm} self
+   * @param {Object} val
+   * @return {Array}
+   */
+
+  function makeArgs (self, val) {
+    var args = [
+        'identify'
+      , '-ping'
+    ];
+
+    if (val.format) {
+      args.push('-format', val.format);
+    }
+
+    if (val.verbose) {
+      args.push('-verbose');
+    }
+
+    args = args.concat(self.src());
+    return args;
+  }
+
+  /**
+   * Map exif orientation codes to orientation names.
+   */
+
+  var orientations = {
+      '1': 'TopLeft'
+    , '2': 'TopRight'
+    , '3': 'BottomRight'
+    , '4': 'BottomLeft'
+    , '5': 'LeftTop'
+    , '6': 'RightTop'
+    , '7': 'RightBottom'
+    , '8': 'LeftBottom'
+  }
+
+  /**
+   * identify -verbose helpers
+   */
+
+  var helper = gm.identifyHelpers = {};
+
+  helper.Geometry = function Geometry (o, val) {
+    // We only want the size of the first frame.
+    // Each frame is separated by a space.
+    var split = val.split(" ").shift().split("x");
+    var width = parseInt(split[0], 10);
+    var height = parseInt(split[1], 10);
+    if (o.size && o.size.width && o.size.height) {
+      if (width > o.size.width) o.size.width = width;
+      if (height > o.size.height) o.size.height = height;
+    } else {
+      o.size = {
+        width:  width,
+        height: height
+      }
+    }
+  };
+
+  helper.Format = function Format (o, val) {
+    o.format = val.split(" ")[0];
+  };
+
+  helper.Depth = function Depth (o, val) {
+    o.depth = parseInt(val, 10);
+  };
+
+  helper.Colors = function Colors (o, val) {
+    o.color = parseInt(val, 10);
+  };
+
+  helper.Orientation = function Orientation (o, val) {
+    if (val in orientations) {
+      o['Profile-EXIF'] || (o['Profile-EXIF'] = {});
+      o['Profile-EXIF'].Orientation = val;
+      o.Orientation = orientations[val];
+    } else {
+      o.Orientation = val || 'Unknown';
+    }
+  };
+}
+
diff --git a/node_modules/gm/lib/montage.js b/node_modules/gm/lib/montage.js
new file mode 100644
index 0000000..3120be8
--- /dev/null
+++ b/node_modules/gm/lib/montage.js
@@ -0,0 +1,24 @@
+// montage
+
+/**
+ * Montage images next to each other using the `montage` command in graphicsmagick.
+ *
+ * gm('/path/to/image.jpg')
+ * .montage('/path/to/second_image.jpg')
+ * .geometry('+100+150')
+ * .write('/path/to/montage.png', function(err) {
+ *   if(!err) console.log("Written montage image.");
+ * });
+ *
+ * @param {String} other  Path to the image that contains the changes.
+ */
+
+module.exports = exports = function(proto) {
+    proto.montage = function(other) {
+        this.in(other);
+
+        this.subCommand("montage");
+
+        return this;
+    }
+}
diff --git a/node_modules/gm/lib/options.js b/node_modules/gm/lib/options.js
new file mode 100644
index 0000000..745fda1
--- /dev/null
+++ b/node_modules/gm/lib/options.js
@@ -0,0 +1,17 @@
+
+module.exports = exports = function (proto) {
+  proto._options = {};
+
+  proto.options = function setOptions (options) {
+    var keys = Object.keys(options)
+      , i = keys.length
+      , key
+
+    while (i--) {
+      key = keys[i];
+      this._options[key] = options[key];
+    }
+
+    return this;
+  }
+}
diff --git a/node_modules/gm/lib/utils.js b/node_modules/gm/lib/utils.js
new file mode 100644
index 0000000..871add4
--- /dev/null
+++ b/node_modules/gm/lib/utils.js
@@ -0,0 +1,43 @@
+
+/**
+ * Escape the given shell `arg`.
+ *
+ * @param {String} arg
+ * @return {String}
+ * @api public
+ */
+
+exports.escape = function escape (arg) {
+  return '"' + String(arg).trim().replace(/"/g, '\\"') + '"';
+};
+
+exports.unescape = function escape (arg) {
+    return String(arg).trim().replace(/"/g, "");
+};
+
+exports.argsToArray = function (args) {
+  var arr = [];
+
+  for (var i = 0; i <= arguments.length; i++) {
+    if ('undefined' != typeof arguments[i])
+      arr.push(arguments[i]);
+  }
+
+  return arr;
+};
+
+exports.isUtil = function (v) {
+	var ty = 'object';
+	switch (Object.prototype.toString.call(v)) {
+	case '[object String]':
+		ty = 'String';
+		break;
+	case '[object Array]':
+		ty = 'Array';
+		break;
+	case '[object Boolean]':
+		ty = 'Boolean';
+		break;
+	}
+	return ty;
+}
\ No newline at end of file
diff --git a/node_modules/gm/node_modules/debug/.jshintrc b/node_modules/gm/node_modules/debug/.jshintrc
new file mode 100644
index 0000000..299877f
--- /dev/null
+++ b/node_modules/gm/node_modules/debug/.jshintrc
@@ -0,0 +1,3 @@
+{
+  "laxbreak": true
+}
diff --git a/node_modules/gm/node_modules/debug/.npmignore b/node_modules/gm/node_modules/debug/.npmignore
new file mode 100644
index 0000000..7e6163d
--- /dev/null
+++ b/node_modules/gm/node_modules/debug/.npmignore
@@ -0,0 +1,6 @@
+support
+test
+examples
+example
+*.sock
+dist
diff --git a/node_modules/gm/node_modules/debug/History.md b/node_modules/gm/node_modules/debug/History.md
new file mode 100644
index 0000000..854c971
--- /dev/null
+++ b/node_modules/gm/node_modules/debug/History.md
@@ -0,0 +1,195 @@
+
+2.2.0 / 2015-05-09
+==================
+
+  * package: update "ms" to v0.7.1 (#202, @dougwilson)
+  * README: add logging to file example (#193, @DanielOchoa)
+  * README: fixed a typo (#191, @amir-s)
+  * browser: expose `storage` (#190, @stephenmathieson)
+  * Makefile: add a `distclean` target (#189, @stephenmathieson)
+
+2.1.3 / 2015-03-13
+==================
+
+  * Updated stdout/stderr example (#186)
+  * Updated example/stdout.js to match debug current behaviour
+  * Renamed example/stderr.js to stdout.js
+  * Update Readme.md (#184)
+  * replace high intensity foreground color for bold (#182, #183)
+
+2.1.2 / 2015-03-01
+==================
+
+  * dist: recompile
+  * update "ms" to v0.7.0
+  * package: update "browserify" to v9.0.3
+  * component: fix "ms.js" repo location
+  * changed bower package name
+  * updated documentation about using debug in a browser
+  * fix: security error on safari (#167, #168, @yields)
+
+2.1.1 / 2014-12-29
+==================
+
+  * browser: use `typeof` to check for `console` existence
+  * browser: check for `console.log` truthiness (fix IE 8/9)
+  * browser: add support for Chrome apps
+  * Readme: added Windows usage remarks
+  * Add `bower.json` to properly support bower install
+
+2.1.0 / 2014-10-15
+==================
+
+  * node: implement `DEBUG_FD` env variable support
+  * package: update "browserify" to v6.1.0
+  * package: add "license" field to package.json (#135, @panuhorsmalahti)
+
+2.0.0 / 2014-09-01
+==================
+
+  * package: update "browserify" to v5.11.0
+  * node: use stderr rather than stdout for logging (#29, @stephenmathieson)
+
+1.0.4 / 2014-07-15
+==================
+
+  * dist: recompile
+  * example: remove `console.info()` log usage
+  * example: add "Content-Type" UTF-8 header to browser example
+  * browser: place %c marker after the space character
+  * browser: reset the "content" color via `color: inherit`
+  * browser: add colors support for Firefox >= v31
+  * debug: prefer an instance `log()` function over the global one (#119)
+  * Readme: update documentation about styled console logs for FF v31 (#116, @wryk)
+
+1.0.3 / 2014-07-09
+==================
+
+  * Add support for multiple wildcards in namespaces (#122, @seegno)
+  * browser: fix lint
+
+1.0.2 / 2014-06-10
+==================
+
+  * browser: update color palette (#113, @gscottolson)
+  * common: make console logging function configurable (#108, @timoxley)
+  * node: fix %o colors on old node <= 0.8.x
+  * Makefile: find node path using shell/which (#109, @timoxley)
+
+1.0.1 / 2014-06-06
+==================
+
+  * browser: use `removeItem()` to clear localStorage
+  * browser, node: don't set DEBUG if namespaces is undefined (#107, @leedm777)
+  * package: add "contributors" section
+  * node: fix comment typo
+  * README: list authors
+
+1.0.0 / 2014-06-04
+==================
+
+  * make ms diff be global, not be scope
+  * debug: ignore empty strings in enable()
+  * node: make DEBUG_COLORS able to disable coloring
+  * *: export the `colors` array
+  * npmignore: don't publish the `dist` dir
+  * Makefile: refactor to use browserify
+  * package: add "browserify" as a dev dependency
+  * Readme: add Web Inspector Colors section
+  * node: reset terminal color for the debug content
+  * node: map "%o" to `util.inspect()`
+  * browser: map "%j" to `JSON.stringify()`
+  * debug: add custom "formatters"
+  * debug: use "ms" module for humanizing the diff
+  * Readme: add "bash" syntax highlighting
+  * browser: add Firebug color support
+  * browser: add colors for WebKit browsers
+  * node: apply log to `console`
+  * rewrite: abstract common logic for Node & browsers
+  * add .jshintrc file
+
+0.8.1 / 2014-04-14
+==================
+
+  * package: re-add the "component" section
+
+0.8.0 / 2014-03-30
+==================
+
+  * add `enable()` method for nodejs. Closes #27
+  * change from stderr to stdout
+  * remove unnecessary index.js file
+
+0.7.4 / 2013-11-13
+==================
+
+  * remove "browserify" key from package.json (fixes something in browserify)
+
+0.7.3 / 2013-10-30
+==================
+
+  * fix: catch localStorage security error when cookies are blocked (Chrome)
+  * add debug(err) support. Closes #46
+  * add .browser prop to package.json. Closes #42
+
+0.7.2 / 2013-02-06
+==================
+
+  * fix package.json
+  * fix: Mobile Safari (private mode) is broken with debug
+  * fix: Use unicode to send escape character to shell instead of octal to work with strict mode javascript
+
+0.7.1 / 2013-02-05
+==================
+
+  * add repository URL to package.json
+  * add DEBUG_COLORED to force colored output
+  * add browserify support
+  * fix component. Closes #24
+
+0.7.0 / 2012-05-04
+==================
+
+  * Added .component to package.json
+  * Added debug.component.js build
+
+0.6.0 / 2012-03-16
+==================
+
+  * Added support for "-" prefix in DEBUG [Vinay Pulim]
+  * Added `.enabled` flag to the node version [TooTallNate]
+
+0.5.0 / 2012-02-02
+==================
+
+  * Added: humanize diffs. Closes #8
+  * Added `debug.disable()` to the CS variant
+  * Removed padding. Closes #10
+  * Fixed: persist client-side variant again. Closes #9
+
+0.4.0 / 2012-02-01
+==================
+
+  * Added browser variant support for older browsers [TooTallNate]
+  * Added `debug.enable('project:*')` to browser variant [TooTallNate]
+  * Added padding to diff (moved it to the right)
+
+0.3.0 / 2012-01-26
+==================
+
+  * Added millisecond diff when isatty, otherwise UTC string
+
+0.2.0 / 2012-01-22
+==================
+
+  * Added wildcard support
+
+0.1.0 / 2011-12-02
+==================
+
+  * Added: remove colors unless stderr isatty [TooTallNate]
+
+0.0.1 / 2010-01-03
+==================
+
+  * Initial release
diff --git a/node_modules/gm/node_modules/debug/Makefile b/node_modules/gm/node_modules/debug/Makefile
new file mode 100644
index 0000000..5cf4a59
--- /dev/null
+++ b/node_modules/gm/node_modules/debug/Makefile
@@ -0,0 +1,36 @@
+
+# get Makefile directory name: http://stackoverflow.com/a/5982798/376773
+THIS_MAKEFILE_PATH:=$(word $(words $(MAKEFILE_LIST)),$(MAKEFILE_LIST))
+THIS_DIR:=$(shell cd $(dir $(THIS_MAKEFILE_PATH));pwd)
+
+# BIN directory
+BIN := $(THIS_DIR)/node_modules/.bin
+
+# applications
+NODE ?= $(shell which node)
+NPM ?= $(NODE) $(shell which npm)
+BROWSERIFY ?= $(NODE) $(BIN)/browserify
+
+all: dist/debug.js
+
+install: node_modules
+
+clean:
+	@rm -rf dist
+
+dist:
+	@mkdir -p $@
+
+dist/debug.js: node_modules browser.js debug.js dist
+	@$(BROWSERIFY) \
+		--standalone debug \
+		. > $@
+
+distclean: clean
+	@rm -rf node_modules
+
+node_modules: package.json
+	@NODE_ENV= $(NPM) install
+	@touch node_modules
+
+.PHONY: all install clean distclean
diff --git a/node_modules/gm/node_modules/debug/Readme.md b/node_modules/gm/node_modules/debug/Readme.md
new file mode 100644
index 0000000..b4f45e3
--- /dev/null
+++ b/node_modules/gm/node_modules/debug/Readme.md
@@ -0,0 +1,188 @@
+# debug
+
+  tiny node.js debugging utility modelled after node core's debugging technique.
+
+## Installation
+
+```bash
+$ npm install debug
+```
+
+## Usage
+
+ With `debug` you simply invoke the exported function to generate your debug function, passing it a name which will determine if a noop function is returned, or a decorated `console.error`, so all of the `console` format string goodies you're used to work fine. A unique color is selected per-function for visibility.
+
+Example _app.js_:
+
+```js
+var debug = require('debug')('http')
+  , http = require('http')
+  , name = 'My App';
+
+// fake app
+
+debug('booting %s', name);
+
+http.createServer(function(req, res){
+  debug(req.method + ' ' + req.url);
+  res.end('hello\n');
+}).listen(3000, function(){
+  debug('listening');
+});
+
+// fake worker of some kind
+
+require('./worker');
+```
+
+Example _worker.js_:
+
+```js
+var debug = require('debug')('worker');
+
+setInterval(function(){
+  debug('doing some work');
+}, 1000);
+```
+
+ The __DEBUG__ environment variable is then used to enable these based on space or comma-delimited names. Here are some examples:
+
+  ![debug http and worker](http://f.cl.ly/items/18471z1H402O24072r1J/Screenshot.png)
+
+  ![debug worker](http://f.cl.ly/items/1X413v1a3M0d3C2c1E0i/Screenshot.png)
+
+#### Windows note
+
+ On Windows the environment variable is set using the `set` command.
+
+ ```cmd
+ set DEBUG=*,-not_this
+ ```
+
+Then, run the program to be debugged as usual.
+
+## Millisecond diff
+
+  When actively developing an application it can be useful to see when the time spent between one `debug()` call and the next. Suppose for example you invoke `debug()` before requesting a resource, and after as well, the "+NNNms" will show you how much time was spent between calls.
+
+  ![](http://f.cl.ly/items/2i3h1d3t121M2Z1A3Q0N/Screenshot.png)
+
+  When stdout is not a TTY, `Date#toUTCString()` is used, making it more useful for logging the debug information as shown below:
+
+  ![](http://f.cl.ly/items/112H3i0e0o0P0a2Q2r11/Screenshot.png)
+
+## Conventions
+
+ If you're using this in one or more of your libraries, you _should_ use the name of your library so that developers may toggle debugging as desired without guessing names. If you have more than one debuggers you _should_ prefix them with your library name and use ":" to separate features. For example "bodyParser" from Connect would then be "connect:bodyParser".
+
+## Wildcards
+
+  The `*` character may be used as a wildcard. Suppose for example your library has debuggers named "connect:bodyParser", "connect:compress", "connect:session", instead of listing all three with `DEBUG=connect:bodyParser,connect:compress,connect:session`, you may simply do `DEBUG=connect:*`, or to run everything using this module simply use `DEBUG=*`.
+
+  You can also exclude specific debuggers by prefixing them with a "-" character.  For example, `DEBUG=*,-connect:*` would include all debuggers except those starting with "connect:".
+
+## Browser support
+
+  Debug works in the browser as well, currently persisted by `localStorage`. Consider the situation shown below where you have `worker:a` and `worker:b`, and wish to debug both. Somewhere in the code on your page, include:
+
+```js
+window.myDebug = require("debug");
+```
+
+  ("debug" is a global object in the browser so we give this object a different name.) When your page is open in the browser, type the following in the console:
+
+```js
+myDebug.enable("worker:*")
+```
+
+  Refresh the page. Debug output will continue to be sent to the console until it is disabled by typing `myDebug.disable()` in the console.
+
+```js
+a = debug('worker:a');
+b = debug('worker:b');
+
+setInterval(function(){
+  a('doing some work');
+}, 1000);
+
+setInterval(function(){
+  b('doing some work');
+}, 1200);
+```
+
+#### Web Inspector Colors
+
+  Colors are also enabled on "Web Inspectors" that understand the `%c` formatting
+  option. These are WebKit web inspectors, Firefox ([since version
+  31](https://hacks.mozilla.org/2014/05/editable-box-model-multiple-selection-sublime-text-keys-much-more-firefox-developer-tools-episode-31/))
+  and the Firebug plugin for Firefox (any version).
+
+  Colored output looks something like:
+
+  ![](https://cloud.githubusercontent.com/assets/71256/3139768/b98c5fd8-e8ef-11e3-862a-f7253b6f47c6.png)
+
+### stderr vs stdout
+
+You can set an alternative logging method per-namespace by overriding the `log` method on a per-namespace or globally:
+
+Example _stdout.js_:
+
+```js
+var debug = require('debug');
+var error = debug('app:error');
+
+// by default stderr is used
+error('goes to stderr!');
+
+var log = debug('app:log');
+// set this namespace to log via console.log
+log.log = console.log.bind(console); // don't forget to bind to console!
+log('goes to stdout');
+error('still goes to stderr!');
+
+// set all output to go via console.info
+// overrides all per-namespace log settings
+debug.log = console.info.bind(console);
+error('now goes to stdout via console.info');
+log('still goes to stdout, but via console.info now');
+```
+
+### Save debug output to a file
+
+You can save all debug statements to a file by piping them.
+
+Example:
+
+```bash
+$ DEBUG_FD=3 node your-app.js 3> whatever.log
+```
+
+## Authors
+
+ - TJ Holowaychuk
+ - Nathan Rajlich
+
+## License
+
+(The MIT License)
+
+Copyright (c) 2014 TJ Holowaychuk &lt;tj@vision-media.ca&gt;
+
+Permission is hereby granted, free of charge, to any person obtaining
+a copy of this software and associated documentation files (the
+'Software'), to deal in the Software without restriction, including
+without limitation the rights to use, copy, modify, merge, publish,
+distribute, sublicense, and/or sell copies of the Software, and to
+permit persons to whom the Software is furnished to do so, subject to
+the following conditions:
+
+The above copyright notice and this permission notice shall be
+included in all copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND,
+EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.
+IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY
+CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT,
+TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE
+SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
diff --git a/node_modules/gm/node_modules/debug/bower.json b/node_modules/gm/node_modules/debug/bower.json
new file mode 100644
index 0000000..6af573f
--- /dev/null
+++ b/node_modules/gm/node_modules/debug/bower.json
@@ -0,0 +1,28 @@
+{
+  "name": "visionmedia-debug",
+  "main": "dist/debug.js",
+  "version": "2.2.0",
+  "homepage": "https://github.com/visionmedia/debug",
+  "authors": [
+    "TJ Holowaychuk <tj@vision-media.ca>"
+  ],
+  "description": "visionmedia-debug",
+  "moduleType": [
+    "amd",
+    "es6",
+    "globals",
+    "node"
+  ],
+  "keywords": [
+    "visionmedia",
+    "debug"
+  ],
+  "license": "MIT",
+  "ignore": [
+    "**/.*",
+    "node_modules",
+    "bower_components",
+    "test",
+    "tests"
+  ]
+}
diff --git a/node_modules/gm/node_modules/debug/browser.js b/node_modules/gm/node_modules/debug/browser.js
new file mode 100644
index 0000000..7c76452
--- /dev/null
+++ b/node_modules/gm/node_modules/debug/browser.js
@@ -0,0 +1,168 @@
+
+/**
+ * This is the web browser implementation of `debug()`.
+ *
+ * Expose `debug()` as the module.
+ */
+
+exports = module.exports = require('./debug');
+exports.log = log;
+exports.formatArgs = formatArgs;
+exports.save = save;
+exports.load = load;
+exports.useColors = useColors;
+exports.storage = 'undefined' != typeof chrome
+               && 'undefined' != typeof chrome.storage
+                  ? chrome.storage.local
+                  : localstorage();
+
+/**
+ * Colors.
+ */
+
+exports.colors = [
+  'lightseagreen',
+  'forestgreen',
+  'goldenrod',
+  'dodgerblue',
+  'darkorchid',
+  'crimson'
+];
+
+/**
+ * Currently only WebKit-based Web Inspectors, Firefox >= v31,
+ * and the Firebug extension (any Firefox version) are known
+ * to support "%c" CSS customizations.
+ *
+ * TODO: add a `localStorage` variable to explicitly enable/disable colors
+ */
+
+function useColors() {
+  // is webkit? http://stackoverflow.com/a/16459606/376773
+  return ('WebkitAppearance' in document.documentElement.style) ||
+    // is firebug? http://stackoverflow.com/a/398120/376773
+    (window.console && (console.firebug || (console.exception && console.table))) ||
+    // is firefox >= v31?
+    // https://developer.mozilla.org/en-US/docs/Tools/Web_Console#Styling_messages
+    (navigator.userAgent.toLowerCase().match(/firefox\/(\d+)/) && parseInt(RegExp.$1, 10) >= 31);
+}
+
+/**
+ * Map %j to `JSON.stringify()`, since no Web Inspectors do that by default.
+ */
+
+exports.formatters.j = function(v) {
+  return JSON.stringify(v);
+};
+
+
+/**
+ * Colorize log arguments if enabled.
+ *
+ * @api public
+ */
+
+function formatArgs() {
+  var args = arguments;
+  var useColors = this.useColors;
+
+  args[0] = (useColors ? '%c' : '')
+    + this.namespace
+    + (useColors ? ' %c' : ' ')
+    + args[0]
+    + (useColors ? '%c ' : ' ')
+    + '+' + exports.humanize(this.diff);
+
+  if (!useColors) return args;
+
+  var c = 'color: ' + this.color;
+  args = [args[0], c, 'color: inherit'].concat(Array.prototype.slice.call(args, 1));
+
+  // the final "%c" is somewhat tricky, because there could be other
+  // arguments passed either before or after the %c, so we need to
+  // figure out the correct index to insert the CSS into
+  var index = 0;
+  var lastC = 0;
+  args[0].replace(/%[a-z%]/g, function(match) {
+    if ('%%' === match) return;
+    index++;
+    if ('%c' === match) {
+      // we only are interested in the *last* %c
+      // (the user may have provided their own)
+      lastC = index;
+    }
+  });
+
+  args.splice(lastC, 0, c);
+  return args;
+}
+
+/**
+ * Invokes `console.log()` when available.
+ * No-op when `console.log` is not a "function".
+ *
+ * @api public
+ */
+
+function log() {
+  // this hackery is required for IE8/9, where
+  // the `console.log` function doesn't have 'apply'
+  return 'object' === typeof console
+    && console.log
+    && Function.prototype.apply.call(console.log, console, arguments);
+}
+
+/**
+ * Save `namespaces`.
+ *
+ * @param {String} namespaces
+ * @api private
+ */
+
+function save(namespaces) {
+  try {
+    if (null == namespaces) {
+      exports.storage.removeItem('debug');
+    } else {
+      exports.storage.debug = namespaces;
+    }
+  } catch(e) {}
+}
+
+/**
+ * Load `namespaces`.
+ *
+ * @return {String} returns the previously persisted debug modes
+ * @api private
+ */
+
+function load() {
+  var r;
+  try {
+    r = exports.storage.debug;
+  } catch(e) {}
+  return r;
+}
+
+/**
+ * Enable namespaces listed in `localStorage.debug` initially.
+ */
+
+exports.enable(load());
+
+/**
+ * Localstorage attempts to return the localstorage.
+ *
+ * This is necessary because safari throws
+ * when a user disables cookies/localstorage
+ * and you attempt to access it.
+ *
+ * @return {LocalStorage}
+ * @api private
+ */
+
+function localstorage(){
+  try {
+    return window.localStorage;
+  } catch (e) {}
+}
diff --git a/node_modules/gm/node_modules/debug/component.json b/node_modules/gm/node_modules/debug/component.json
new file mode 100644
index 0000000..ca10637
--- /dev/null
+++ b/node_modules/gm/node_modules/debug/component.json
@@ -0,0 +1,19 @@
+{
+  "name": "debug",
+  "repo": "visionmedia/debug",
+  "description": "small debugging utility",
+  "version": "2.2.0",
+  "keywords": [
+    "debug",
+    "log",
+    "debugger"
+  ],
+  "main": "browser.js",
+  "scripts": [
+    "browser.js",
+    "debug.js"
+  ],
+  "dependencies": {
+    "rauchg/ms.js": "0.7.1"
+  }
+}
diff --git a/node_modules/gm/node_modules/debug/debug.js b/node_modules/gm/node_modules/debug/debug.js
new file mode 100644
index 0000000..7571a86
--- /dev/null
+++ b/node_modules/gm/node_modules/debug/debug.js
@@ -0,0 +1,197 @@
+
+/**
+ * This is the common logic for both the Node.js and web browser
+ * implementations of `debug()`.
+ *
+ * Expose `debug()` as the module.
+ */
+
+exports = module.exports = debug;
+exports.coerce = coerce;
+exports.disable = disable;
+exports.enable = enable;
+exports.enabled = enabled;
+exports.humanize = require('ms');
+
+/**
+ * The currently active debug mode names, and names to skip.
+ */
+
+exports.names = [];
+exports.skips = [];
+
+/**
+ * Map of special "%n" handling functions, for the debug "format" argument.
+ *
+ * Valid key names are a single, lowercased letter, i.e. "n".
+ */
+
+exports.formatters = {};
+
+/**
+ * Previously assigned color.
+ */
+
+var prevColor = 0;
+
+/**
+ * Previous log timestamp.
+ */
+
+var prevTime;
+
+/**
+ * Select a color.
+ *
+ * @return {Number}
+ * @api private
+ */
+
+function selectColor() {
+  return exports.colors[prevColor++ % exports.colors.length];
+}
+
+/**
+ * Create a debugger with the given `namespace`.
+ *
+ * @param {String} namespace
+ * @return {Function}
+ * @api public
+ */
+
+function debug(namespace) {
+
+  // define the `disabled` version
+  function disabled() {
+  }
+  disabled.enabled = false;
+
+  // define the `enabled` version
+  function enabled() {
+
+    var self = enabled;
+
+    // set `diff` timestamp
+    var curr = +new Date();
+    var ms = curr - (prevTime || curr);
+    self.diff = ms;
+    self.prev = prevTime;
+    self.curr = curr;
+    prevTime = curr;
+
+    // add the `color` if not set
+    if (null == self.useColors) self.useColors = exports.useColors();
+    if (null == self.color && self.useColors) self.color = selectColor();
+
+    var args = Array.prototype.slice.call(arguments);
+
+    args[0] = exports.coerce(args[0]);
+
+    if ('string' !== typeof args[0]) {
+      // anything else let's inspect with %o
+      args = ['%o'].concat(args);
+    }
+
+    // apply any `formatters` transformations
+    var index = 0;
+    args[0] = args[0].replace(/%([a-z%])/g, function(match, format) {
+      // if we encounter an escaped % then don't increase the array index
+      if (match === '%%') return match;
+      index++;
+      var formatter = exports.formatters[format];
+      if ('function' === typeof formatter) {
+        var val = args[index];
+        match = formatter.call(self, val);
+
+        // now we need to remove `args[index]` since it's inlined in the `format`
+        args.splice(index, 1);
+        index--;
+      }
+      return match;
+    });
+
+    if ('function' === typeof exports.formatArgs) {
+      args = exports.formatArgs.apply(self, args);
+    }
+    var logFn = enabled.log || exports.log || console.log.bind(console);
+    logFn.apply(self, args);
+  }
+  enabled.enabled = true;
+
+  var fn = exports.enabled(namespace) ? enabled : disabled;
+
+  fn.namespace = namespace;
+
+  return fn;
+}
+
+/**
+ * Enables a debug mode by namespaces. This can include modes
+ * separated by a colon and wildcards.
+ *
+ * @param {String} namespaces
+ * @api public
+ */
+
+function enable(namespaces) {
+  exports.save(namespaces);
+
+  var split = (namespaces || '').split(/[\s,]+/);
+  var len = split.length;
+
+  for (var i = 0; i < len; i++) {
+    if (!split[i]) continue; // ignore empty strings
+    namespaces = split[i].replace(/\*/g, '.*?');
+    if (namespaces[0] === '-') {
+      exports.skips.push(new RegExp('^' + namespaces.substr(1) + '$'));
+    } else {
+      exports.names.push(new RegExp('^' + namespaces + '$'));
+    }
+  }
+}
+
+/**
+ * Disable debug output.
+ *
+ * @api public
+ */
+
+function disable() {
+  exports.enable('');
+}
+
+/**
+ * Returns true if the given mode name is enabled, false otherwise.
+ *
+ * @param {String} name
+ * @return {Boolean}
+ * @api public
+ */
+
+function enabled(name) {
+  var i, len;
+  for (i = 0, len = exports.skips.length; i < len; i++) {
+    if (exports.skips[i].test(name)) {
+      return false;
+    }
+  }
+  for (i = 0, len = exports.names.length; i < len; i++) {
+    if (exports.names[i].test(name)) {
+      return true;
+    }
+  }
+  return false;
+}
+
+/**
+ * Coerce `val`.
+ *
+ * @param {Mixed} val
+ * @return {Mixed}
+ * @api private
+ */
+
+function coerce(val) {
+  if (val instanceof Error) return val.stack || val.message;
+  return val;
+}
diff --git a/node_modules/gm/node_modules/debug/node.js b/node_modules/gm/node_modules/debug/node.js
new file mode 100644
index 0000000..1d392a8
--- /dev/null
+++ b/node_modules/gm/node_modules/debug/node.js
@@ -0,0 +1,209 @@
+
+/**
+ * Module dependencies.
+ */
+
+var tty = require('tty');
+var util = require('util');
+
+/**
+ * This is the Node.js implementation of `debug()`.
+ *
+ * Expose `debug()` as the module.
+ */
+
+exports = module.exports = require('./debug');
+exports.log = log;
+exports.formatArgs = formatArgs;
+exports.save = save;
+exports.load = load;
+exports.useColors = useColors;
+
+/**
+ * Colors.
+ */
+
+exports.colors = [6, 2, 3, 4, 5, 1];
+
+/**
+ * The file descriptor to write the `debug()` calls to.
+ * Set the `DEBUG_FD` env variable to override with another value. i.e.:
+ *
+ *   $ DEBUG_FD=3 node script.js 3>debug.log
+ */
+
+var fd = parseInt(process.env.DEBUG_FD, 10) || 2;
+var stream = 1 === fd ? process.stdout :
+             2 === fd ? process.stderr :
+             createWritableStdioStream(fd);
+
+/**
+ * Is stdout a TTY? Colored output is enabled when `true`.
+ */
+
+function useColors() {
+  var debugColors = (process.env.DEBUG_COLORS || '').trim().toLowerCase();
+  if (0 === debugColors.length) {
+    return tty.isatty(fd);
+  } else {
+    return '0' !== debugColors
+        && 'no' !== debugColors
+        && 'false' !== debugColors
+        && 'disabled' !== debugColors;
+  }
+}
+
+/**
+ * Map %o to `util.inspect()`, since Node doesn't do that out of the box.
+ */
+
+var inspect = (4 === util.inspect.length ?
+  // node <= 0.8.x
+  function (v, colors) {
+    return util.inspect(v, void 0, void 0, colors);
+  } :
+  // node > 0.8.x
+  function (v, colors) {
+    return util.inspect(v, { colors: colors });
+  }
+);
+
+exports.formatters.o = function(v) {
+  return inspect(v, this.useColors)
+    .replace(/\s*\n\s*/g, ' ');
+};
+
+/**
+ * Adds ANSI color escape codes if enabled.
+ *
+ * @api public
+ */
+
+function formatArgs() {
+  var args = arguments;
+  var useColors = this.useColors;
+  var name = this.namespace;
+
+  if (useColors) {
+    var c = this.color;
+
+    args[0] = '  \u001b[3' + c + ';1m' + name + ' '
+      + '\u001b[0m'
+      + args[0] + '\u001b[3' + c + 'm'
+      + ' +' + exports.humanize(this.diff) + '\u001b[0m';
+  } else {
+    args[0] = new Date().toUTCString()
+      + ' ' + name + ' ' + args[0];
+  }
+  return args;
+}
+
+/**
+ * Invokes `console.error()` with the specified arguments.
+ */
+
+function log() {
+  return stream.write(util.format.apply(this, arguments) + '\n');
+}
+
+/**
+ * Save `namespaces`.
+ *
+ * @param {String} namespaces
+ * @api private
+ */
+
+function save(namespaces) {
+  if (null == namespaces) {
+    // If you set a process.env field to null or undefined, it gets cast to the
+    // string 'null' or 'undefined'. Just delete instead.
+    delete process.env.DEBUG;
+  } else {
+    process.env.DEBUG = namespaces;
+  }
+}
+
+/**
+ * Load `namespaces`.
+ *
+ * @return {String} returns the previously persisted debug modes
+ * @api private
+ */
+
+function load() {
+  return process.env.DEBUG;
+}
+
+/**
+ * Copied from `node/src/node.js`.
+ *
+ * XXX: It's lame that node doesn't expose this API out-of-the-box. It also
+ * relies on the undocumented `tty_wrap.guessHandleType()` which is also lame.
+ */
+
+function createWritableStdioStream (fd) {
+  var stream;
+  var tty_wrap = process.binding('tty_wrap');
+
+  // Note stream._type is used for test-module-load-list.js
+
+  switch (tty_wrap.guessHandleType(fd)) {
+    case 'TTY':
+      stream = new tty.WriteStream(fd);
+      stream._type = 'tty';
+
+      // Hack to have stream not keep the event loop alive.
+      // See https://github.com/joyent/node/issues/1726
+      if (stream._handle && stream._handle.unref) {
+        stream._handle.unref();
+      }
+      break;
+
+    case 'FILE':
+      var fs = require('fs');
+      stream = new fs.SyncWriteStream(fd, { autoClose: false });
+      stream._type = 'fs';
+      break;
+
+    case 'PIPE':
+    case 'TCP':
+      var net = require('net');
+      stream = new net.Socket({
+        fd: fd,
+        readable: false,
+        writable: true
+      });
+
+      // FIXME Should probably have an option in net.Socket to create a
+      // stream from an existing fd which is writable only. But for now
+      // we'll just add this hack and set the `readable` member to false.
+      // Test: ./node test/fixtures/echo.js < /etc/passwd
+      stream.readable = false;
+      stream.read = null;
+      stream._type = 'pipe';
+
+      // FIXME Hack to have stream not keep the event loop alive.
+      // See https://github.com/joyent/node/issues/1726
+      if (stream._handle && stream._handle.unref) {
+        stream._handle.unref();
+      }
+      break;
+
+    default:
+      // Probably an error on in uv_guess_handle()
+      throw new Error('Implement me. Unknown stream file type!');
+  }
+
+  // For supporting legacy API we put the FD here.
+  stream.fd = fd;
+
+  stream._isStdio = true;
+
+  return stream;
+}
+
+/**
+ * Enable namespaces listed in `process.env.DEBUG` initially.
+ */
+
+exports.enable(load());
diff --git a/node_modules/gm/node_modules/debug/package.json b/node_modules/gm/node_modules/debug/package.json
new file mode 100644
index 0000000..4c4abbd
--- /dev/null
+++ b/node_modules/gm/node_modules/debug/package.json
@@ -0,0 +1,107 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "debug@~2.2.0",
+        "scope": null,
+        "escapedName": "debug",
+        "name": "debug",
+        "rawSpec": "~2.2.0",
+        "spec": ">=2.2.0 <2.3.0",
+        "type": "range"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/gm"
+    ]
+  ],
+  "_from": "debug@>=2.2.0 <2.3.0",
+  "_id": "debug@2.2.0",
+  "_inCache": true,
+  "_location": "/gm/debug",
+  "_nodeVersion": "0.12.2",
+  "_npmUser": {
+    "name": "tootallnate",
+    "email": "nathan@tootallnate.net"
+  },
+  "_npmVersion": "2.7.4",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "debug@~2.2.0",
+    "scope": null,
+    "escapedName": "debug",
+    "name": "debug",
+    "rawSpec": "~2.2.0",
+    "spec": ">=2.2.0 <2.3.0",
+    "type": "range"
+  },
+  "_requiredBy": [
+    "/gm"
+  ],
+  "_resolved": "https://registry.npmjs.org/debug/-/debug-2.2.0.tgz",
+  "_shasum": "f87057e995b1a1f6ae6a4960664137bc56f039da",
+  "_shrinkwrap": null,
+  "_spec": "debug@~2.2.0",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/gm",
+  "author": {
+    "name": "TJ Holowaychuk",
+    "email": "tj@vision-media.ca"
+  },
+  "browser": "./browser.js",
+  "bugs": {
+    "url": "https://github.com/visionmedia/debug/issues"
+  },
+  "component": {
+    "scripts": {
+      "debug/index.js": "browser.js",
+      "debug/debug.js": "debug.js"
+    }
+  },
+  "contributors": [
+    {
+      "name": "Nathan Rajlich",
+      "email": "nathan@tootallnate.net",
+      "url": "http://n8.io"
+    }
+  ],
+  "dependencies": {
+    "ms": "0.7.1"
+  },
+  "description": "small debugging utility",
+  "devDependencies": {
+    "browserify": "9.0.3",
+    "mocha": "*"
+  },
+  "directories": {},
+  "dist": {
+    "shasum": "f87057e995b1a1f6ae6a4960664137bc56f039da",
+    "tarball": "https://registry.npmjs.org/debug/-/debug-2.2.0.tgz"
+  },
+  "gitHead": "b38458422b5aa8aa6d286b10dfe427e8a67e2b35",
+  "homepage": "https://github.com/visionmedia/debug#readme",
+  "keywords": [
+    "debug",
+    "log",
+    "debugger"
+  ],
+  "license": "MIT",
+  "main": "./node.js",
+  "maintainers": [
+    {
+      "name": "tjholowaychuk",
+      "email": "tj@vision-media.ca"
+    },
+    {
+      "name": "tootallnate",
+      "email": "nathan@tootallnate.net"
+    }
+  ],
+  "name": "debug",
+  "optionalDependencies": {},
+  "readme": "# debug\n\n  tiny node.js debugging utility modelled after node core's debugging technique.\n\n## Installation\n\n```bash\n$ npm install debug\n```\n\n## Usage\n\n With `debug` you simply invoke the exported function to generate your debug function, passing it a name which will determine if a noop function is returned, or a decorated `console.error`, so all of the `console` format string goodies you're used to work fine. A unique color is selected per-function for visibility.\n\nExample _app.js_:\n\n```js\nvar debug = require('debug')('http')\n  , http = require('http')\n  , name = 'My App';\n\n// fake app\n\ndebug('booting %s', name);\n\nhttp.createServer(function(req, res){\n  debug(req.method + ' ' + req.url);\n  res.end('hello\\n');\n}).listen(3000, function(){\n  debug('listening');\n});\n\n// fake worker of some kind\n\nrequire('./worker');\n```\n\nExample _worker.js_:\n\n```js\nvar debug = require('debug')('worker');\n\nsetInterval(function(){\n  debug('doing some work');\n}, 1000);\n```\n\n The __DEBUG__ environment variable is then used to enable these based on space or comma-delimited names. Here are some examples:\n\n  ![debug http and worker](http://f.cl.ly/items/18471z1H402O24072r1J/Screenshot.png)\n\n  ![debug worker](http://f.cl.ly/items/1X413v1a3M0d3C2c1E0i/Screenshot.png)\n\n#### Windows note\n\n On Windows the environment variable is set using the `set` command.\n\n ```cmd\n set DEBUG=*,-not_this\n ```\n\nThen, run the program to be debugged as usual.\n\n## Millisecond diff\n\n  When actively developing an application it can be useful to see when the time spent between one `debug()` call and the next. Suppose for example you invoke `debug()` before requesting a resource, and after as well, the \"+NNNms\" will show you how much time was spent between calls.\n\n  ![](http://f.cl.ly/items/2i3h1d3t121M2Z1A3Q0N/Screenshot.png)\n\n  When stdout is not a TTY, `Date#toUTCString()` is used, making it more useful for logging the debug information as shown below:\n\n  ![](http://f.cl.ly/items/112H3i0e0o0P0a2Q2r11/Screenshot.png)\n\n## Conventions\n\n If you're using this in one or more of your libraries, you _should_ use the name of your library so that developers may toggle debugging as desired without guessing names. If you have more than one debuggers you _should_ prefix them with your library name and use \":\" to separate features. For example \"bodyParser\" from Connect would then be \"connect:bodyParser\".\n\n## Wildcards\n\n  The `*` character may be used as a wildcard. Suppose for example your library has debuggers named \"connect:bodyParser\", \"connect:compress\", \"connect:session\", instead of listing all three with `DEBUG=connect:bodyParser,connect:compress,connect:session`, you may simply do `DEBUG=connect:*`, or to run everything using this module simply use `DEBUG=*`.\n\n  You can also exclude specific debuggers by prefixing them with a \"-\" character.  For example, `DEBUG=*,-connect:*` would include all debuggers except those starting with \"connect:\".\n\n## Browser support\n\n  Debug works in the browser as well, currently persisted by `localStorage`. Consider the situation shown below where you have `worker:a` and `worker:b`, and wish to debug both. Somewhere in the code on your page, include:\n\n```js\nwindow.myDebug = require(\"debug\");\n```\n\n  (\"debug\" is a global object in the browser so we give this object a different name.) When your page is open in the browser, type the following in the console:\n\n```js\nmyDebug.enable(\"worker:*\")\n```\n\n  Refresh the page. Debug output will continue to be sent to the console until it is disabled by typing `myDebug.disable()` in the console.\n\n```js\na = debug('worker:a');\nb = debug('worker:b');\n\nsetInterval(function(){\n  a('doing some work');\n}, 1000);\n\nsetInterval(function(){\n  b('doing some work');\n}, 1200);\n```\n\n#### Web Inspector Colors\n\n  Colors are also enabled on \"Web Inspectors\" that understand the `%c` formatting\n  option. These are WebKit web inspectors, Firefox ([since version\n  31](https://hacks.mozilla.org/2014/05/editable-box-model-multiple-selection-sublime-text-keys-much-more-firefox-developer-tools-episode-31/))\n  and the Firebug plugin for Firefox (any version).\n\n  Colored output looks something like:\n\n  ![](https://cloud.githubusercontent.com/assets/71256/3139768/b98c5fd8-e8ef-11e3-862a-f7253b6f47c6.png)\n\n### stderr vs stdout\n\nYou can set an alternative logging method per-namespace by overriding the `log` method on a per-namespace or globally:\n\nExample _stdout.js_:\n\n```js\nvar debug = require('debug');\nvar error = debug('app:error');\n\n// by default stderr is used\nerror('goes to stderr!');\n\nvar log = debug('app:log');\n// set this namespace to log via console.log\nlog.log = console.log.bind(console); // don't forget to bind to console!\nlog('goes to stdout');\nerror('still goes to stderr!');\n\n// set all output to go via console.info\n// overrides all per-namespace log settings\ndebug.log = console.info.bind(console);\nerror('now goes to stdout via console.info');\nlog('still goes to stdout, but via console.info now');\n```\n\n### Save debug output to a file\n\nYou can save all debug statements to a file by piping them.\n\nExample:\n\n```bash\n$ DEBUG_FD=3 node your-app.js 3> whatever.log\n```\n\n## Authors\n\n - TJ Holowaychuk\n - Nathan Rajlich\n\n## License\n\n(The MIT License)\n\nCopyright (c) 2014 TJ Holowaychuk &lt;tj@vision-media.ca&gt;\n\nPermission is hereby granted, free of charge, to any person obtaining\na copy of this software and associated documentation files (the\n'Software'), to deal in the Software without restriction, including\nwithout limitation the rights to use, copy, modify, merge, publish,\ndistribute, sublicense, and/or sell copies of the Software, and to\npermit persons to whom the Software is furnished to do so, subject to\nthe following conditions:\n\nThe above copyright notice and this permission notice shall be\nincluded in all copies or substantial portions of the Software.\n\nTHE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND,\nEXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\nMERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.\nIN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY\nCLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT,\nTORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE\nSOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.\n",
+  "readmeFilename": "Readme.md",
+  "repository": {
+    "type": "git",
+    "url": "git://github.com/visionmedia/debug.git"
+  },
+  "scripts": {},
+  "version": "2.2.0"
+}
diff --git a/node_modules/gm/node_modules/ms/.npmignore b/node_modules/gm/node_modules/ms/.npmignore
new file mode 100644
index 0000000..d1aa0ce
--- /dev/null
+++ b/node_modules/gm/node_modules/ms/.npmignore
@@ -0,0 +1,5 @@
+node_modules
+test
+History.md
+Makefile
+component.json
diff --git a/node_modules/gm/node_modules/ms/History.md b/node_modules/gm/node_modules/ms/History.md
new file mode 100644
index 0000000..32fdfc1
--- /dev/null
+++ b/node_modules/gm/node_modules/ms/History.md
@@ -0,0 +1,66 @@
+
+0.7.1 / 2015-04-20
+==================
+
+  * prevent extraordinary long inputs (@evilpacket)
+  * Fixed broken readme link
+
+0.7.0 / 2014-11-24
+==================
+
+ * add time abbreviations, updated tests and readme for the new units
+ * fix example in the readme.
+ * add LICENSE file
+
+0.6.2 / 2013-12-05
+==================
+
+ * Adding repository section to package.json to suppress warning from NPM.
+
+0.6.1 / 2013-05-10
+==================
+
+  * fix singularization [visionmedia]
+
+0.6.0 / 2013-03-15
+==================
+
+  * fix minutes
+
+0.5.1 / 2013-02-24
+==================
+
+  * add component namespace
+
+0.5.0 / 2012-11-09
+==================
+
+  * add short formatting as default and .long option
+  * add .license property to component.json
+  * add version to component.json
+
+0.4.0 / 2012-10-22
+==================
+
+  * add rounding to fix crazy decimals
+
+0.3.0 / 2012-09-07
+==================
+
+  * fix `ms(<String>)` [visionmedia]
+
+0.2.0 / 2012-09-03
+==================
+
+  * add component.json [visionmedia]
+  * add days support [visionmedia]
+  * add hours support [visionmedia]
+  * add minutes support [visionmedia]
+  * add seconds support [visionmedia]
+  * add ms string support [visionmedia]
+  * refactor tests to facilitate ms(number) [visionmedia]
+
+0.1.0 / 2012-03-07
+==================
+
+  * Initial release
diff --git a/node_modules/gm/node_modules/ms/LICENSE b/node_modules/gm/node_modules/ms/LICENSE
new file mode 100644
index 0000000..6c07561
--- /dev/null
+++ b/node_modules/gm/node_modules/ms/LICENSE
@@ -0,0 +1,20 @@
+(The MIT License)
+
+Copyright (c) 2014 Guillermo Rauch <rauchg@gmail.com>
+
+Permission is hereby granted, free of charge, to any person obtaining a copy of
+this software and associated documentation files (the "Software"), to deal in
+the Software without restriction, including without limitation the rights to
+use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of
+the Software, and to permit persons to whom the Software is furnished to do so,
+subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS
+FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR
+COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER
+IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
+CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
diff --git a/node_modules/gm/node_modules/ms/README.md b/node_modules/gm/node_modules/ms/README.md
new file mode 100644
index 0000000..9b4fd03
--- /dev/null
+++ b/node_modules/gm/node_modules/ms/README.md
@@ -0,0 +1,35 @@
+# ms.js: miliseconds conversion utility
+
+```js
+ms('2 days')  // 172800000
+ms('1d')      // 86400000
+ms('10h')     // 36000000
+ms('2.5 hrs') // 9000000
+ms('2h')      // 7200000
+ms('1m')      // 60000
+ms('5s')      // 5000
+ms('100')     // 100
+```
+
+```js
+ms(60000)             // "1m"
+ms(2 * 60000)         // "2m"
+ms(ms('10 hours'))    // "10h"
+```
+
+```js
+ms(60000, { long: true })             // "1 minute"
+ms(2 * 60000, { long: true })         // "2 minutes"
+ms(ms('10 hours'), { long: true })    // "10 hours"
+```
+
+- Node/Browser compatible. Published as [`ms`](https://www.npmjs.org/package/ms) in [NPM](http://nodejs.org/download).
+- If a number is supplied to `ms`, a string with a unit is returned.
+- If a string that contains the number is supplied, it returns it as
+a number (e.g: it returns `100` for `'100'`).
+- If you pass a string with a number and a valid unit, the number of
+equivalent ms is returned.
+
+## License
+
+MIT
diff --git a/node_modules/gm/node_modules/ms/index.js b/node_modules/gm/node_modules/ms/index.js
new file mode 100644
index 0000000..4f92771
--- /dev/null
+++ b/node_modules/gm/node_modules/ms/index.js
@@ -0,0 +1,125 @@
+/**
+ * Helpers.
+ */
+
+var s = 1000;
+var m = s * 60;
+var h = m * 60;
+var d = h * 24;
+var y = d * 365.25;
+
+/**
+ * Parse or format the given `val`.
+ *
+ * Options:
+ *
+ *  - `long` verbose formatting [false]
+ *
+ * @param {String|Number} val
+ * @param {Object} options
+ * @return {String|Number}
+ * @api public
+ */
+
+module.exports = function(val, options){
+  options = options || {};
+  if ('string' == typeof val) return parse(val);
+  return options.long
+    ? long(val)
+    : short(val);
+};
+
+/**
+ * Parse the given `str` and return milliseconds.
+ *
+ * @param {String} str
+ * @return {Number}
+ * @api private
+ */
+
+function parse(str) {
+  str = '' + str;
+  if (str.length > 10000) return;
+  var match = /^((?:\d+)?\.?\d+) *(milliseconds?|msecs?|ms|seconds?|secs?|s|minutes?|mins?|m|hours?|hrs?|h|days?|d|years?|yrs?|y)?$/i.exec(str);
+  if (!match) return;
+  var n = parseFloat(match[1]);
+  var type = (match[2] || 'ms').toLowerCase();
+  switch (type) {
+    case 'years':
+    case 'year':
+    case 'yrs':
+    case 'yr':
+    case 'y':
+      return n * y;
+    case 'days':
+    case 'day':
+    case 'd':
+      return n * d;
+    case 'hours':
+    case 'hour':
+    case 'hrs':
+    case 'hr':
+    case 'h':
+      return n * h;
+    case 'minutes':
+    case 'minute':
+    case 'mins':
+    case 'min':
+    case 'm':
+      return n * m;
+    case 'seconds':
+    case 'second':
+    case 'secs':
+    case 'sec':
+    case 's':
+      return n * s;
+    case 'milliseconds':
+    case 'millisecond':
+    case 'msecs':
+    case 'msec':
+    case 'ms':
+      return n;
+  }
+}
+
+/**
+ * Short format for `ms`.
+ *
+ * @param {Number} ms
+ * @return {String}
+ * @api private
+ */
+
+function short(ms) {
+  if (ms >= d) return Math.round(ms / d) + 'd';
+  if (ms >= h) return Math.round(ms / h) + 'h';
+  if (ms >= m) return Math.round(ms / m) + 'm';
+  if (ms >= s) return Math.round(ms / s) + 's';
+  return ms + 'ms';
+}
+
+/**
+ * Long format for `ms`.
+ *
+ * @param {Number} ms
+ * @return {String}
+ * @api private
+ */
+
+function long(ms) {
+  return plural(ms, d, 'day')
+    || plural(ms, h, 'hour')
+    || plural(ms, m, 'minute')
+    || plural(ms, s, 'second')
+    || ms + ' ms';
+}
+
+/**
+ * Pluralization helper.
+ */
+
+function plural(ms, n, name) {
+  if (ms < n) return;
+  if (ms < n * 1.5) return Math.floor(ms / n) + ' ' + name;
+  return Math.ceil(ms / n) + ' ' + name + 's';
+}
diff --git a/node_modules/gm/node_modules/ms/package.json b/node_modules/gm/node_modules/ms/package.json
new file mode 100644
index 0000000..22b64de
--- /dev/null
+++ b/node_modules/gm/node_modules/ms/package.json
@@ -0,0 +1,83 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "ms@0.7.1",
+        "scope": null,
+        "escapedName": "ms",
+        "name": "ms",
+        "rawSpec": "0.7.1",
+        "spec": "0.7.1",
+        "type": "version"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/gm/node_modules/debug"
+    ]
+  ],
+  "_from": "ms@0.7.1",
+  "_id": "ms@0.7.1",
+  "_inCache": true,
+  "_location": "/gm/ms",
+  "_nodeVersion": "0.12.2",
+  "_npmUser": {
+    "name": "rauchg",
+    "email": "rauchg@gmail.com"
+  },
+  "_npmVersion": "2.7.5",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "ms@0.7.1",
+    "scope": null,
+    "escapedName": "ms",
+    "name": "ms",
+    "rawSpec": "0.7.1",
+    "spec": "0.7.1",
+    "type": "version"
+  },
+  "_requiredBy": [
+    "/gm/debug"
+  ],
+  "_resolved": "https://registry.npmjs.org/ms/-/ms-0.7.1.tgz",
+  "_shasum": "9cd13c03adbff25b65effde7ce864ee952017098",
+  "_shrinkwrap": null,
+  "_spec": "ms@0.7.1",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/gm/node_modules/debug",
+  "bugs": {
+    "url": "https://github.com/guille/ms.js/issues"
+  },
+  "component": {
+    "scripts": {
+      "ms/index.js": "index.js"
+    }
+  },
+  "dependencies": {},
+  "description": "Tiny ms conversion utility",
+  "devDependencies": {
+    "expect.js": "*",
+    "mocha": "*",
+    "serve": "*"
+  },
+  "directories": {},
+  "dist": {
+    "shasum": "9cd13c03adbff25b65effde7ce864ee952017098",
+    "tarball": "https://registry.npmjs.org/ms/-/ms-0.7.1.tgz"
+  },
+  "gitHead": "713dcf26d9e6fd9dbc95affe7eff9783b7f1b909",
+  "homepage": "https://github.com/guille/ms.js#readme",
+  "main": "./index",
+  "maintainers": [
+    {
+      "name": "rauchg",
+      "email": "rauchg@gmail.com"
+    }
+  ],
+  "name": "ms",
+  "optionalDependencies": {},
+  "readme": "# ms.js: miliseconds conversion utility\n\n```js\nms('2 days')  // 172800000\nms('1d')      // 86400000\nms('10h')     // 36000000\nms('2.5 hrs') // 9000000\nms('2h')      // 7200000\nms('1m')      // 60000\nms('5s')      // 5000\nms('100')     // 100\n```\n\n```js\nms(60000)             // \"1m\"\nms(2 * 60000)         // \"2m\"\nms(ms('10 hours'))    // \"10h\"\n```\n\n```js\nms(60000, { long: true })             // \"1 minute\"\nms(2 * 60000, { long: true })         // \"2 minutes\"\nms(ms('10 hours'), { long: true })    // \"10 hours\"\n```\n\n- Node/Browser compatible. Published as [`ms`](https://www.npmjs.org/package/ms) in [NPM](http://nodejs.org/download).\n- If a number is supplied to `ms`, a string with a unit is returned.\n- If a string that contains the number is supplied, it returns it as\na number (e.g: it returns `100` for `'100'`).\n- If you pass a string with a number and a valid unit, the number of\nequivalent ms is returned.\n\n## License\n\nMIT\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git://github.com/guille/ms.js.git"
+  },
+  "scripts": {},
+  "version": "0.7.1"
+}
diff --git a/node_modules/gm/package.json b/node_modules/gm/package.json
new file mode 100644
index 0000000..3414d69
--- /dev/null
+++ b/node_modules/gm/package.json
@@ -0,0 +1,126 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "gm",
+        "scope": null,
+        "escapedName": "gm",
+        "name": "gm",
+        "rawSpec": "",
+        "spec": "latest",
+        "type": "tag"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/util/Agora_Recording_SDK_for_Linux_FULL/samples"
+    ]
+  ],
+  "_from": "gm@latest",
+  "_id": "gm@1.23.0",
+  "_inCache": true,
+  "_location": "/gm",
+  "_nodeVersion": "4.4.6",
+  "_npmOperationalInternal": {
+    "host": "packages-16-east.internal.npmjs.com",
+    "tmp": "tmp/gm-1.23.0.tgz_1470262815186_0.940796471433714"
+  },
+  "_npmUser": {
+    "name": "aaron",
+    "email": "aaron.heckmann+github@gmail.com"
+  },
+  "_npmVersion": "2.15.5",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "gm",
+    "scope": null,
+    "escapedName": "gm",
+    "name": "gm",
+    "rawSpec": "",
+    "spec": "latest",
+    "type": "tag"
+  },
+  "_requiredBy": [
+    "#DEV:/",
+    "#USER"
+  ],
+  "_resolved": "https://registry.npmjs.org/gm/-/gm-1.23.0.tgz",
+  "_shasum": "80a2fe9cbf131515024846444658461269f52661",
+  "_shrinkwrap": null,
+  "_spec": "gm",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/util/Agora_Recording_SDK_for_Linux_FULL/samples",
+  "author": {
+    "name": "Aaron Heckmann",
+    "email": "aaron.heckmann+github@gmail.com"
+  },
+  "bugs": {
+    "url": "http://github.com/aheckmann/gm/issues"
+  },
+  "dependencies": {
+    "array-parallel": "~0.1.3",
+    "array-series": "~0.1.5",
+    "cross-spawn": "^4.0.0",
+    "debug": "~2.2.0"
+  },
+  "description": "GraphicsMagick and ImageMagick for node.js",
+  "devDependencies": {
+    "async": "~0.9.0",
+    "gleak": "~0.5.0"
+  },
+  "directories": {},
+  "dist": {
+    "shasum": "80a2fe9cbf131515024846444658461269f52661",
+    "tarball": "https://registry.npmjs.org/gm/-/gm-1.23.0.tgz"
+  },
+  "engines": {
+    "node": ">= 0.10.0"
+  },
+  "gitHead": "d650da6a1ca446c23641dba8d7e98c12e3f3b26c",
+  "homepage": "https://github.com/aheckmann/gm#readme",
+  "keywords": [
+    "graphics",
+    "magick",
+    "image",
+    "graphicsmagick",
+    "imagemagick",
+    "gm",
+    "convert",
+    "identify",
+    "compare"
+  ],
+  "license": "MIT",
+  "licenses": [
+    {
+      "type": "MIT",
+      "url": "http://www.opensource.org/licenses/mit-license.php"
+    }
+  ],
+  "main": "./index",
+  "maintainers": [
+    {
+      "name": "aaron",
+      "email": "aaron.heckmann+github@gmail.com"
+    },
+    {
+      "name": "jongleberry",
+      "email": "me@jongleberry.com"
+    },
+    {
+      "name": "rwky",
+      "email": "admin@rwky.net"
+    },
+    {
+      "name": "fragphace",
+      "email": "fragphace@gmail.com"
+    }
+  ],
+  "name": "gm",
+  "optionalDependencies": {},
+  "readme": "\n# gm [![Build Status](https://travis-ci.org/aheckmann/gm.png?branch=master)](https://travis-ci.org/aheckmann/gm)  [![NPM Version](https://img.shields.io/npm/v/gm.svg?style=flat)](https://www.npmjs.org/package/gm)\n\nGraphicsMagick and ImageMagick for node\n\n## Bug Reports\n\nWhen reporting bugs please include the version of graphicsmagick/imagemagick you're using (gm -version/convert -version) as well as the version of this module and copies of any images you're having problems with.\n\n## Getting started\nFirst download and install [GraphicsMagick](http://www.graphicsmagick.org/) or [ImageMagick](http://www.imagemagick.org/). In Mac OS X, you can simply use [Homebrew](http://mxcl.github.io/homebrew/) and do:\n\n    brew install imagemagick\n    brew install graphicsmagick\n\nIf you want WebP support with ImageMagick, you must add the WebP option:\n\n    brew install imagemagick --with-webp\n\nthen either use npm:\n\n    npm install gm\n\nor clone the repo:\n\n    git clone git://github.com/aheckmann/gm.git\n\n\n## Use ImageMagick instead of gm\n\nSubclass `gm` to enable ImageMagick\n\n```js\nvar fs = require('fs')\n  , gm = require('gm').subClass({imageMagick: true});\n\n// resize and remove EXIF profile data\ngm('/path/to/my/img.jpg')\n.resize(240, 240)\n...\n```\n\n\n## Basic Usage\n\n```js\nvar fs = require('fs')\n  , gm = require('gm');\n\n// resize and remove EXIF profile data\ngm('/path/to/my/img.jpg')\n.resize(240, 240)\n.noProfile()\n.write('/path/to/resize.png', function (err) {\n  if (!err) console.log('done');\n});\n\n// some files would not be resized appropriately\n// http://stackoverflow.com/questions/5870466/imagemagick-incorrect-dimensions\n// you have two options:\n// use the '!' flag to ignore aspect ratio\ngm('/path/to/my/img.jpg')\n.resize(240, 240, '!')\n.write('/path/to/resize.png', function (err) {\n  if (!err) console.log('done');\n});\n\n// use the .resizeExact with only width and/or height arguments\ngm('/path/to/my/img.jpg')\n.resizeExact(240, 240)\n.write('/path/to/resize.png', function (err) {\n  if (!err) console.log('done');\n});\n\n// obtain the size of an image\ngm('/path/to/my/img.jpg')\n.size(function (err, size) {\n  if (!err)\n    console.log(size.width > size.height ? 'wider' : 'taller than you');\n});\n\n// output all available image properties\ngm('/path/to/img.png')\n.identify(function (err, data) {\n  if (!err) console.log(data)\n});\n\n// pull out the first frame of an animated gif and save as png\ngm('/path/to/animated.gif[0]')\n.write('/path/to/firstframe.png', function (err) {\n  if (err) console.log('aaw, shucks');\n});\n\n// auto-orient an image\ngm('/path/to/img.jpg')\n.autoOrient()\n.write('/path/to/oriented.jpg', function (err) {\n  if (err) ...\n})\n\n// crazytown\ngm('/path/to/my/img.jpg')\n.flip()\n.magnify()\n.rotate('green', 45)\n.blur(7, 3)\n.crop(300, 300, 150, 130)\n.edge(3)\n.write('/path/to/crazy.jpg', function (err) {\n  if (!err) console.log('crazytown has arrived');\n})\n\n// annotate an image\ngm('/path/to/my/img.jpg')\n.stroke(\"#ffffff\")\n.drawCircle(10, 10, 20, 10)\n.font(\"Helvetica.ttf\", 12)\n.drawText(30, 20, \"GMagick!\")\n.write(\"/path/to/drawing.png\", function (err) {\n  if (!err) console.log('done');\n});\n\n// creating an image\ngm(200, 400, \"#ddff99f3\")\n.drawText(10, 50, \"from scratch\")\n.write(\"/path/to/brandNewImg.jpg\", function (err) {\n  // ...\n});\n```\n\n## Streams\n\n```js\n// passing a stream\nvar readStream = fs.createReadStream('/path/to/my/img.jpg');\ngm(readStream, 'img.jpg')\n.write('/path/to/reformat.png', function (err) {\n  if (!err) console.log('done');\n});\n\n\n// passing a downloadable image by url\n\nvar request = require('request');\nvar url = \"www.abc.com/pic.jpg\"\n\ngm(request(url))\n.write('/path/to/reformat.png', function (err) {\n  if (!err) console.log('done');\n});\n\n\n// can also stream output to a ReadableStream\n// (can be piped to a local file or remote server)\ngm('/path/to/my/img.jpg')\n.resize('200', '200')\n.stream(function (err, stdout, stderr) {\n  var writeStream = fs.createWriteStream('/path/to/my/resized.jpg');\n  stdout.pipe(writeStream);\n});\n\n// without a callback, .stream() returns a stream\n// this is just a convenience wrapper for above.\nvar writeStream = fs.createWriteStream('/path/to/my/resized.jpg');\ngm('/path/to/my/img.jpg')\n.resize('200', '200')\n.stream()\n.pipe(writeStream);\n\n// pass a format or filename to stream() and\n// gm will provide image data in that format\ngm('/path/to/my/img.jpg')\n.stream('png', function (err, stdout, stderr) {\n  var writeStream = fs.createWriteStream('/path/to/my/reformatted.png');\n  stdout.pipe(writeStream);\n});\n\n// or without the callback\nvar writeStream = fs.createWriteStream('/path/to/my/reformatted.png');\ngm('/path/to/my/img.jpg')\n.stream('png')\n.pipe(writeStream);\n\n// combine the two for true streaming image processing\nvar readStream = fs.createReadStream('/path/to/my/img.jpg');\ngm(readStream)\n.resize('200', '200')\n.stream(function (err, stdout, stderr) {\n  var writeStream = fs.createWriteStream('/path/to/my/resized.jpg');\n  stdout.pipe(writeStream);\n});\n\n// GOTCHA:\n// when working with input streams and any 'identify'\n// operation (size, format, etc), you must pass \"{bufferStream: true}\" if\n// you also need to convert (write() or stream()) the image afterwards\n// NOTE: this buffers the readStream in memory!\nvar readStream = fs.createReadStream('/path/to/my/img.jpg');\ngm(readStream)\n.size({bufferStream: true}, function(err, size) {\n  this.resize(size.width / 2, size.height / 2)\n  this.write('/path/to/resized.jpg', function (err) {\n    if (!err) console.log('done');\n  });\n});\n\n```\n\n## Buffers\n\n```js\n// A buffer can be passed instead of a filepath as well\nvar buf = require('fs').readFileSync('/path/to/image.jpg');\n\ngm(buf, 'image.jpg')\n.noise('laplacian')\n.write('/path/to/out.jpg', function (err) {\n  if (err) return handle(err);\n  console.log('Created an image from a Buffer!');\n});\n\n/*\nA buffer can also be returned instead of a stream\nThe first argument to toBuffer is optional, it specifies the image format\n*/\ngm('img.jpg')\n.resize(100, 100)\n.toBuffer('PNG',function (err, buffer) {\n  if (err) return handle(err);\n  console.log('done!');\n})\n```\n\n## Custom Arguments\n\nIf `gm` does not supply you with a method you need or does not work as you'd like, you can simply use `gm().in()` or `gm().out()` to set your own arguments.\n\n- `gm().command()` - Custom command such as `identify` or `convert`\n- `gm().in()` - Custom input arguments\n- `gm().out()` - Custom output arguments\n\nThe command will be formatted in the following order:\n\n1. `command` - ie `convert`\n2. `in` - the input arguments\n3. `source` - stdin or an image file\n4. `out` - the output arguments\n5. `output` - stdout or the image file to write to\n\nFor example, suppose you want the following command:\n\n```bash\ngm \"convert\" \"label:Offline\" \"PNG:-\"\n```\n\nHowever, using `gm().label()` may not work as intended for you:\n\n```js\ngm()\n.label('Offline')\n.stream();\n```\n\nwould yield:\n\n```bash\ngm \"convert\" \"-label\" \"\\\"Offline\\\"\" \"PNG:-\"\n```\n\nInstead, you can use `gm().out()`:\n\n```js\ngm()\n.out('label:Offline')\n.stream();\n```\n\nwhich correctly yields:\n\n```bash\ngm \"convert\" \"label:Offline\" \"PNG:-\"\n```\n\n### Custom Identify Format String\n\nWhen identifying an image, you may want to use a custom formatting string instead of using `-verbose`, which is quite slow.\nYou can use your own [formatting string](http://www.imagemagick.org/script/escape.php) when using `gm().identify(format, callback)`.\nFor example,\n\n```js\ngm('img.png').format(function (err, format) {\n\n})\n\n// is equivalent to\n\ngm('img.png').identify('%m', function (err, format) {\n\n})\n```\n\nsince `%m` is the format option for getting the image file format.\n\n## Platform differences\n\nPlease document and refer to any [platform or ImageMagick/GraphicsMagick issues/differences here](https://github.com/aheckmann/gm/wiki/GraphicsMagick-and-ImageMagick-versions).\n\n## Examples:\n\n  Check out the [examples](http://github.com/aheckmann/gm/tree/master/examples/) directory to play around.\n  Also take a look at the [extending gm](http://wiki.github.com/aheckmann/gm/extending-gm)\n  page to see how to customize gm to your own needs.\n\n## Constructor:\n\n  There are a few ways you can use the `gm` image constructor.\n\n  - 1) `gm(path)` When you pass a string as the first argument it is interpreted as the path to an image you intend to manipulate.\n  - 2) `gm(stream || buffer, [filename])` You may also pass a ReadableStream or Buffer as the first argument, with an optional file name for format inference.\n  - 3) `gm(width, height, [color])` When you pass two integer arguments, gm will create a new image on the fly with the provided dimensions and an optional background color. And you can still chain just like you do with pre-existing images too. See [here](http://github.com/aheckmann/gm/blob/master/examples/new.js) for an example.\n\nThe links below refer to an older version of gm but everything should still work, if anyone feels like updating them please make a PR\n\n## Methods\n\n  - getters\n    - [size](http://aheckmann.github.com/gm/docs.html#getters) - returns the size (WxH) of the image\n    - [orientation](http://aheckmann.github.com/gm/docs.html#getters) - returns the EXIF orientation of the image\n    - [format](http://aheckmann.github.com/gm/docs.html#getters) - returns the image format (gif, jpeg, png, etc)\n    - [depth](http://aheckmann.github.com/gm/docs.html#getters) - returns the image color depth\n    - [color](http://aheckmann.github.com/gm/docs.html#getters) - returns the number of colors\n    - [res](http://aheckmann.github.com/gm/docs.html#getters)   - returns the image resolution\n    - [filesize](http://aheckmann.github.com/gm/docs.html#getters) - returns image filesize\n    - [identify](http://aheckmann.github.com/gm/docs.html#getters) - returns all image data available. Takes an optional format string.\n\n  - manipulation\n    - [adjoin](http://aheckmann.github.com/gm/docs.html#adjoin)\n    - [affine](http://aheckmann.github.com/gm/docs.html#affine)\n    - [antialias](http://aheckmann.github.com/gm/docs.html#antialias)\n    - [append](http://aheckmann.github.com/gm/docs.html#append)\n    - [authenticate](http://aheckmann.github.com/gm/docs.html#authenticate)\n    - [autoOrient](http://aheckmann.github.com/gm/docs.html#autoOrient)\n    - [average](http://aheckmann.github.com/gm/docs.html#average)\n    - [backdrop](http://aheckmann.github.com/gm/docs.html#backdrop)\n    - [bitdepth](http://aheckmann.github.com/gm/docs.html#bitdepth)\n    - [blackThreshold](http://aheckmann.github.com/gm/docs.html#blackThreshold)\n    - [bluePrimary](http://aheckmann.github.com/gm/docs.html#bluePrimary)\n    - [blur](http://aheckmann.github.com/gm/docs.html#blur)\n    - [border](http://aheckmann.github.com/gm/docs.html#border)\n    - [borderColor](http://aheckmann.github.com/gm/docs.html#borderColor)\n    - [box](http://aheckmann.github.com/gm/docs.html#box)\n    - [channel](http://aheckmann.github.com/gm/docs.html#channel)\n    - [charcoal](http://aheckmann.github.com/gm/docs.html#charcoal)\n    - [chop](http://aheckmann.github.com/gm/docs.html#chop)\n    - [clip](http://aheckmann.github.com/gm/docs.html#clip)\n    - [coalesce](http://aheckmann.github.com/gm/docs.html#coalesce)\n    - [colors](http://aheckmann.github.com/gm/docs.html#colors)\n    - [colorize](http://aheckmann.github.com/gm/docs.html#colorize)\n    - [colorMap](http://aheckmann.github.com/gm/docs.html#colorMap)\n    - [colorspace](http://aheckmann.github.com/gm/docs.html#colorspace)\n    - [comment](http://aheckmann.github.com/gm/docs.html#comment)\n    - [compose](http://aheckmann.github.com/gm/docs.html#compose)\n    - [compress](http://aheckmann.github.com/gm/docs.html#compress)\n    - [contrast](http://aheckmann.github.com/gm/docs.html#contrast)\n    - [convolve](http://aheckmann.github.com/gm/docs.html#convolve)\n    - [createDirectories](http://aheckmann.github.com/gm/docs.html#createDirectories)\n    - [crop](http://aheckmann.github.com/gm/docs.html#crop)\n    - [cycle](http://aheckmann.github.com/gm/docs.html#cycle)\n    - [deconstruct](http://aheckmann.github.com/gm/docs.html#deconstruct)\n    - [delay](http://aheckmann.github.com/gm/docs.html#delay)\n    - [define](http://aheckmann.github.com/gm/docs.html#define)\n    - [density](http://aheckmann.github.com/gm/docs.html#density)\n    - [despeckle](http://aheckmann.github.com/gm/docs.html#despeckle)\n    - [dither](http://aheckmann.github.com/gm/docs.html#dither)\n    - [displace](http://aheckmann.github.com/gm/docs.html#dither)\n    - [display](http://aheckmann.github.com/gm/docs.html#display)\n    - [dispose](http://aheckmann.github.com/gm/docs.html#dispose)\n    - [dissolve](http://aheckmann.github.com/gm/docs.html#dissolve)\n    - [edge](http://aheckmann.github.com/gm/docs.html#edge)\n    - [emboss](http://aheckmann.github.com/gm/docs.html#emboss)\n    - [encoding](http://aheckmann.github.com/gm/docs.html#encoding)\n    - [enhance](http://aheckmann.github.com/gm/docs.html#enhance)\n    - [endian](http://aheckmann.github.com/gm/docs.html#endian)\n    - [equalize](http://aheckmann.github.com/gm/docs.html#equalize)\n    - [extent](http://aheckmann.github.com/gm/docs.html#extent)\n    - [file](http://aheckmann.github.com/gm/docs.html#file)\n    - [filter](http://aheckmann.github.com/gm/docs.html#filter)\n    - [flatten](http://aheckmann.github.com/gm/docs.html#flatten)\n    - [flip](http://aheckmann.github.com/gm/docs.html#flip)\n    - [flop](http://aheckmann.github.com/gm/docs.html#flop)\n    - [foreground](http://aheckmann.github.com/gm/docs.html#foreground)\n    - [frame](http://aheckmann.github.com/gm/docs.html#frame)\n    - [fuzz](http://aheckmann.github.com/gm/docs.html#fuzz)\n    - [gamma](http://aheckmann.github.com/gm/docs.html#gamma)\n    - [gaussian](http://aheckmann.github.com/gm/docs.html#gaussian)\n    - [geometry](http://aheckmann.github.com/gm/docs.html#geometry)\n    - [gravity](http://aheckmann.github.com/gm/docs.html#gravity)\n    - [greenPrimary](http://aheckmann.github.com/gm/docs.html#greenPrimary)\n    - [highlightColor](http://aheckmann.github.com/gm/docs.html#highlightColor)\n    - [highlightStyle](http://aheckmann.github.com/gm/docs.html#highlightStyle)\n    - [iconGeometry](http://aheckmann.github.com/gm/docs.html#iconGeometry)\n    - [implode](http://aheckmann.github.com/gm/docs.html#implode)\n    - [intent](http://aheckmann.github.com/gm/docs.html#intent)\n    - [interlace](http://aheckmann.github.com/gm/docs.html#interlace)\n    - [label](http://aheckmann.github.com/gm/docs.html#label)\n    - [lat](http://aheckmann.github.com/gm/docs.html#lat)\n    - [level](http://aheckmann.github.com/gm/docs.html#level)\n    - [list](http://aheckmann.github.com/gm/docs.html#list)\n    - [limit](http://aheckmann.github.com/gm/docs.html#limit)\n    - [log](http://aheckmann.github.com/gm/docs.html#log)\n    - [loop](http://aheckmann.github.com/gm/docs.html#loop)\n    - [lower](http://aheckmann.github.com/gm/docs.html#lower)\n    - [magnify](http://aheckmann.github.com/gm/docs.html#magnify)\n    - [map](http://aheckmann.github.com/gm/docs.html#map)\n    - [matte](http://aheckmann.github.com/gm/docs.html#matte)\n    - [matteColor](http://aheckmann.github.com/gm/docs.html#matteColor)\n    - [mask](http://aheckmann.github.com/gm/docs.html#mask)\n    - [maximumError](http://aheckmann.github.com/gm/docs.html#maximumError)\n    - [median](http://aheckmann.github.com/gm/docs.html#median)\n    - [minify](http://aheckmann.github.com/gm/docs.html#minify)\n    - [mode](http://aheckmann.github.com/gm/docs.html#mode)\n    - [modulate](http://aheckmann.github.com/gm/docs.html#modulate)\n    - [monitor](http://aheckmann.github.com/gm/docs.html#monitor)\n    - [monochrome](http://aheckmann.github.com/gm/docs.html#monochrome)\n    - [morph](http://aheckmann.github.com/gm/docs.html#morph)\n    - [mosaic](http://aheckmann.github.com/gm/docs.html#mosaic)\n    - [motionBlur](http://aheckmann.github.com/gm/docs.html#motionBlur)\n    - [name](http://aheckmann.github.com/gm/docs.html#name)\n    - [negative](http://aheckmann.github.com/gm/docs.html#negative)\n    - [noise](http://aheckmann.github.com/gm/docs.html#noise)\n    - [noop](http://aheckmann.github.com/gm/docs.html#noop)\n    - [normalize](http://aheckmann.github.com/gm/docs.html#normalize)\n    - [noProfile](http://aheckmann.github.com/gm/docs.html#profile)\n    - [opaque](http://aheckmann.github.com/gm/docs.html#opaque)\n    - [operator](http://aheckmann.github.com/gm/docs.html#operator)\n    - [orderedDither](http://aheckmann.github.com/gm/docs.html#orderedDither)\n    - [outputDirectory](http://aheckmann.github.com/gm/docs.html#outputDirectory)\n    - [paint](http://aheckmann.github.com/gm/docs.html#paint)\n    - [page](http://aheckmann.github.com/gm/docs.html#page)\n    - [pause](http://aheckmann.github.com/gm/docs.html#pause)\n    - [pen](http://aheckmann.github.com/gm/docs.html#pen)\n    - [ping](http://aheckmann.github.com/gm/docs.html#ping)\n    - [pointSize](http://aheckmann.github.com/gm/docs.html#pointSize)\n    - [preview](http://aheckmann.github.com/gm/docs.html#preview)\n    - [process](http://aheckmann.github.com/gm/docs.html#process)\n    - [profile](http://aheckmann.github.com/gm/docs.html#profile)\n    - [progress](http://aheckmann.github.com/gm/docs.html#progress)\n    - [quality](http://aheckmann.github.com/gm/docs.html#quality)\n    - [raise](http://aheckmann.github.com/gm/docs.html#raise)\n    - [rawSize](http://aheckmann.github.com/gm/docs.html#rawSize)\n    - [randomThreshold](http://aheckmann.github.com/gm/docs.html#randomThreshold)\n    - [recolor](http://aheckmann.github.com/gm/docs.html#recolor)\n    - [redPrimary](http://aheckmann.github.com/gm/docs.html#redPrimary)\n    - [region](http://aheckmann.github.com/gm/docs.html#region)\n    - [remote](http://aheckmann.github.com/gm/docs.html#remote)\n    - [render](http://aheckmann.github.com/gm/docs.html#render)\n    - [repage](http://aheckmann.github.com/gm/docs.html#repage)\n    - [resample](http://aheckmann.github.com/gm/docs.html#resample)\n    - [resize](http://aheckmann.github.com/gm/docs.html#resize)\n    - [roll](http://aheckmann.github.com/gm/docs.html#roll)\n    - [rotate](http://aheckmann.github.com/gm/docs.html#rotate)\n    - [sample](http://aheckmann.github.com/gm/docs.html#sample)\n    - [samplingFactor](http://aheckmann.github.com/gm/docs.html#samplingFactor)\n    - [scale](http://aheckmann.github.com/gm/docs.html#scale)\n    - [scene](http://aheckmann.github.com/gm/docs.html#scene)\n    - [scenes](http://aheckmann.github.com/gm/docs.html#scenes)\n    - [screen](http://aheckmann.github.com/gm/docs.html#screen)\n    - [segment](http://aheckmann.github.com/gm/docs.html#segment)\n    - [sepia](http://aheckmann.github.com/gm/docs.html#sepia)\n    - [set](http://aheckmann.github.com/gm/docs.html#set)\n    - [setFormat](http://aheckmann.github.com/gm/docs.html#setformat)\n    - [shade](http://aheckmann.github.com/gm/docs.html#shade)\n    - [shadow](http://aheckmann.github.com/gm/docs.html#shadow)\n    - [sharedMemory](http://aheckmann.github.com/gm/docs.html#sharedMemory)\n    - [sharpen](http://aheckmann.github.com/gm/docs.html#sharpen)\n    - [shave](http://aheckmann.github.com/gm/docs.html#shave)\n    - [shear](http://aheckmann.github.com/gm/docs.html#shear)\n    - [silent](http://aheckmann.github.com/gm/docs.html#silent)\n    - [solarize](http://aheckmann.github.com/gm/docs.html#solarize)\n    - [snaps](http://aheckmann.github.com/gm/docs.html#snaps)\n    - [stegano](http://aheckmann.github.com/gm/docs.html#stegano)\n    - [stereo](http://aheckmann.github.com/gm/docs.html#stereo)\n    - [strip](http://aheckmann.github.com/gm/docs.html#strip) _imagemagick only_\n    - [spread](http://aheckmann.github.com/gm/docs.html#spread)\n    - [swirl](http://aheckmann.github.com/gm/docs.html#swirl)\n    - [textFont](http://aheckmann.github.com/gm/docs.html#textFont)\n    - [texture](http://aheckmann.github.com/gm/docs.html#texture)\n    - [threshold](http://aheckmann.github.com/gm/docs.html#threshold)\n    - [thumb](http://aheckmann.github.com/gm/docs.html#thumb)\n    - [tile](http://aheckmann.github.com/gm/docs.html#tile)\n    - [transform](http://aheckmann.github.com/gm/docs.html#transform)\n    - [transparent](http://aheckmann.github.com/gm/docs.html#transparent)\n    - [treeDepth](http://aheckmann.github.com/gm/docs.html#treeDepth)\n    - [trim](http://aheckmann.github.com/gm/docs.html#trim)\n    - [type](http://aheckmann.github.com/gm/docs.html#type)\n    - [update](http://aheckmann.github.com/gm/docs.html#update)\n    - [units](http://aheckmann.github.com/gm/docs.html#units)\n    - [unsharp](http://aheckmann.github.com/gm/docs.html#unsharp)\n    - [usePixmap](http://aheckmann.github.com/gm/docs.html#usePixmap)\n    - [view](http://aheckmann.github.com/gm/docs.html#view)\n    - [virtualPixel](http://aheckmann.github.com/gm/docs.html#virtualPixel)\n    - [visual](http://aheckmann.github.com/gm/docs.html#visual)\n    - [watermark](http://aheckmann.github.com/gm/docs.html#watermark)\n    - [wave](http://aheckmann.github.com/gm/docs.html#wave)\n    - [whitePoint](http://aheckmann.github.com/gm/docs.html#whitePoint)\n    - [whiteThreshold](http://aheckmann.github.com/gm/docs.html#whiteThreshold)\n    - [window](http://aheckmann.github.com/gm/docs.html#window)\n    - [windowGroup](http://aheckmann.github.com/gm/docs.html#windowGroup)\n\n  - drawing primitives\n    - [draw](http://aheckmann.github.com/gm/docs.html#draw)\n    - [drawArc](http://aheckmann.github.com/gm/docs.html#drawArc)\n    - [drawBezier](http://aheckmann.github.com/gm/docs.html#drawBezier)\n    - [drawCircle](http://aheckmann.github.com/gm/docs.html#drawCircle)\n    - [drawEllipse](http://aheckmann.github.com/gm/docs.html#drawEllipse)\n    - [drawLine](http://aheckmann.github.com/gm/docs.html#drawLine)\n    - [drawPoint](http://aheckmann.github.com/gm/docs.html#drawPoint)\n    - [drawPolygon](http://aheckmann.github.com/gm/docs.html#drawPolygon)\n    - [drawPolyline](http://aheckmann.github.com/gm/docs.html#drawPolyline)\n    - [drawRectangle](http://aheckmann.github.com/gm/docs.html#drawRectangle)\n    - [drawText](http://aheckmann.github.com/gm/docs.html#drawText)\n    - [fill](http://aheckmann.github.com/gm/docs.html#fill)\n    - [font](http://aheckmann.github.com/gm/docs.html#font)\n    - [fontSize](http://aheckmann.github.com/gm/docs.html#fontSize)\n    - [stroke](http://aheckmann.github.com/gm/docs.html#stroke)\n    - [strokeWidth](http://aheckmann.github.com/gm/docs.html#strokeWidth)\n    - [setDraw](http://aheckmann.github.com/gm/docs.html#setDraw)\n\n  - image output\n    - **write** - writes the processed image data to the specified filename\n    - **stream** - provides a `ReadableStream` with the processed image data\n    - **toBuffer** - returns the image as a `Buffer` instead of a stream\n\n##compare\n\nGraphicsmagicks `compare` command is exposed through `gm.compare()`. This allows us to determine if two images can be considered \"equal\".\n\nCurrently `gm.compare` only accepts file paths.\n\n    gm.compare(path1, path2 [, options], callback)\n\n```js\ngm.compare('/path/to/image1.jpg', '/path/to/another.png', function (err, isEqual, equality, raw, path1, path2) {\n  if (err) return handle(err);\n\n  // if the images were considered equal, `isEqual` will be true, otherwise, false.\n  console.log('The images were equal: %s', isEqual);\n\n  // to see the total equality returned by graphicsmagick we can inspect the `equality` argument.\n  console.log('Actual equality: %d', equality);\n\n  // inspect the raw output\n  console.log(raw);\n\n  // print file paths\n  console.log(path1, path2);\n})\n```\n\nYou may wish to pass a custom tolerance threshold to increase or decrease the default level of `0.4`.\n\n\n```js\ngm.compare('/path/to/image1.jpg', '/path/to/another.png', 1.2, function (err, isEqual) {\n  ...\n})\n```\n\nTo output a diff image, pass a configuration object to define the diff options and tolerance.\n\n\n```js\nvar options = {\n  file: '/path/to/diff.png',\n  highlightColor: 'yellow',\n  tolerance: 0.02\n}\ngm.compare('/path/to/image1.jpg', '/path/to/another.png', options, function (err, isEqual, equality, raw) {\n  ...\n})\n```\n\n##composite\n\nGraphicsMagick supports compositing one image on top of another. This is exposed through `gm.composite()`. Its first argument is an image path with the changes to the base image, and an optional mask image.\n\nCurrently, `gm.composite()` only accepts file paths.\n\n    gm.composite(other [, mask])\n\n```js\ngm('/path/to/image.jpg')\n.composite('/path/to/second_image.jpg')\n.geometry('+100+150')\n.write('/path/to/composite.png', function(err) {\n    if(!err) console.log(\"Written composite image.\");\n});\n```\n\n##montage\n\nGraphicsMagick supports montage for combining images side by side. This is exposed through `gm.montage()`. Its only argument is an image path with the changes to the base image.\n\nCurrently, `gm.montage()` only accepts file paths.\n\n    gm.montage(other)\n\n```js\ngm('/path/to/image.jpg')\n.montage('/path/to/second_image.jpg')\n.geometry('+100+150')\n.write('/path/to/montage.png', function(err) {\n    if(!err) console.log(\"Written montage image.\");\n});\n```\n\n## Contributors\n[https://github.com/aheckmann/gm/contributors](https://github.com/aheckmann/gm/contributors)\n\n## Inspiration\nhttp://github.com/quiiver/magickal-node\n\n## Plugins\n[https://github.com/aheckmann/gm/wiki](https://github.com/aheckmann/gm/wiki)\n\n## License\n\n(The MIT License)\n\nCopyright (c) 2010 [Aaron Heckmann](aaron.heckmann+github@gmail.com)\n\nPermission is hereby granted, free of charge, to any person obtaining\na copy of this software and associated documentation files (the\n'Software'), to deal in the Software without restriction, including\nwithout limitation the rights to use, copy, modify, merge, publish,\ndistribute, sublicense, and/or sell copies of the Software, and to\npermit persons to whom the Software is furnished to do so, subject to\nthe following conditions:\n\nThe above copyright notice and this permission notice shall be\nincluded in all copies or substantial portions of the Software.\n\nTHE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND,\nEXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\nMERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.\nIN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY\nCLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT,\nTORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE\nSOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git+https://github.com/aheckmann/gm.git"
+  },
+  "scripts": {
+    "test": "make test-unit; make test;"
+  },
+  "version": "1.23.0"
+}
diff --git a/node_modules/isexe/.npmignore b/node_modules/isexe/.npmignore
new file mode 100644
index 0000000..c1cb757
--- /dev/null
+++ b/node_modules/isexe/.npmignore
@@ -0,0 +1,2 @@
+.nyc_output/
+coverage/
diff --git a/node_modules/isexe/LICENSE b/node_modules/isexe/LICENSE
new file mode 100644
index 0000000..19129e3
--- /dev/null
+++ b/node_modules/isexe/LICENSE
@@ -0,0 +1,15 @@
+The ISC License
+
+Copyright (c) Isaac Z. Schlueter and Contributors
+
+Permission to use, copy, modify, and/or distribute this software for any
+purpose with or without fee is hereby granted, provided that the above
+copyright notice and this permission notice appear in all copies.
+
+THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
+WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
+MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
+ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
+WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
+ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR
+IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
diff --git a/node_modules/isexe/README.md b/node_modules/isexe/README.md
new file mode 100644
index 0000000..35769e8
--- /dev/null
+++ b/node_modules/isexe/README.md
@@ -0,0 +1,51 @@
+# isexe
+
+Minimal module to check if a file is executable, and a normal file.
+
+Uses `fs.stat` and tests against the `PATHEXT` environment variable on
+Windows.
+
+## USAGE
+
+```javascript
+var isexe = require('isexe')
+isexe('some-file-name', function (err, isExe) {
+  if (err) {
+    console.error('probably file does not exist or something', err)
+  } else if (isExe) {
+    console.error('this thing can be run')
+  } else {
+    console.error('cannot be run')
+  }
+})
+
+// same thing but synchronous, throws errors
+var isExe = isexe.sync('some-file-name')
+
+// treat errors as just "not executable"
+isexe('maybe-missing-file', { ignoreErrors: true }, callback)
+var isExe = isexe.sync('maybe-missing-file', { ignoreErrors: true })
+```
+
+## API
+
+### `isexe(path, [options], [callback])`
+
+Check if the path is executable.  If no callback provided, and a
+global `Promise` object is available, then a Promise will be returned.
+
+Will raise whatever errors may be raised by `fs.stat`, unless
+`options.ignoreErrors` is set to true.
+
+### `isexe.sync(path, [options])`
+
+Same as `isexe` but returns the value and throws any errors raised.
+
+### Options
+
+* `ignoreErrors` Treat all errors as "no, this is not executable", but
+  don't raise them.
+* `uid` Number to use as the user id
+* `gid` Number to use as the group id
+* `pathExt` List of path extensions to use instead of `PATHEXT`
+  environment variable on Windows.
diff --git a/node_modules/isexe/index.js b/node_modules/isexe/index.js
new file mode 100644
index 0000000..553fb32
--- /dev/null
+++ b/node_modules/isexe/index.js
@@ -0,0 +1,57 @@
+var fs = require('fs')
+var core
+if (process.platform === 'win32' || global.TESTING_WINDOWS) {
+  core = require('./windows.js')
+} else {
+  core = require('./mode.js')
+}
+
+module.exports = isexe
+isexe.sync = sync
+
+function isexe (path, options, cb) {
+  if (typeof options === 'function') {
+    cb = options
+    options = {}
+  }
+
+  if (!cb) {
+    if (typeof Promise !== 'function') {
+      throw new TypeError('callback not provided')
+    }
+
+    return new Promise(function (resolve, reject) {
+      isexe(path, options || {}, function (er, is) {
+        if (er) {
+          reject(er)
+        } else {
+          resolve(is)
+        }
+      })
+    })
+  }
+
+  core(path, options || {}, function (er, is) {
+    // ignore EACCES because that just means we aren't allowed to run it
+    if (er) {
+      if (er.code === 'EACCES' || options && options.ignoreErrors) {
+        er = null
+        is = false
+      }
+    }
+    cb(er, is)
+  })
+}
+
+function sync (path, options) {
+  // my kingdom for a filtered catch
+  try {
+    return core.sync(path, options || {})
+  } catch (er) {
+    if (options && options.ignoreErrors || er.code === 'EACCES') {
+      return false
+    } else {
+      throw er
+    }
+  }
+}
diff --git a/node_modules/isexe/mode.js b/node_modules/isexe/mode.js
new file mode 100644
index 0000000..1995ea4
--- /dev/null
+++ b/node_modules/isexe/mode.js
@@ -0,0 +1,41 @@
+module.exports = isexe
+isexe.sync = sync
+
+var fs = require('fs')
+
+function isexe (path, options, cb) {
+  fs.stat(path, function (er, stat) {
+    cb(er, er ? false : checkStat(stat, options))
+  })
+}
+
+function sync (path, options) {
+  return checkStat(fs.statSync(path), options)
+}
+
+function checkStat (stat, options) {
+  return stat.isFile() && checkMode(stat, options)
+}
+
+function checkMode (stat, options) {
+  var mod = stat.mode
+  var uid = stat.uid
+  var gid = stat.gid
+
+  var myUid = options.uid !== undefined ?
+    options.uid : process.getuid && process.getuid()
+  var myGid = options.gid !== undefined ?
+    options.gid : process.getgid && process.getgid()
+
+  var u = parseInt('100', 8)
+  var g = parseInt('010', 8)
+  var o = parseInt('001', 8)
+  var ug = u | g
+
+  var ret = (mod & o) ||
+    (mod & g) && gid === myGid ||
+    (mod & u) && uid === myUid ||
+    (mod & ug) && myUid === 0
+
+  return ret
+}
diff --git a/node_modules/isexe/package.json b/node_modules/isexe/package.json
new file mode 100644
index 0000000..ea74d87
--- /dev/null
+++ b/node_modules/isexe/package.json
@@ -0,0 +1,96 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "isexe@^2.0.0",
+        "scope": null,
+        "escapedName": "isexe",
+        "name": "isexe",
+        "rawSpec": "^2.0.0",
+        "spec": ">=2.0.0 <3.0.0",
+        "type": "range"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/which"
+    ]
+  ],
+  "_from": "isexe@>=2.0.0 <3.0.0",
+  "_id": "isexe@2.0.0",
+  "_inCache": true,
+  "_location": "/isexe",
+  "_nodeVersion": "8.0.0-pre",
+  "_npmOperationalInternal": {
+    "host": "packages-12-west.internal.npmjs.com",
+    "tmp": "tmp/isexe-2.0.0.tgz_1490230396126_0.8949183595832437"
+  },
+  "_npmUser": {
+    "name": "isaacs",
+    "email": "i@izs.me"
+  },
+  "_npmVersion": "4.4.2",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "isexe@^2.0.0",
+    "scope": null,
+    "escapedName": "isexe",
+    "name": "isexe",
+    "rawSpec": "^2.0.0",
+    "spec": ">=2.0.0 <3.0.0",
+    "type": "range"
+  },
+  "_requiredBy": [
+    "/which"
+  ],
+  "_resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz",
+  "_shasum": "e8fbf374dc556ff8947a10dcb0572d633f2cfa10",
+  "_shrinkwrap": null,
+  "_spec": "isexe@^2.0.0",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/which",
+  "author": {
+    "name": "Isaac Z. Schlueter",
+    "email": "i@izs.me",
+    "url": "http://blog.izs.me/"
+  },
+  "bugs": {
+    "url": "https://github.com/isaacs/isexe/issues"
+  },
+  "dependencies": {},
+  "description": "Minimal module to check if a file is executable.",
+  "devDependencies": {
+    "mkdirp": "^0.5.1",
+    "rimraf": "^2.5.0",
+    "tap": "^10.3.0"
+  },
+  "directories": {
+    "test": "test"
+  },
+  "dist": {
+    "shasum": "e8fbf374dc556ff8947a10dcb0572d633f2cfa10",
+    "tarball": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz"
+  },
+  "gitHead": "10f8be491aab2e158c7e20df64a7f90ab5b5475c",
+  "homepage": "https://github.com/isaacs/isexe#readme",
+  "keywords": [],
+  "license": "ISC",
+  "main": "index.js",
+  "maintainers": [
+    {
+      "name": "isaacs",
+      "email": "i@izs.me"
+    }
+  ],
+  "name": "isexe",
+  "optionalDependencies": {},
+  "readme": "# isexe\n\nMinimal module to check if a file is executable, and a normal file.\n\nUses `fs.stat` and tests against the `PATHEXT` environment variable on\nWindows.\n\n## USAGE\n\n```javascript\nvar isexe = require('isexe')\nisexe('some-file-name', function (err, isExe) {\n  if (err) {\n    console.error('probably file does not exist or something', err)\n  } else if (isExe) {\n    console.error('this thing can be run')\n  } else {\n    console.error('cannot be run')\n  }\n})\n\n// same thing but synchronous, throws errors\nvar isExe = isexe.sync('some-file-name')\n\n// treat errors as just \"not executable\"\nisexe('maybe-missing-file', { ignoreErrors: true }, callback)\nvar isExe = isexe.sync('maybe-missing-file', { ignoreErrors: true })\n```\n\n## API\n\n### `isexe(path, [options], [callback])`\n\nCheck if the path is executable.  If no callback provided, and a\nglobal `Promise` object is available, then a Promise will be returned.\n\nWill raise whatever errors may be raised by `fs.stat`, unless\n`options.ignoreErrors` is set to true.\n\n### `isexe.sync(path, [options])`\n\nSame as `isexe` but returns the value and throws any errors raised.\n\n### Options\n\n* `ignoreErrors` Treat all errors as \"no, this is not executable\", but\n  don't raise them.\n* `uid` Number to use as the user id\n* `gid` Number to use as the group id\n* `pathExt` List of path extensions to use instead of `PATHEXT`\n  environment variable on Windows.\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git+https://github.com/isaacs/isexe.git"
+  },
+  "scripts": {
+    "postpublish": "git push origin --all; git push origin --tags",
+    "postversion": "npm publish",
+    "preversion": "npm test",
+    "test": "tap test/*.js --100"
+  },
+  "version": "2.0.0"
+}
diff --git a/node_modules/isexe/test/basic.js b/node_modules/isexe/test/basic.js
new file mode 100644
index 0000000..d926df6
--- /dev/null
+++ b/node_modules/isexe/test/basic.js
@@ -0,0 +1,221 @@
+var t = require('tap')
+var fs = require('fs')
+var path = require('path')
+var fixture = path.resolve(__dirname, 'fixtures')
+var meow = fixture + '/meow.cat'
+var mine = fixture + '/mine.cat'
+var ours = fixture + '/ours.cat'
+var fail = fixture + '/fail.false'
+var noent = fixture + '/enoent.exe'
+var mkdirp = require('mkdirp')
+var rimraf = require('rimraf')
+
+var isWindows = process.platform === 'win32'
+var hasAccess = typeof fs.access === 'function'
+var winSkip = isWindows && 'windows'
+var accessSkip = !hasAccess && 'no fs.access function'
+var hasPromise = typeof Promise === 'function'
+var promiseSkip = !hasPromise && 'no global Promise'
+
+function reset () {
+  delete require.cache[require.resolve('../')]
+  return require('../')
+}
+
+t.test('setup fixtures', function (t) {
+  rimraf.sync(fixture)
+  mkdirp.sync(fixture)
+  fs.writeFileSync(meow, '#!/usr/bin/env cat\nmeow\n')
+  fs.chmodSync(meow, parseInt('0755', 8))
+  fs.writeFileSync(fail, '#!/usr/bin/env false\n')
+  fs.chmodSync(fail, parseInt('0644', 8))
+  fs.writeFileSync(mine, '#!/usr/bin/env cat\nmine\n')
+  fs.chmodSync(mine, parseInt('0744', 8))
+  fs.writeFileSync(ours, '#!/usr/bin/env cat\nours\n')
+  fs.chmodSync(ours, parseInt('0754', 8))
+  t.end()
+})
+
+t.test('promise', { skip: promiseSkip }, function (t) {
+  var isexe = reset()
+  t.test('meow async', function (t) {
+    isexe(meow).then(function (is) {
+      t.ok(is)
+      t.end()
+    })
+  })
+  t.test('fail async', function (t) {
+    isexe(fail).then(function (is) {
+      t.notOk(is)
+      t.end()
+    })
+  })
+  t.test('noent async', function (t) {
+    isexe(noent).catch(function (er) {
+      t.ok(er)
+      t.end()
+    })
+  })
+  t.test('noent ignore async', function (t) {
+    isexe(noent, { ignoreErrors: true }).then(function (is) {
+      t.notOk(is)
+      t.end()
+    })
+  })
+  t.end()
+})
+
+t.test('no promise', function (t) {
+  global.Promise = null
+  var isexe = reset()
+  t.throws('try to meow a promise', function () {
+    isexe(meow)
+  })
+  t.end()
+})
+
+t.test('access', { skip: accessSkip || winSkip }, function (t) {
+  runTest(t)
+})
+
+t.test('mode', { skip: winSkip }, function (t) {
+  delete fs.access
+  delete fs.accessSync
+  var isexe = reset()
+  t.ok(isexe.sync(ours, { uid: 0, gid: 0 }))
+  t.ok(isexe.sync(mine, { uid: 0, gid: 0 }))
+  runTest(t)
+})
+
+t.test('windows', function (t) {
+  global.TESTING_WINDOWS = true
+  var pathExt = '.EXE;.CAT;.CMD;.COM'
+  t.test('pathExt option', function (t) {
+    runTest(t, { pathExt: '.EXE;.CAT;.CMD;.COM' })
+  })
+  t.test('pathExt env', function (t) {
+    process.env.PATHEXT = pathExt
+    runTest(t)
+  })
+  t.test('no pathExt', function (t) {
+    // with a pathExt of '', any filename is fine.
+    // so the "fail" one would still pass.
+    runTest(t, { pathExt: '', skipFail: true })
+  })
+  t.test('pathext with empty entry', function (t) {
+    // with a pathExt of '', any filename is fine.
+    // so the "fail" one would still pass.
+    runTest(t, { pathExt: ';' + pathExt, skipFail: true })
+  })
+  t.end()
+})
+
+t.test('cleanup', function (t) {
+  rimraf.sync(fixture)
+  t.end()
+})
+
+function runTest (t, options) {
+  var isexe = reset()
+
+  var optionsIgnore = Object.create(options || {})
+  optionsIgnore.ignoreErrors = true
+
+  if (!options || !options.skipFail) {
+    t.notOk(isexe.sync(fail, options))
+  }
+  t.notOk(isexe.sync(noent, optionsIgnore))
+  if (!options) {
+    t.ok(isexe.sync(meow))
+  } else {
+    t.ok(isexe.sync(meow, options))
+  }
+
+  t.ok(isexe.sync(mine, options))
+  t.ok(isexe.sync(ours, options))
+  t.throws(function () {
+    isexe.sync(noent, options)
+  })
+
+  t.test('meow async', function (t) {
+    if (!options) {
+      isexe(meow, function (er, is) {
+        if (er) {
+          throw er
+        }
+        t.ok(is)
+        t.end()
+      })
+    } else {
+      isexe(meow, options, function (er, is) {
+        if (er) {
+          throw er
+        }
+        t.ok(is)
+        t.end()
+      })
+    }
+  })
+
+  t.test('mine async', function (t) {
+    isexe(mine, options, function (er, is) {
+      if (er) {
+        throw er
+      }
+      t.ok(is)
+      t.end()
+    })
+  })
+
+  t.test('ours async', function (t) {
+    isexe(ours, options, function (er, is) {
+      if (er) {
+        throw er
+      }
+      t.ok(is)
+      t.end()
+    })
+  })
+
+  if (!options || !options.skipFail) {
+    t.test('fail async', function (t) {
+      isexe(fail, options, function (er, is) {
+        if (er) {
+          throw er
+        }
+        t.notOk(is)
+        t.end()
+      })
+    })
+  }
+
+  t.test('noent async', function (t) {
+    isexe(noent, options, function (er, is) {
+      t.ok(er)
+      t.notOk(is)
+      t.end()
+    })
+  })
+
+  t.test('noent ignore async', function (t) {
+    isexe(noent, optionsIgnore, function (er, is) {
+      if (er) {
+        throw er
+      }
+      t.notOk(is)
+      t.end()
+    })
+  })
+
+  t.test('directory is not executable', function (t) {
+    isexe(__dirname, options, function (er, is) {
+      if (er) {
+        throw er
+      }
+      t.notOk(is)
+      t.end()
+    })
+  })
+
+  t.end()
+}
diff --git a/node_modules/isexe/windows.js b/node_modules/isexe/windows.js
new file mode 100644
index 0000000..3499673
--- /dev/null
+++ b/node_modules/isexe/windows.js
@@ -0,0 +1,42 @@
+module.exports = isexe
+isexe.sync = sync
+
+var fs = require('fs')
+
+function checkPathExt (path, options) {
+  var pathext = options.pathExt !== undefined ?
+    options.pathExt : process.env.PATHEXT
+
+  if (!pathext) {
+    return true
+  }
+
+  pathext = pathext.split(';')
+  if (pathext.indexOf('') !== -1) {
+    return true
+  }
+  for (var i = 0; i < pathext.length; i++) {
+    var p = pathext[i].toLowerCase()
+    if (p && path.substr(-p.length).toLowerCase() === p) {
+      return true
+    }
+  }
+  return false
+}
+
+function checkStat (stat, path, options) {
+  if (!stat.isSymbolicLink() && !stat.isFile()) {
+    return false
+  }
+  return checkPathExt(path, options)
+}
+
+function isexe (path, options, cb) {
+  fs.stat(path, function (er, stat) {
+    cb(er, er ? false : checkStat(stat, path, options))
+  })
+}
+
+function sync (path, options) {
+  return checkStat(fs.statSync(path), path, options)
+}
diff --git a/node_modules/koa-better-body/CHANGELOG.md b/node_modules/koa-better-body/CHANGELOG.md
new file mode 100644
index 0000000..a080bc2
--- /dev/null
+++ b/node_modules/koa-better-body/CHANGELOG.md
@@ -0,0 +1,258 @@
+# Change Log
+
+All notable changes to this project will be documented in this file. See [standard-version](https://github.com/conventional-changelog/standard-version) for commit guidelines.
+
+<a name="3.0.4"></a>
+## [3.0.4](https://github.com/tunnckoCore/koa-better-body/compare/v3.0.3...v3.0.4) (2017-07-16)
+
+
+### Bug Fixes
+
+* **lint:** update linting, remove lazy-cache ([e4ba8da](https://github.com/tunnckoCore/koa-better-body/commit/e4ba8da))
+* **package:** update scripts and travis ([63a08ea](https://github.com/tunnckoCore/koa-better-body/commit/63a08ea))
+* **prettier:** format codebase ([e0407cc](https://github.com/tunnckoCore/koa-better-body/commit/e0407cc))
+* **style:** proper naming ([66b91b9](https://github.com/tunnckoCore/koa-better-body/commit/66b91b9))
+* **style:** update standard and format codebase ([e087f02](https://github.com/tunnckoCore/koa-better-body/commit/e087f02))
+* **travis:** install more stable npm for better results ([2d4b122](https://github.com/tunnckoCore/koa-better-body/commit/2d4b122))
+
+
+
+<a name="3.0.3"></a>
+## [3.0.3](https://github.com/tunnckoCore/koa-better-body/compare/v3.0.2...v3.0.3) (2017-07-16)
+
+
+### Bug Fixes
+
+* **ampersand:** bug when value has ampersand ([b4d33f6](https://github.com/tunnckoCore/koa-better-body/commit/b4d33f6))
+* **doc:** update extendTypes link (#82) ([280bb1a](https://github.com/tunnckoCore/koa-better-body/commit/280bb1a))
+* **koa2:** remove ctx.querystring (#84) ([e42fdca](https://github.com/tunnckoCore/koa-better-body/commit/e42fdca)), closes [#77](https://github.com/tunnckoCore/koa-better-body/issues/77)
+* **readme:** update router example ([36e1897](https://github.com/tunnckoCore/koa-better-body/commit/36e1897))
+
+
+
+<a name="3.0.2"></a>
+## [3.0.2](https://github.com/tunnckocore/koa-better-body/compare/v3.0.1...v3.0.2) (2016-10-08)
+
+
+### Bug Fixes
+
+* **utils.js:** qs: query string parsing options ([a65bd2b](https://github.com/tunnckocore/koa-better-body/commit/a65bd2b)), closes [#63](https://github.com/tunnckocore/koa-better-body/issues/63)
+
+
+
+<a name="3.0.1"></a>
+## [3.0.1](https://github.com/tunnckocore/koa-better-body/compare/v3.0.0...v3.0.1) (2016-10-08)
+
+
+### Bug Fixes
+
+* **package.json:** update npm scripts, remove some devDeps ([b5265d8](https://github.com/tunnckocore/koa-better-body/commit/b5265d8))
+
+
+
+<a name="3.0.0"></a>
+## [3.0.0](https://github.com/tunnckocore/koa-better-body/compare/v2.0.1...v3.0.0) (2016-09-12)
+
+**For commiting please use `npm run commit` script.**
+
+Starting from this release all the build/pull request/commit chain is changed to follow totally `semver`, `semantic-version` and `standard-version`. Contributing guide is update too, please read it before do anything. 
+
+The `README.md` and `CHANGELOG.md` files are autogenerated files, so please **DO NOT** edit them manually - there are tools for that. Readme generation is handled by `verb` and `verb-generate-readme` generator, the change log and releasing is handled by `standard-version` and Git Hooks to follow SemVer more strictly.
+
+The commit message convention is based on Angular's using `conventional-changelog` which works behind the `standard-version`. Please follow them while sumbimtting Pull Requests and Bug Reports. If anything is not clear enough in the `CONTRIBUTING.md`, please open an issue to discuss it and propably change it.
+
+Advanced `npm scripts` is used to handled any linting and errors. So you won't be able to even push anything if simply running `npm test` fails. Everything is totally coupled and there's zero chance to do something wrong. From now on, project will follow SemVer more strict than ever.
+
+Most of the files in the repository is scaffolded using the `generate` tool with `generate-charlike-templates` generator. So please try to not edit anything.
+
+
+### Features
+
+* **options:** add `urlencodedLimit` alias for `formLimit` ([31ff6c1](https://github.com/tunnckoCore/koa-better-body/commit/31ff6c1))
+* **parsing:** split buffer parsing from text parsing ([#52](https://github.com/tunnckoCore/koa-better-body/issues/52))([81f9a1f](https://github.com/tunnckoCore/koa-better-body/commit/81f9a1f))
+* **extendTypes:** implement extendTypes.custom and opts.handler, ([#52](https://github.com/tunnckoCore/koa-better-body/issues/52))([be10d93](https://github.com/tunnckoCore/koa-better-body/commit/be10d93))
+* **options:** add `opts.qs` and `opts.querystring` - also possible with `app.querystring` ([cc6ff4d](https://github.com/tunnckoCore/koa-better-body/commit/cc6ff4d))
+* **options:** pass options to `qs.parse` or `querystring.parse` ([e67f42c](https://github.com/tunnckoCore/koa-better-body/commit/e67f42c))
+  + so you can now pass custom `opts.delimiter` (`&` to be `$`) for urlencoded bodies
+
+
+### Bug Fixes
+
+* **travis:** fails because `standard@8` release ([6ae0c7f](https://github.com/tunnckoCore/koa-better-body/commit/6ae0c7f))
+* **qs-tests:** fix for `app.querystring` and `opts.querystring` ([c5df3a3](https://github.com/tunnckoCore/koa-better-body/commit/c5df3a3))
+* **opts-tests:** update tests for options ([fe1696a](https://github.com/tunnckoCore/koa-better-body/commit/fe1696a))
+* **tests:** fix possible build fails ([522110c](https://github.com/tunnckoCore/koa-better-body/commit/522110c))
+
+
+### BREAKING CHANGES
+
+* **ctx.body:** no more write to `ctx.body` ([#50](https://github.com/tunnckoCore/koa-better-body/issues/50)) ([b927454](https://github.com/tunnckoCore/koa-better-body/commit/b927454))
+* **utils.handleMuliple:** fix incorrect nesting ([#55](https://github.com/tunnckoCore/koa-better-body/issues/55)) ([56726e9](https://github.com/tunnckoCore/koa-better-body/commit/56726e9))
+
+**Couple of notes are needed here:**
+
+* `this.request.files` will **always** be array of files
+* in `this.request.fields` there have field containing `this.request.files` array
+* forms with type `multipart/form-data` now can accept nested fields see [#61](https://github.com/tunnckoCore/koa-better-body/issues/61) if you pass `qs` module to `opts.qs` of course, otherwise they will work. In `v2` they was just skipped I believe - in `this.request` i was recieving only the field for `type="file"`?
+
+
+<a name="2.0.1"></a>
+## [2.0.1](https://github.com/tunnckocore/koa-better-body/compare/v2.0.0...v2.0.1) (2016-05-05)
+- Release v2.0.1 / npm@v2.0.1
+- fix typo
+- switch to use `mukla` for testing, instead of `assertit` - it is drop in replacement
+- add downloads badge
+- bump deps (lazy-cache to v2)
+
+
+<a name="2.0.0"></a>
+## [2.0.0](https://github.com/tunnckocore/koa-better-body/compare/v1.0.17...v2.0.0) (2016-04-15)
+- Release v2.0.0 / npm@v2.0.0
+- in general, much things was changed and was added new and wanted features - review [the v2 PR](https://github.com/tunnckoCore/koa-better-body/pull/34)
+- closed all of the issues marked as `todo` and `v2` (the v2 milestone)
+- in short:
+  + cleared all issues marked as `todo` and `v2`
+  + still using `formidable`
+  + still can pass custom property names for `fields` and `files` - e.g. pass `options.files: 'foobar'`
+    * defaults to `this.request.fields` and `this.request.files`
+    * *almost* always `this.body` is equal to `this.request.fields` (when it make sense)
+    * `this.request.files` not exist always
+  + more flexible
+    * can pass `formidable.IncomingForm` instance through options to handle events and etc
+    * all `options` are directly passed to `formidable.IncomingForm`
+  + change `options.multipart` to be `true` be default - pass `false` if you want to disallow it
+  + add support for `text` bodies
+  + add `options.buffer` to get the body as buffer (when text type), defaults to `false`
+  + add `options.strict` mode to disallow GET, HEAD, DELETE requests, defaults to `true`
+  + add `options.jsonStrict` JSON parser will only accept arrays and objects, defaults to `true`
+    * same as [co-body's options.strict](https://github.com/cojs/co-body#options) and
+    * same as [koa-bodyparser's options.strict](https://github.com/koajs/bodyparser#options)
+    * passed to [koa-body-parsers](https://github.com/koajs/body-parsers/blob/master/index.js#L33-L39)
+  + add `options.detectJSON` #16 - same as in [koa-bodyparser]
+  + simplified tests
+  + simplify a lot of the codebase using `koa-body-parsers` under the hood
+
+
+<a name="1.0.17"></a>
+## [1.0.17](https://github.com/tunnckocore/koa-better-body/compare/v1.0.16...v1.0.17) (2015-02-06)
+- Release v1.0.17 / npm@v1.0.17
+- fix license range
+- run update readme
+- update keywords
+- bump deps, actually ranges to `~` only which means `only latest patch version`
+
+
+<a name="1.0.16"></a>
+## [1.0.16](https://github.com/tunnckocore/koa-better-body/compare/v1.0.15...v1.0.16) (2015-01-19)
+- Release v1.0.16 / npm@v1.0.16
+- add `opts.extendTypes`
+
+
+<a name="1.0.15"></a>
+## [1.0.15](https://github.com/tunnckocore/koa-better-body/compare/v1.0.14...v1.0.15) (2015-01-19)
+- Release v1.0.15 / npm@v1.0.15
+- add `encode` alias for `encoding` option
+
+
+<a name="1.0.14"></a>
+## [1.0.14](https://github.com/tunnckocore/koa-better-body/compare/v1.0.13...v1.0.14) (2015-01-18)
+- Release v1.0.14 / npm@v1.0.14
+- istanbul ignore
+- coverage tweaks
+- increase max statements to 20
+- closes #10, update/add tests
+
+
+<a name="1.0.13"></a>
+## [1.0.13](https://github.com/tunnckocore/koa-better-body/compare/v1.0.12...v1.0.13) (2015-01-17)
+- Release v1.0.13 / npm@v1.0.13
+- update dotfiles and jscs rules
+- revert back `filesKey` option
+
+
+<a name="1.0.12"></a>
+## [1.0.12](https://github.com/tunnckocore/koa-better-body/compare/v1.0.11...v1.0.12) (2014-11-27)
+- Release v1.0.12 / npm@v1.0.12
+- bump to `jscs >= 1.8.0` and `jscs-doc >= 0.2.0`
+- update semver range
+
+
+<a name="1.0.11"></a>
+## [1.0.11](https://github.com/tunnckocore/koa-better-body/compare/v1.0.10...v1.0.11) (2014-11-27)
+- Release v1.0.11 / npm@v1.0.11
+- fix code style collisions
+
+
+<a name="1.0.10"></a>
+## [1.0.10](https://github.com/tunnckocore/koa-better-body/compare/v1.0.9...v1.0.10) (2014-11-27)
+- Release v1.0.10 / npm@v1.0.10
+- docs, readme, coveralls
+- edit safeContext in `.jscsrc`
+
+
+<a name="1.0.9"></a>
+## [1.0.9](https://github.com/tunnckocore/koa-better-body/compare/v1.0.8...v1.0.9) (2014-11-27)
+- Release v1.0.9 / npm@v1.0.9
+- bump `jscs-jsdoc` to `v0.1.0`
+- update jscs config `.jscsrc`
+
+
+<a name="1.0.8"></a>
+## [1.0.8](https://github.com/tunnckocore/koa-better-body/compare/v1.0.7...v1.0.8) (2014-11-26)
+- Release v1.0.8 / npm@v1.0.8
+- normalize (dot)files
+- update all to apply jshint/jscs code style
+  - add .jscsrc and .jshintignore
+- update makefile and scripts in package.json
+
+
+<a name="1.0.7"></a>
+## [1.0.7](https://github.com/tunnckocore/koa-better-body/compare/v1.0.6...v1.0.7) (2014-10-26)
+- Release v1.0.7 / npm@v1.0.7
+- update names of some tests (rfc7231) "Request Entity Too Large" -> "Payload Too Large"
+- add doc blocks
+
+
+<a name="1.0.6"></a>
+## [1.0.6](https://github.com/tunnckocore/koa-better-body/compare/v1.0.5...v1.0.6) (2014-10-25)
+- Release v1.0.6 / npm@v1.0.6
+- update automation
+- improve code coverage
+- add Makefile
+- add `npm run` scripts
+
+
+<a name="1.0.5"></a>
+## [1.0.5](https://github.com/tunnckocore/koa-better-body/compare/v1.0.4...v1.0.5) (2014-10-25)
+- Release v1.0.5 / npm@v1.0.5
+- add support for `application/csp-report` header (fixes #3) ref: https://mathiasbynens.be/notes/csp-reports
+- add complete name of the request headers to not lead to conflicts
+
+
+<a name="1.0.4"></a>
+## [1.0.4](https://github.com/tunnckocore/koa-better-body/compare/v1.0.3...v1.0.4) (2014-10-21)
+- Release v1.0.4 / npm@v1.0.4
+- add `fieldsKey` optional options property (closes https://github.com/tunnckoCore/koa-better-body/issues/1) that allows custom key name if string, or false if you want field's to be in the `.body` not in `.body.fields`
+
+
+<a name="1.0.3"></a>
+## [1.0.3](https://github.com/tunnckocore/koa-better-body/compare/v1.0.0...v1.0.3) (2014-07-03)
+- Release v1.0.3 / npm@v1.0.3
+- Pretty styling
+- auto badges
+- add history
+- add [`extend`][extend-url], because of options merging bug.
+- add better tests - only 7, for all use cases.
+- need suggestions for `error 413` handling, maybe [`raw-body`][rawbody-url] problem/logic?
+- when upload, always returned type is `application/octet-stream`, not `image/png`, `image/gif`, etc - maybe [`formidable`][formidable-url] problem/logic?
+- deprecation message also comes from `formidable`
+- ~~always `json` and `urlencoded` bodies will be pushed to request `.body.fields` object.~~ (fixed in v1.0.4)
+
+
+## 1.0.0 (2014-06-08)
+- Release v1.0.0 / npm@v1.0.0
+- initial release
+
+
+## 0.0.0 (2014-06-08)
+- Initial commits
\ No newline at end of file
diff --git a/node_modules/koa-better-body/LICENSE b/node_modules/koa-better-body/LICENSE
new file mode 100644
index 0000000..9c4eeb1
--- /dev/null
+++ b/node_modules/koa-better-body/LICENSE
@@ -0,0 +1,21 @@
+The MIT License (MIT)
+
+Copyright (c) 2014-2016 Charlike Mike Reagent
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
+SOFTWARE.
\ No newline at end of file
diff --git a/node_modules/koa-better-body/README.md b/node_modules/koa-better-body/README.md
new file mode 100644
index 0000000..43a8b75
--- /dev/null
+++ b/node_modules/koa-better-body/README.md
@@ -0,0 +1,274 @@
+# [koa-better-body][author-www-url] [![npmjs.com][npmjs-img]][npmjs-url] [![The MIT License][license-img]][license-url] [![npm downloads][downloads-img]][downloads-url] 
+
+> Full-featured [koa][] body parser! Support parsing text, buffer, json, json patch, json api, csp-report, multipart, form and urlencoded bodies. Works for koa@1, koa@2 and will work for koa@3.
+
+[![code climate][codeclimate-img]][codeclimate-url] [![standard code style][standard-img]][standard-url] [![travis build status][travis-img]][travis-url] [![coverage status][coveralls-img]][coveralls-url] [![dependency status][david-img]][david-url]
+
+You might also be interested in our [recipes](./recipes) - working examples, answers, tips & tricks. [Contribute a recipe?](#contributing-recipes)
+
+## Install
+```
+npm i koa-better-body --save
+```
+
+## Features
+- Work for `koa@1` and `koa@2` (with deprecation messages), will also work in `koa@3` with [koa-convert][]
+- Totally flexible through `options` and absolutely lightweight using [lazy-cache][]
+- Accept few JSON types
+- Accept [JSON Patch [RFC6902]](https://tools.ietf.org/html/rfc6902) ([koajs/bodyparser#8](https://github.com/koajs/bodyparser/pull/8))
+- Accept [JSON API v1](http://jsonapi.org/) ([koajs/bodyparser#7](https://github.com/koajs/bodyparser/pull/7))
+- Accept [JSON csp-report](https://mathiasbynens.be/notes/csp-reports) ([#3](https://github.com/tunnckoCore/koa-better-body/issues/3))
+- Accept text and buffer bodies
+- Accept urlencoded and forms bodies
+- Accept multipart form data files and fields
+- Can parse correctly array data from forms - e.g. multiple fields to have same name - [dlau/koa-body#15](https://github.com/dlau/koa-body/pull/15)
+- Can parse correctly forms that accept multiple files - see [#26](https://github.com/tunnckoCore/koa-better-body/issues/26) and [dlau/koa-body#15](https://github.com/dlau/koa-body/pull/15)
+- Strict mode by default - see why on [IETF Message Semantics: Section 6.1](https://tools.ietf.org/html/draft-ietf-httpbis-p2-semantics-19#section-6.1)
+- Custom JSON request detect function - [koajs/bodyparser#f6a5ff](https://github.com/koajs/bodyparser/commit/f6a5ff7ef6162702540b101de5dde71ee5ad19cd)
+- Custom error handling function - [koajs/bodyparser#19418129](https://github.com/koajs/bodyparser/commit/194181298fe3bffce6b5fcf3cfebc35b8cda6c89)
+- Extending types of request that your app can accept - [koajs/bodyparser#ba7479b](https://github.com/koajs/bodyparser/commit/ba7479baf893fc3391fcdb88d3d8173ac4df05e7)
+- Using awesome [formidable][] package - [„battle-tested against hundreds of GB of file uploads“](https://github.com/felixge/node-formidable#current-status)
+- Passing a custom `formidable.IncomingForm` instance, allowing awesome customization
+- Passing all options to `formidable.IncomingForm`, allowing awesome control
+
+## Usage
+> For more use-cases see the [tests](./test.js)
+
+```js
+const koaBetterBody = require('koa-better-body')
+```
+
+## Working with [koa-router][] and [koa-better-router](https://github.com/tunnckoCore/koa-better-router)
+
+```js
+'use strict'
+
+var app = require('koa')()
+var body = require('koa-better-body')
+var router = require('koa-better-router')().loadMethods()
+
+router.post('/upload', body(), function * (next) {
+  console.log(this.request.files)
+  console.log(this.request.fields)
+
+  // there's no `.body` when `multipart`,
+  // `urlencoded` or `json` request
+  console.log(this.request.body)
+
+  // print it to the API requester
+  this.body = JSON.stringify({
+    fields: this.request.fields,
+    files: this.request.files,
+    body: this.request.body || null
+  }, null, 2)
+
+  yield next
+})
+
+app.use(router.middleware())
+app.listen(4292)
+
+var format = require('util').format
+var host = 'http://localhost:4292'
+var cmd = 'curl -i %s/upload -F "source=@%s/.editorconfig"'
+
+console.log('Try it out with below CURL for `koa-better-body` repository.')
+console.log(format(cmd, host, __dirname))
+```
+
+### [koaBetterBody](index.js#L40)
+> Robust body parser for [koa][]@1, also works for `koa@2` (with deprecations). Will also work for future `koa@3` with [koa-convert][].
+
+**Params**
+
+* `options` **{Object}**: see more on [options section](#options)    
+* `returns` **{GeneratorFunction}**  
+
+**Example**
+
+```js
+var koa = require('koa')
+var body = require('koa-better-body')
+var app = koa()
+
+app
+  .use(body())
+  .use(function * () {
+    console.log(this.request.body)    // if buffer or text
+    console.log(this.request.files)   // if multipart or urlencoded
+    console.log(this.request.fields)  // if json
+  })
+  .listen(8080, function () {
+    console.log('koa server start listening on port 8080')
+  })
+```
+
+## Options
+Sane defaults. :sparkles:
+
+Accepts JSON, [JSON API v1](http://jsonapi.org/), text, buffer, [csp-report](https://mathiasbynens.be/notes/csp-reports), multipart and urlencoded/form bodies. If you want to disallow accepting and parsing multipart body you should pass `multipart: false`. Most of the defaults you can see at [utils.defaultOptions and utils.defaultTypes](./utils.js). **All `options` are also been passed to [formidable][].IncomingForm!** Even you can pass IncomingForm instance to be able to handle the different formidable events.
+
+- `fields` **{Boolean|String}**: Default `false`, which means it will set fields on `this.request.fields`. If you pass a string, for example `'foo'`, you will have fields on `this.request.foo`.
+- `files` **{Boolean|String}**: Default `false`, which means it will set files on `this.request.files`. If you pass a string, for example `'bar'`, you will have files on `this.request.bar`.
+- `multipart` **{Boolean}**: Default `true`. If you pass `false` it won't accept/parse multipart bodies.
+- `textLimit` **{String}**: Default `'100kb'`. Passed to [bytes][].parse method.
+- `formLimit` **{String}**: Default `'100kb'`. Passed to [bytes][].parse method.
+- `urlencodedLimit` **{String}**: Default `'100kb'`. Alias of `opts.formLimit`.
+- `jsonLimit` **{String}**: Default `'100kb'`. Passed to [bytes][].parse method.
+- `bufferLimit` **{String}**: Default `'1mb'`. Passed to [bytes][].parse method.
+- `jsonStrict` **{Boolean}**: Default `true`. When set to true, JSON parser will only accept arrays and objects.
+- `detectJSON` **{Function}**: Custom JSON request detect function - `detectJSON(ctx)`.
+- `strict` **{Boolean}**: Default `true`. Pass `false` if you want to allow parsing GET, DELETE and HEAD requests.
+- `onerror` **{Function}**: Custom error handle, if throw an error, you can customize the response - `onerror(err, ctx)`.
+- `extendTypes` **{Object}**: Default accepting types can find on [utils.defaultTypes function](./utils.js#L97-L119). Allowing you to extend what your app can accept. By default works for JSON, [JSON API v1](http://jsonapi.org/), multipart, text, urlencoded and [csp-report](https://mathiasbynens.be/notes/csp-reports).
+- `IncomingForm` **{IncomingForm}**: Pass an instance of `formidable.IncomingForm` to be able to handle formidable events.
+- `handler` **{GeneratorFunction}**: Works with `options.extendTypes.custom` to handle custom types of content-type - `handler(ctx, options, next)`. More info below.
+- `querystring` **{Object}**: Querystring module to be used. By default builtin [`querystring`](https://nodejs.org/api/querystring.html). More info below.
+- `qs` **{Object}**: Alias of `opts.querystring`. All `opts` are also passed to [qs][] or [querystring module](https://nodejs.org/api/querystring.html).
+- `delimiter` **{String}**: Default is `&`. Delimiter of key/value pairs, passed to querystring lib
+- `sep` **{String}**: alias of `opts.delimiter`
+- `buffer` **{Boolean}**: Default `false`, pass `true` if you want to get body as buffer.
+
+## Note about `options.extendTypes`
+
+ExandTypes option gives you a flexible way to handle different content-types and modify the defaults which can be found [at utils.defaultTypes function](./utils.js#L97-L119). In addition you can pass combination of `options.extendTypes.custom` and `options.handler`. When the request has some of the "custom" content type, this middleware will call the `handler` **generator** function with `ctx, options, next`. You can see more at [issue #52](https://github.com/tunnckoCore/koa-better-body/issues/52).
+
+For example manually handle such content types `foo/bar-x`, `text/quix`:
+
+```js
+const app = require('koa')()
+const body = require('koa-better-body')
+
+app.use(body({
+  textLimit: '300kb'
+  extendTypes: {
+    custom: [
+      'foo/bar-x',
+      'text/quix'
+    ]
+  },
+  handler: function * (ctx, opts) {
+    // `ctx` is equal to `this` and `app`
+    // `opts` is current options object
+    // passed to `koa-better-body`
+    ctx.body = yield this.request.text(opts.textLimit)
+  }
+}))
+app.use(function * showBody () {
+  // `this.body` is text
+  console.log(this.body)
+})
+```
+
+## Note about advanced `querystring` parsing
+Because this middleware is fully based and integrated with [koa-body-parsers][], by default it uses Node's built-in module for that thing [querystring](https://nodejs.org/api/querystring.html). So if you have some issues with forms, think to add custom querystring module like [qs][] to `options.querystring` or `app.querystring`. Related to this is [issue #45](https://github.com/tunnckoCore/koa-better-body/issues/45).
+
+**Example**
+
+```js
+const app = require('koa')()
+const body = require('koa-better-body')
+
+app.use(body({
+  multipart: false
+  querystring: require('qs')
+}))
+```
+
+It's intentional that it's not included in the deps by default. In `v2` it was also working by passing it to `app.querystring`, because [koa-body-parsers][] works [that way (index.js#L53)](https://github.com/koajs/body-parsers/blob/master/index.js#L53).
+
+## Note about `strict` mode
+We are trying to follow standards. :cat2:
+
+You can pass `strict:false`, but see [IETF HTTP/1.1 Message Semantics: Section 6.1](https://tools.ietf.org/html/draft-ietf-httpbis-p2-semantics-19#section-6.1) to understand why we stay to _"strict mode"_ by default. GET, HEAD, and DELETE requests have no defined semantics for the request body, but this doesn't mean they may not be valid in certain use cases. Last two tests at [test/options.js](./test/options.js) are showing usage on non-strict and strict mode. 
+
+## Related
+You might also be interested in these packages:
+- [formidable](https://www.npmjs.com/package/formidable): A node.js module for parsing form data, especially file uploads. | [homepage](https://github.com/felixge/node-formidable "A node.js module for parsing form data, especially file uploads.")
+- [ip-filter](https://www.npmjs.com/package/ip-filter): Validates valid IPs (IPv4 and IPv6) using [micromatch][] - glob patterns, RegExp, string or… [more](https://github.com/tunnckocore/ip-filter#readme) | [homepage](https://github.com/tunnckocore/ip-filter#readme "Validates valid IPs (IPv4 and IPv6) using [micromatch][] - glob patterns, RegExp, string or array of globs. If match returns the IP, otherwise null.")
+- [koa-body-parsers](https://www.npmjs.com/package/koa-body-parsers): collection of koa body parsers | [homepage](https://github.com/koajs/body-parsers#readme "collection of koa body parsers")
+- [koa-bodyparser](https://www.npmjs.com/package/koa-bodyparser): a body parser for koa | [homepage](https://github.com/koajs/body-parser "a body parser for koa")
+- [koa-ip-filter](https://www.npmjs.com/package/koa-ip-filter): Middleware for [koa][] that filters IPs against glob patterns, RegExp, string or array of… [more](https://github.com/tunnckocore/koa-ip-filter#readme) | [homepage](https://github.com/tunnckocore/koa-ip-filter#readme "Middleware for [koa][] that filters IPs against glob patterns, RegExp, string or array of globs. Support custom `403 Forbidden` message and custom ID.")
+- [koa](https://www.npmjs.com/package/koa): Koa web app framework | [homepage](https://github.com/koajs/koa#readme "Koa web app framework")
+- [koala](https://www.npmjs.com/package/koala): Koa Framework Suite | [homepage](https://github.com/koajs/koala#readme "Koa Framework Suite")
+
+## Contributing
+Pull requests and stars are always welcome. For bugs and feature requests, [please create an issue](https://github.com/tunnckoCore/koa-better-body/issues/new).  
+But before doing anything, please read the [CONTRIBUTING.md](./CONTRIBUTING.md) guidelines.
+
+### Contributing Recipes
+Recipes are just different use cases, written in form of README in human language. Showing some "Pro Tips" and tricks, answering common questions and so on. They look like [tests](./test.js), but in more readable and understandable way for humans - mostly for beginners that not reads or understand enough the README or API and tests.
+
+- They are in form of folders in the root [`recipes/`](./recipes) folder: for example `recipes/[short-meaningful-recipe-name]/`.
+- In recipe folder should exist `README.md` file: see [recipes/multipart/README.md](./recipes/multipart/README.md).
+- The examples from the recipe README.md should also exist as separate `.js` files.
+- Examples in recipe folder also should be working and actual.
+
+It would be great if you follow these steps when you want to _fix, update or create_ a recipes. :sunglasses:
+
+- Title for recipe idea should start with `[recipe]`: for example`[recipe] my awesome recipe`
+- Title for new recipe (PR) should also start with `[recipe]`.
+- Titles of Pull Requests or Issues for fixing/updating some existing recipes should start with `[recipe-fix]`.
+
+It will help a lot, thanks in advance! :yum:
+
+## [Charlike Make Reagent](http://j.mp/1stW47C) [![new message to charlike][new-message-img]][new-message-url] [![freenode #charlike][freenode-img]][freenode-url]
+
+[![tunnckoCore.tk][author-www-img]][author-www-url] [![keybase tunnckoCore][keybase-img]][keybase-url] [![tunnckoCore npm][author-npm-img]][author-npm-url] [![tunnckoCore twitter][author-twitter-img]][author-twitter-url] [![tunnckoCore github][author-github-img]][author-github-url]
+
+[bytes]: https://github.com/visionmedia/bytes.js
+[formidable]: https://github.com/felixge/node-formidable
+[koa-body-parsers]: https://github.com/koajs/body-parsers
+[koa-convert]: https://github.com/gyson/koa-convert
+[koa-router]: https://github.com/alexmingoia/koa-router
+[koa]: https://github.com/koajs/koa
+[lazy-cache]: https://github.com/jonschlinkert/lazy-cache
+[micromatch]: https://github.com/jonschlinkert/micromatch
+[qs]: https://github.com/ljharb/qs
+[raw-body]: https://github.com/stream-utils/raw-body
+
+[npmjs-url]: https://www.npmjs.com/package/koa-better-body
+[npmjs-img]: https://img.shields.io/npm/v/koa-better-body.svg?label=koa-better-body
+
+[license-url]: https://github.com/tunnckoCore/koa-better-body/blob/master/LICENSE
+[license-img]: https://img.shields.io/npm/l/koa-better-body.svg
+
+[downloads-url]: https://www.npmjs.com/package/koa-better-body
+[downloads-img]: https://img.shields.io/npm/dm/koa-better-body.svg
+
+[codeclimate-url]: https://codeclimate.com/github/tunnckoCore/koa-better-body
+[codeclimate-img]: https://img.shields.io/codeclimate/github/tunnckoCore/koa-better-body.svg
+
+[travis-url]: https://travis-ci.org/tunnckoCore/koa-better-body
+[travis-img]: https://img.shields.io/travis/tunnckoCore/koa-better-body/master.svg
+
+[coveralls-url]: https://coveralls.io/r/tunnckoCore/koa-better-body
+[coveralls-img]: https://img.shields.io/coveralls/tunnckoCore/koa-better-body.svg
+
+[david-url]: https://david-dm.org/tunnckoCore/koa-better-body
+[david-img]: https://img.shields.io/david/tunnckoCore/koa-better-body.svg
+
+[standard-url]: https://github.com/feross/standard
+[standard-img]: https://img.shields.io/badge/code%20style-standard-brightgreen.svg
+
+[author-www-url]: http://www.tunnckocore.tk
+[author-www-img]: https://img.shields.io/badge/www-tunnckocore.tk-fe7d37.svg
+
+[keybase-url]: https://keybase.io/tunnckocore
+[keybase-img]: https://img.shields.io/badge/keybase-tunnckocore-8a7967.svg
+
+[author-npm-url]: https://www.npmjs.com/~tunnckocore
+[author-npm-img]: https://img.shields.io/badge/npm-~tunnckocore-cb3837.svg
+
+[author-twitter-url]: https://twitter.com/tunnckoCore
+[author-twitter-img]: https://img.shields.io/badge/twitter-@tunnckoCore-55acee.svg
+
+[author-github-url]: https://github.com/tunnckoCore
+[author-github-img]: https://img.shields.io/badge/github-@tunnckoCore-4183c4.svg
+
+[freenode-url]: http://webchat.freenode.net/?channels=charlike
+[freenode-img]: https://img.shields.io/badge/freenode-%23charlike-5654a4.svg
+
+[new-message-url]: https://github.com/tunnckoCore/ama
+[new-message-img]: https://img.shields.io/badge/ask%20me-anything-green.svg
+
diff --git a/node_modules/koa-better-body/index.js b/node_modules/koa-better-body/index.js
new file mode 100644
index 0000000..b24b95c
--- /dev/null
+++ b/node_modules/koa-better-body/index.js
@@ -0,0 +1,58 @@
+/*!
+ * koa-better-body <https://github.com/tunnckoCore/koa-better-body>
+ *
+ * Copyright (c) 2014-2016 Charlike Mike Reagent <@tunnckoCore> (http://www.tunnckocore.tk)
+ * Released under the MIT license.
+ */
+
+'use strict'
+
+var utils = require('./utils')
+
+/**
+ * > Robust body parser for [koa][]@1, also works for `koa@2` (with deprecations).
+ * Will also work for future `koa@3` with [koa-convert][].
+ *
+ * **Example**
+ *
+ * ```js
+ * var koa = require('koa')
+ * var body = require('koa-better-body')
+ * var app = koa()
+ *
+ * app
+ *   .use(body())
+ *   .use(function * () {
+ *     console.log(this.request.body)    // if buffer or text
+ *     console.log(this.request.files)   // if multipart or urlencoded
+ *     console.log(this.request.fields)  // if json
+ *   })
+ *   .listen(8080, function () {
+ *     console.log('koa server start listening on port 8080')
+ *   })
+ * ```
+ *
+ * @param  {Object} `options` see more on [options section](#options)
+ * @return {GeneratorFunction}
+ * @api public
+ */
+
+module.exports = function koaBetterBody (options) {
+  options = utils.defaultOptions(options)
+
+  return function * plugin (next) {
+    if (options.strict && !utils.isValid(this.method)) {
+      return yield * next
+    }
+
+    try {
+      utils.setParsers(this, options)
+      yield * utils.parseBody(this, options, next)
+    } catch (err) {
+      if (!options.onerror) throw err
+      options.onerror(err, this)
+    }
+
+    yield * next
+  }
+}
diff --git a/node_modules/koa-better-body/package.json b/node_modules/koa-better-body/package.json
new file mode 100644
index 0000000..62a19e7
--- /dev/null
+++ b/node_modules/koa-better-body/package.json
@@ -0,0 +1,206 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "koa-better-body",
+        "scope": null,
+        "escapedName": "koa-better-body",
+        "name": "koa-better-body",
+        "rawSpec": "",
+        "spec": "latest",
+        "type": "tag"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project"
+    ]
+  ],
+  "_from": "koa-better-body@latest",
+  "_id": "koa-better-body@3.0.4",
+  "_inCache": true,
+  "_location": "/koa-better-body",
+  "_nodeVersion": "8.1.4",
+  "_npmOperationalInternal": {
+    "host": "s3://npm-registry-packages",
+    "tmp": "tmp/koa-better-body-3.0.4.tgz_1500215558282_0.5147535579744726"
+  },
+  "_npmUser": {
+    "name": "tunnckocore",
+    "email": "mameto_100@mail.bg"
+  },
+  "_npmVersion": "5.0.3",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "koa-better-body",
+    "scope": null,
+    "escapedName": "koa-better-body",
+    "name": "koa-better-body",
+    "rawSpec": "",
+    "spec": "latest",
+    "type": "tag"
+  },
+  "_requiredBy": [
+    "#USER",
+    "/"
+  ],
+  "_resolved": "https://registry.npmjs.org/koa-better-body/-/koa-better-body-3.0.4.tgz",
+  "_shasum": "de49f544e4d6e1d9858f6c4880aedf2b8ac88759",
+  "_shrinkwrap": null,
+  "_spec": "koa-better-body",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project",
+  "author": {
+    "name": "Charlike Mike Reagent",
+    "email": "@tunnckoCore",
+    "url": "http://www.tunnckocore.tk"
+  },
+  "bugs": {
+    "url": "https://github.com/tunnckoCore/koa-better-body/issues"
+  },
+  "config": {
+    "commitizen": {
+      "path": "./node_modules/cz-conventional-changelog"
+    }
+  },
+  "dependencies": {
+    "extend-shallow": "^2.0.1",
+    "formidable": "^1.0.17",
+    "koa-body-parsers": "git+https://github.com/tunnckoCore/body-parsers.git"
+  },
+  "description": "Full-featured [koa][] body parser! Support parsing text, buffer, json, json patch, json api, csp-report, multipart, form and urlencoded bodies. Works for koa@1, koa@2 and will work for koa@3.",
+  "devDependencies": {
+    "commitizen": "^2.8.6",
+    "coveralls": "^2.11.12",
+    "cz-conventional-changelog": "^1.2.0",
+    "eslint": "^4.2.0",
+    "is-buffer": "^1.1.3",
+    "koa": "^1.2.4",
+    "koa-route": "^2.4.2",
+    "mukla": "^0.4.1",
+    "npm-run-all": "^4.0.2",
+    "nyc": "^8.1.0",
+    "pre-commit": "^1.1.3",
+    "qs": "^6.2.1",
+    "standard": "^10.0.2",
+    "standard-version": "^2.4.0",
+    "supertest": "^2.0.0"
+  },
+  "directories": {},
+  "dist": {
+    "integrity": "sha512-A1w/J5R1SR1RHwnX9xffJpIdAIXRpxflfBpZ/9Osw11ei428bm2mgmnJwEkoPoobiqdRfs54J7l6LjWMC8qk/Q==",
+    "shasum": "de49f544e4d6e1d9858f6c4880aedf2b8ac88759",
+    "tarball": "https://registry.npmjs.org/koa-better-body/-/koa-better-body-3.0.4.tgz"
+  },
+  "files": [
+    "index.js",
+    "utils.js"
+  ],
+  "gitHead": "fdfd3819498102342d99e420d5bfb4349954572c",
+  "homepage": "https://github.com/tunnckoCore/koa-better-body#readme",
+  "keywords": [
+    "api",
+    "awesome",
+    "better",
+    "body",
+    "body-parser",
+    "buffer",
+    "csp",
+    "csp-report",
+    "error",
+    "error-handling",
+    "extendable",
+    "feature",
+    "features",
+    "flexible",
+    "form",
+    "forms",
+    "full",
+    "full-feature",
+    "handling",
+    "json",
+    "json-api",
+    "json-patch",
+    "json-strict",
+    "jsonstrict",
+    "koa",
+    "koa-better-body",
+    "multipart",
+    "parse",
+    "parser",
+    "patch",
+    "report",
+    "rfc",
+    "standard",
+    "strict",
+    "text",
+    "unopinionated",
+    "urlencoded"
+  ],
+  "license": "MIT",
+  "main": "index.js",
+  "maintainers": [
+    {
+      "name": "tunnckocore",
+      "email": "mameto_100@mail.bg"
+    }
+  ],
+  "name": "koa-better-body",
+  "nyc": {
+    "check-coverage": true,
+    "statements": 100,
+    "functions": 90,
+    "branches": 88,
+    "lines": 100
+  },
+  "optionalDependencies": {},
+  "readme": "# [koa-better-body][author-www-url] [![npmjs.com][npmjs-img]][npmjs-url] [![The MIT License][license-img]][license-url] [![npm downloads][downloads-img]][downloads-url] \n\n> Full-featured [koa][] body parser! Support parsing text, buffer, json, json patch, json api, csp-report, multipart, form and urlencoded bodies. Works for koa@1, koa@2 and will work for koa@3.\n\n[![code climate][codeclimate-img]][codeclimate-url] [![standard code style][standard-img]][standard-url] [![travis build status][travis-img]][travis-url] [![coverage status][coveralls-img]][coveralls-url] [![dependency status][david-img]][david-url]\n\nYou might also be interested in our [recipes](./recipes) - working examples, answers, tips & tricks. [Contribute a recipe?](#contributing-recipes)\n\n## Install\n```\nnpm i koa-better-body --save\n```\n\n## Features\n- Work for `koa@1` and `koa@2` (with deprecation messages), will also work in `koa@3` with [koa-convert][]\n- Totally flexible through `options` and absolutely lightweight using [lazy-cache][]\n- Accept few JSON types\n- Accept [JSON Patch [RFC6902]](https://tools.ietf.org/html/rfc6902) ([koajs/bodyparser#8](https://github.com/koajs/bodyparser/pull/8))\n- Accept [JSON API v1](http://jsonapi.org/) ([koajs/bodyparser#7](https://github.com/koajs/bodyparser/pull/7))\n- Accept [JSON csp-report](https://mathiasbynens.be/notes/csp-reports) ([#3](https://github.com/tunnckoCore/koa-better-body/issues/3))\n- Accept text and buffer bodies\n- Accept urlencoded and forms bodies\n- Accept multipart form data files and fields\n- Can parse correctly array data from forms - e.g. multiple fields to have same name - [dlau/koa-body#15](https://github.com/dlau/koa-body/pull/15)\n- Can parse correctly forms that accept multiple files - see [#26](https://github.com/tunnckoCore/koa-better-body/issues/26) and [dlau/koa-body#15](https://github.com/dlau/koa-body/pull/15)\n- Strict mode by default - see why on [IETF Message Semantics: Section 6.1](https://tools.ietf.org/html/draft-ietf-httpbis-p2-semantics-19#section-6.1)\n- Custom JSON request detect function - [koajs/bodyparser#f6a5ff](https://github.com/koajs/bodyparser/commit/f6a5ff7ef6162702540b101de5dde71ee5ad19cd)\n- Custom error handling function - [koajs/bodyparser#19418129](https://github.com/koajs/bodyparser/commit/194181298fe3bffce6b5fcf3cfebc35b8cda6c89)\n- Extending types of request that your app can accept - [koajs/bodyparser#ba7479b](https://github.com/koajs/bodyparser/commit/ba7479baf893fc3391fcdb88d3d8173ac4df05e7)\n- Using awesome [formidable][] package - [„battle-tested against hundreds of GB of file uploads“](https://github.com/felixge/node-formidable#current-status)\n- Passing a custom `formidable.IncomingForm` instance, allowing awesome customization\n- Passing all options to `formidable.IncomingForm`, allowing awesome control\n\n## Usage\n> For more use-cases see the [tests](./test.js)\n\n```js\nconst koaBetterBody = require('koa-better-body')\n```\n\n## Working with [koa-router][] and [koa-better-router](https://github.com/tunnckoCore/koa-better-router)\n\n```js\n'use strict'\n\nvar app = require('koa')()\nvar body = require('koa-better-body')\nvar router = require('koa-better-router')().loadMethods()\n\nrouter.post('/upload', body(), function * (next) {\n  console.log(this.request.files)\n  console.log(this.request.fields)\n\n  // there's no `.body` when `multipart`,\n  // `urlencoded` or `json` request\n  console.log(this.request.body)\n\n  // print it to the API requester\n  this.body = JSON.stringify({\n    fields: this.request.fields,\n    files: this.request.files,\n    body: this.request.body || null\n  }, null, 2)\n\n  yield next\n})\n\napp.use(router.middleware())\napp.listen(4292)\n\nvar format = require('util').format\nvar host = 'http://localhost:4292'\nvar cmd = 'curl -i %s/upload -F \"source=@%s/.editorconfig\"'\n\nconsole.log('Try it out with below CURL for `koa-better-body` repository.')\nconsole.log(format(cmd, host, __dirname))\n```\n\n### [koaBetterBody](index.js#L40)\n> Robust body parser for [koa][]@1, also works for `koa@2` (with deprecations). Will also work for future `koa@3` with [koa-convert][].\n\n**Params**\n\n* `options` **{Object}**: see more on [options section](#options)    \n* `returns` **{GeneratorFunction}**  \n\n**Example**\n\n```js\nvar koa = require('koa')\nvar body = require('koa-better-body')\nvar app = koa()\n\napp\n  .use(body())\n  .use(function * () {\n    console.log(this.request.body)    // if buffer or text\n    console.log(this.request.files)   // if multipart or urlencoded\n    console.log(this.request.fields)  // if json\n  })\n  .listen(8080, function () {\n    console.log('koa server start listening on port 8080')\n  })\n```\n\n## Options\nSane defaults. :sparkles:\n\nAccepts JSON, [JSON API v1](http://jsonapi.org/), text, buffer, [csp-report](https://mathiasbynens.be/notes/csp-reports), multipart and urlencoded/form bodies. If you want to disallow accepting and parsing multipart body you should pass `multipart: false`. Most of the defaults you can see at [utils.defaultOptions and utils.defaultTypes](./utils.js). **All `options` are also been passed to [formidable][].IncomingForm!** Even you can pass IncomingForm instance to be able to handle the different formidable events.\n\n- `fields` **{Boolean|String}**: Default `false`, which means it will set fields on `this.request.fields`. If you pass a string, for example `'foo'`, you will have fields on `this.request.foo`.\n- `files` **{Boolean|String}**: Default `false`, which means it will set files on `this.request.files`. If you pass a string, for example `'bar'`, you will have files on `this.request.bar`.\n- `multipart` **{Boolean}**: Default `true`. If you pass `false` it won't accept/parse multipart bodies.\n- `textLimit` **{String}**: Default `'100kb'`. Passed to [bytes][].parse method.\n- `formLimit` **{String}**: Default `'100kb'`. Passed to [bytes][].parse method.\n- `urlencodedLimit` **{String}**: Default `'100kb'`. Alias of `opts.formLimit`.\n- `jsonLimit` **{String}**: Default `'100kb'`. Passed to [bytes][].parse method.\n- `bufferLimit` **{String}**: Default `'1mb'`. Passed to [bytes][].parse method.\n- `jsonStrict` **{Boolean}**: Default `true`. When set to true, JSON parser will only accept arrays and objects.\n- `detectJSON` **{Function}**: Custom JSON request detect function - `detectJSON(ctx)`.\n- `strict` **{Boolean}**: Default `true`. Pass `false` if you want to allow parsing GET, DELETE and HEAD requests.\n- `onerror` **{Function}**: Custom error handle, if throw an error, you can customize the response - `onerror(err, ctx)`.\n- `extendTypes` **{Object}**: Default accepting types can find on [utils.defaultTypes function](./utils.js#L97-L119). Allowing you to extend what your app can accept. By default works for JSON, [JSON API v1](http://jsonapi.org/), multipart, text, urlencoded and [csp-report](https://mathiasbynens.be/notes/csp-reports).\n- `IncomingForm` **{IncomingForm}**: Pass an instance of `formidable.IncomingForm` to be able to handle formidable events.\n- `handler` **{GeneratorFunction}**: Works with `options.extendTypes.custom` to handle custom types of content-type - `handler(ctx, options, next)`. More info below.\n- `querystring` **{Object}**: Querystring module to be used. By default builtin [`querystring`](https://nodejs.org/api/querystring.html). More info below.\n- `qs` **{Object}**: Alias of `opts.querystring`. All `opts` are also passed to [qs][] or [querystring module](https://nodejs.org/api/querystring.html).\n- `delimiter` **{String}**: Default is `&`. Delimiter of key/value pairs, passed to querystring lib\n- `sep` **{String}**: alias of `opts.delimiter`\n- `buffer` **{Boolean}**: Default `false`, pass `true` if you want to get body as buffer.\n\n## Note about `options.extendTypes`\n\nExandTypes option gives you a flexible way to handle different content-types and modify the defaults which can be found [at utils.defaultTypes function](./utils.js#L97-L119). In addition you can pass combination of `options.extendTypes.custom` and `options.handler`. When the request has some of the \"custom\" content type, this middleware will call the `handler` **generator** function with `ctx, options, next`. You can see more at [issue #52](https://github.com/tunnckoCore/koa-better-body/issues/52).\n\nFor example manually handle such content types `foo/bar-x`, `text/quix`:\n\n```js\nconst app = require('koa')()\nconst body = require('koa-better-body')\n\napp.use(body({\n  textLimit: '300kb'\n  extendTypes: {\n    custom: [\n      'foo/bar-x',\n      'text/quix'\n    ]\n  },\n  handler: function * (ctx, opts) {\n    // `ctx` is equal to `this` and `app`\n    // `opts` is current options object\n    // passed to `koa-better-body`\n    ctx.body = yield this.request.text(opts.textLimit)\n  }\n}))\napp.use(function * showBody () {\n  // `this.body` is text\n  console.log(this.body)\n})\n```\n\n## Note about advanced `querystring` parsing\nBecause this middleware is fully based and integrated with [koa-body-parsers][], by default it uses Node's built-in module for that thing [querystring](https://nodejs.org/api/querystring.html). So if you have some issues with forms, think to add custom querystring module like [qs][] to `options.querystring` or `app.querystring`. Related to this is [issue #45](https://github.com/tunnckoCore/koa-better-body/issues/45).\n\n**Example**\n\n```js\nconst app = require('koa')()\nconst body = require('koa-better-body')\n\napp.use(body({\n  multipart: false\n  querystring: require('qs')\n}))\n```\n\nIt's intentional that it's not included in the deps by default. In `v2` it was also working by passing it to `app.querystring`, because [koa-body-parsers][] works [that way (index.js#L53)](https://github.com/koajs/body-parsers/blob/master/index.js#L53).\n\n## Note about `strict` mode\nWe are trying to follow standards. :cat2:\n\nYou can pass `strict:false`, but see [IETF HTTP/1.1 Message Semantics: Section 6.1](https://tools.ietf.org/html/draft-ietf-httpbis-p2-semantics-19#section-6.1) to understand why we stay to _\"strict mode\"_ by default. GET, HEAD, and DELETE requests have no defined semantics for the request body, but this doesn't mean they may not be valid in certain use cases. Last two tests at [test/options.js](./test/options.js) are showing usage on non-strict and strict mode. \n\n## Related\nYou might also be interested in these packages:\n- [formidable](https://www.npmjs.com/package/formidable): A node.js module for parsing form data, especially file uploads. | [homepage](https://github.com/felixge/node-formidable \"A node.js module for parsing form data, especially file uploads.\")\n- [ip-filter](https://www.npmjs.com/package/ip-filter): Validates valid IPs (IPv4 and IPv6) using [micromatch][] - glob patterns, RegExp, string or… [more](https://github.com/tunnckocore/ip-filter#readme) | [homepage](https://github.com/tunnckocore/ip-filter#readme \"Validates valid IPs (IPv4 and IPv6) using [micromatch][] - glob patterns, RegExp, string or array of globs. If match returns the IP, otherwise null.\")\n- [koa-body-parsers](https://www.npmjs.com/package/koa-body-parsers): collection of koa body parsers | [homepage](https://github.com/koajs/body-parsers#readme \"collection of koa body parsers\")\n- [koa-bodyparser](https://www.npmjs.com/package/koa-bodyparser): a body parser for koa | [homepage](https://github.com/koajs/body-parser \"a body parser for koa\")\n- [koa-ip-filter](https://www.npmjs.com/package/koa-ip-filter): Middleware for [koa][] that filters IPs against glob patterns, RegExp, string or array of… [more](https://github.com/tunnckocore/koa-ip-filter#readme) | [homepage](https://github.com/tunnckocore/koa-ip-filter#readme \"Middleware for [koa][] that filters IPs against glob patterns, RegExp, string or array of globs. Support custom `403 Forbidden` message and custom ID.\")\n- [koa](https://www.npmjs.com/package/koa): Koa web app framework | [homepage](https://github.com/koajs/koa#readme \"Koa web app framework\")\n- [koala](https://www.npmjs.com/package/koala): Koa Framework Suite | [homepage](https://github.com/koajs/koala#readme \"Koa Framework Suite\")\n\n## Contributing\nPull requests and stars are always welcome. For bugs and feature requests, [please create an issue](https://github.com/tunnckoCore/koa-better-body/issues/new).  \nBut before doing anything, please read the [CONTRIBUTING.md](./CONTRIBUTING.md) guidelines.\n\n### Contributing Recipes\nRecipes are just different use cases, written in form of README in human language. Showing some \"Pro Tips\" and tricks, answering common questions and so on. They look like [tests](./test.js), but in more readable and understandable way for humans - mostly for beginners that not reads or understand enough the README or API and tests.\n\n- They are in form of folders in the root [`recipes/`](./recipes) folder: for example `recipes/[short-meaningful-recipe-name]/`.\n- In recipe folder should exist `README.md` file: see [recipes/multipart/README.md](./recipes/multipart/README.md).\n- The examples from the recipe README.md should also exist as separate `.js` files.\n- Examples in recipe folder also should be working and actual.\n\nIt would be great if you follow these steps when you want to _fix, update or create_ a recipes. :sunglasses:\n\n- Title for recipe idea should start with `[recipe]`: for example`[recipe] my awesome recipe`\n- Title for new recipe (PR) should also start with `[recipe]`.\n- Titles of Pull Requests or Issues for fixing/updating some existing recipes should start with `[recipe-fix]`.\n\nIt will help a lot, thanks in advance! :yum:\n\n## [Charlike Make Reagent](http://j.mp/1stW47C) [![new message to charlike][new-message-img]][new-message-url] [![freenode #charlike][freenode-img]][freenode-url]\n\n[![tunnckoCore.tk][author-www-img]][author-www-url] [![keybase tunnckoCore][keybase-img]][keybase-url] [![tunnckoCore npm][author-npm-img]][author-npm-url] [![tunnckoCore twitter][author-twitter-img]][author-twitter-url] [![tunnckoCore github][author-github-img]][author-github-url]\n\n[bytes]: https://github.com/visionmedia/bytes.js\n[formidable]: https://github.com/felixge/node-formidable\n[koa-body-parsers]: https://github.com/koajs/body-parsers\n[koa-convert]: https://github.com/gyson/koa-convert\n[koa-router]: https://github.com/alexmingoia/koa-router\n[koa]: https://github.com/koajs/koa\n[lazy-cache]: https://github.com/jonschlinkert/lazy-cache\n[micromatch]: https://github.com/jonschlinkert/micromatch\n[qs]: https://github.com/ljharb/qs\n[raw-body]: https://github.com/stream-utils/raw-body\n\n[npmjs-url]: https://www.npmjs.com/package/koa-better-body\n[npmjs-img]: https://img.shields.io/npm/v/koa-better-body.svg?label=koa-better-body\n\n[license-url]: https://github.com/tunnckoCore/koa-better-body/blob/master/LICENSE\n[license-img]: https://img.shields.io/npm/l/koa-better-body.svg\n\n[downloads-url]: https://www.npmjs.com/package/koa-better-body\n[downloads-img]: https://img.shields.io/npm/dm/koa-better-body.svg\n\n[codeclimate-url]: https://codeclimate.com/github/tunnckoCore/koa-better-body\n[codeclimate-img]: https://img.shields.io/codeclimate/github/tunnckoCore/koa-better-body.svg\n\n[travis-url]: https://travis-ci.org/tunnckoCore/koa-better-body\n[travis-img]: https://img.shields.io/travis/tunnckoCore/koa-better-body/master.svg\n\n[coveralls-url]: https://coveralls.io/r/tunnckoCore/koa-better-body\n[coveralls-img]: https://img.shields.io/coveralls/tunnckoCore/koa-better-body.svg\n\n[david-url]: https://david-dm.org/tunnckoCore/koa-better-body\n[david-img]: https://img.shields.io/david/tunnckoCore/koa-better-body.svg\n\n[standard-url]: https://github.com/feross/standard\n[standard-img]: https://img.shields.io/badge/code%20style-standard-brightgreen.svg\n\n[author-www-url]: http://www.tunnckocore.tk\n[author-www-img]: https://img.shields.io/badge/www-tunnckocore.tk-fe7d37.svg\n\n[keybase-url]: https://keybase.io/tunnckocore\n[keybase-img]: https://img.shields.io/badge/keybase-tunnckocore-8a7967.svg\n\n[author-npm-url]: https://www.npmjs.com/~tunnckocore\n[author-npm-img]: https://img.shields.io/badge/npm-~tunnckocore-cb3837.svg\n\n[author-twitter-url]: https://twitter.com/tunnckoCore\n[author-twitter-img]: https://img.shields.io/badge/twitter-@tunnckoCore-55acee.svg\n\n[author-github-url]: https://github.com/tunnckoCore\n[author-github-img]: https://img.shields.io/badge/github-@tunnckoCore-4183c4.svg\n\n[freenode-url]: http://webchat.freenode.net/?channels=charlike\n[freenode-img]: https://img.shields.io/badge/freenode-%23charlike-5654a4.svg\n\n[new-message-url]: https://github.com/tunnckoCore/ama\n[new-message-img]: https://img.shields.io/badge/ask%20me-anything-green.svg\n\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git+https://github.com/tunnckoCore/koa-better-body.git"
+  },
+  "scripts": {
+    "commit": "npm-run-all -s test git",
+    "git": "npm-run-all -s git:*",
+    "git:add": "git add --all",
+    "git:cz": "git-cz",
+    "lint": "eslint ./*js ./test/*.js --fix",
+    "prerelease": "npm test",
+    "release": "standard-version --sign --no-verify",
+    "test": "npm-run-all -s lint test:*",
+    "test:api": "nyc --reporter lcov node test.js",
+    "test:report": "nyc report"
+  },
+  "verb": {
+    "run": true,
+    "toc": false,
+    "layout": "empty",
+    "tasks": [
+      "readme"
+    ],
+    "related": {
+      "list": [
+        "koa",
+        "koa-ip-filter",
+        "ip-filter",
+        "formidable",
+        "koa-body-parsers",
+        "koa-bodyparser",
+        "koala"
+      ]
+    },
+    "reflinks": [
+      "bytes",
+      "formidable",
+      "koa",
+      "koa-body-parsers",
+      "koa-convert",
+      "lazy-cache",
+      "raw-body",
+      "koa-router",
+      "micromatch",
+      "qs"
+    ],
+    "lint": {
+      "reflinks": true
+    }
+  },
+  "version": "3.0.4"
+}
diff --git a/node_modules/koa-better-body/utils.js b/node_modules/koa-better-body/utils.js
new file mode 100644
index 0000000..09d0397
--- /dev/null
+++ b/node_modules/koa-better-body/utils.js
@@ -0,0 +1,232 @@
+'use strict'
+
+/**
+ * Module dependencies
+ */
+
+var utils = {}
+utils.extend = require('extend-shallow')
+utils.formidable = require('formidable')
+utils.querystring = require('querystring')
+utils.bodyParsers = require('koa-body-parsers')
+
+/**
+ * > Default options that will be loaded. Pass `options` to overwrite them.
+ *
+ * @param  {Object} `options`
+ * @return {Object}
+ * @api private
+ */
+utils.defaultOptions = function defaultOptions (options) {
+  options = typeof options === 'object' ? options : {}
+  var types = utils.defaultTypes(options.extendTypes)
+  options = utils.extend(
+    {
+      fields: false,
+      files: false,
+      multipart: true,
+      textLimit: false,
+      formLimit: false,
+      jsonLimit: false,
+      jsonStrict: true,
+      detectJSON: false,
+      bufferLimit: false,
+      buffer: false,
+      strict: true,
+
+      // query string `parse` options
+      delimiter: '&',
+      decodeURIComponent: utils.querystring.unescape,
+      maxKeys: 1000
+    },
+    options
+  )
+
+  options.delimiter = options.sep || options.delimiter
+  options.formLimit = options.formLimit || options.urlencodedLimit
+  options.extendTypes = types
+  options.onerror = options.onЕrror || options.onerror
+  options.onerror =
+    typeof options.onerror === 'function' ? options.onerror : false
+  options.delimiter =
+    typeof options.delimiter === 'string' ? options.delimiter : '&'
+
+  if (typeof options.handler !== 'function') {
+    options.handler = function * noopHandler () {}
+  }
+  if (typeof options.detectJSON !== 'function') {
+    options.detectJSON = function detectJSON () {
+      return false
+    }
+  }
+
+  return options
+}
+
+/**
+ * > Only extend/overwrite default accept types.
+ *
+ * @param  {Object} `types`
+ * @return {Object}
+ * @api private
+ */
+utils.defaultTypes = function defaultTypes (types) {
+  types = typeof types === 'object' ? types : {}
+  return utils.extend(
+    {
+      multipart: ['multipart/form-data'],
+      text: ['text/*'],
+      form: ['application/x-www-form-urlencoded'],
+      json: [
+        'application/json',
+        'application/json-patch+json',
+        'application/vnd.api+json',
+        'application/csp-report'
+      ],
+      buffer: ['text/*']
+    },
+    types
+  )
+}
+
+/**
+ * > Is "valid" request method, according to IETF Draft.
+ *
+ * @see   https://tools.ietf.org/html/draft-ietf-httpbis-p2-semantics-19#section-6.1
+ * @param  {String} `method` koa request method
+ * @return {Boolean}
+ * @api private
+ */
+utils.isValid = function isValid (method) {
+  return ['GET', 'HEAD', 'DELETE'].indexOf(method.toUpperCase()) === -1
+}
+
+/**
+ * > Add `koa-body-parsers` to the koa context. In addition
+ * also adds the formidable as multipart parser.
+ *
+ * @param  {Object} `ctx` koa context
+ * @param  {Object} `opts` default options
+ * @return {Object} `ctx` koa context
+ * @api private
+ */
+utils.setParsers = function setParsers (ctx, opts) {
+  ctx.app.querystring =
+    opts.querystring ||
+    opts.qs || // alias
+    (ctx.app && ctx.app.querystring) ||
+    (ctx.app && ctx.app.qs) || // alias
+    ctx.qs // alias
+
+  utils.bodyParsers(ctx)
+  ctx.request.multipart = utils.multipart.bind(ctx)
+  return ctx
+}
+
+/**
+ * > Formidable wrapper as multipart parser to make
+ * thunk that later can be yielded. Also allows you to pass
+ * formidable.IncomingForm instance to `options.IncomingForm`.
+ *
+ * @param  {Object} `options` passed or default plugin options
+ * @param  {Object} `ctx` koa context
+ * @return {Function} thunk
+ * @api private
+ */
+utils.multipart = function multipart (opts) {
+  var ctx = this
+
+  return function thunk (done) {
+    var fields = {}
+    var fileFields = {}
+    var files = []
+    var form =
+      opts.IncomingForm instanceof utils.formidable.IncomingForm
+        ? opts.IncomingForm
+        : new utils.formidable.IncomingForm(opts)
+
+    form.on('error', done)
+    form.on('aborted', done)
+    form.on('file', function (name, file) {
+      files.push(file)
+      fileFields[name] = fileFields[name] || []
+      fileFields[name].push(file)
+    })
+    form.on('field', function (name, field) {
+      if (fields.hasOwnProperty(name)) {
+        if (Array.isArray(fields[name])) {
+          fields[name].push(field)
+        } else {
+          fields[name] = [fields[name], field]
+        }
+      } else {
+        fields[name] = field
+      }
+    })
+    form.on('end', function () {
+      done(null, {
+        fields: Object.assign({}, fields, fileFields),
+        files: files
+      })
+    })
+    form.parse(ctx.req)
+  }
+}
+
+/**
+ * > Parse a different type of request bodies. By default accepts
+ * and can parse JSON, JSON-API, JSON-Patch, text, form, urlencoded
+ * and buffer bodies.
+ *
+ * @param {Object}   `ctx` koa context
+ * @param {Object}   `options` plugin options
+ * @param {Function} `next` next middleware
+ * @api private
+ */
+// eslint-disable-next-line complexity
+utils.parseBody = function * parseBody (ctx, options, next) {
+  var fields = typeof options.fields === 'string' ? options.fields : 'fields'
+  var files = typeof options.files === 'string' ? options.files : 'files'
+  var custom = options.extendTypes.custom
+
+  if (custom && custom.length && ctx.request.is(custom)) {
+    yield * options.handler.call(ctx, ctx, options, next)
+    return yield * next
+  }
+  if (options.detectJSON(ctx) || ctx.request.is(options.extendTypes.json)) {
+    ctx.app.jsonStrict =
+      typeof options.jsonStrict === 'boolean' ? options.jsonStrict : true
+    ctx.request[fields] = yield ctx.request.json(options.jsonLimit)
+    return yield * next
+  }
+  if (
+    ctx.request.is(options.extendTypes.form || options.extendTypes.urlencoded)
+  ) {
+    var res = yield ctx.request.urlencoded(options.formLimit)
+    ctx.request[fields] = res
+    return yield * next
+  }
+  if (options.buffer && ctx.request.is(options.extendTypes.buffer)) {
+    ctx.request.body = yield ctx.request.buffer(options.bufferLimit)
+    return yield * next
+  }
+  if (ctx.request.is(options.extendTypes.text)) {
+    var limit = options.textLimit
+    var body = yield ctx.request.text(limit)
+
+    ctx.request.body = body
+    return yield * next
+  }
+  if (options.multipart && ctx.request.is(options.extendTypes.multipart)) {
+    var result = yield ctx.request.multipart(options)
+    ctx.request[fields] = result.fields
+    ctx.request[files] = result.files
+    return yield * next
+  }
+}
+
+/**
+ * Expose `utils` modules
+ */
+
+module.exports = utils
diff --git a/node_modules/koa-body-parsers/LICENSE b/node_modules/koa-body-parsers/LICENSE
new file mode 100644
index 0000000..bf72a65
--- /dev/null
+++ b/node_modules/koa-body-parsers/LICENSE
@@ -0,0 +1,22 @@
+
+The MIT License (MIT)
+
+Copyright (c) 2014-2016 Jonathan Ong me@jongleberry.com
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in
+all copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+THE SOFTWARE.
diff --git a/node_modules/koa-body-parsers/README.md b/node_modules/koa-body-parsers/README.md
new file mode 100644
index 0000000..466e5b2
--- /dev/null
+++ b/node_modules/koa-body-parsers/README.md
@@ -0,0 +1,27 @@
+
+# Koa Body Parsers
+
+[![NPM version][npm-image]][npm-url]
+[![Build status][travis-image]][travis-url]
+[![Test coverage][coveralls-image]][coveralls-url]
+[![Dependency Status][david-image]][david-url]
+[![License][license-image]][license-url]
+[![Downloads][downloads-image]][downloads-url]
+
+Includes a `json`, `urlencoded`, and `multipart` parsers,
+as well as a utility to save streams to disk.
+
+See https://github.com/koajs/koala/blob/master/docs/body-parsing.md for more details.
+
+[npm-image]: https://img.shields.io/npm/v/koa-body-parsers.svg?style=flat-square
+[npm-url]: https://npmjs.org/package/koa-body-parsers
+[travis-image]: https://img.shields.io/travis/koajs/body-parsers.svg?style=flat-square
+[travis-url]: https://travis-ci.org/koajs/body-parsers
+[coveralls-image]: https://img.shields.io/coveralls/koajs/body-parsers.svg?style=flat-square
+[coveralls-url]: https://coveralls.io/r/koajs/body-parsers
+[david-image]: http://img.shields.io/david/koajs/body-parsers.svg?style=flat-square
+[david-url]: https://david-dm.org/koajs/body-parsers
+[license-image]: http://img.shields.io/npm/l/koa-body-parsers.svg?style=flat-square
+[license-url]: LICENSE
+[downloads-image]: http://img.shields.io/npm/dm/koa-body-parsers.svg?style=flat-square
+[downloads-url]: https://npmjs.org/package/koa-body-parsers
diff --git a/node_modules/koa-body-parsers/index.js b/node_modules/koa-body-parsers/index.js
new file mode 100644
index 0000000..65fc575
--- /dev/null
+++ b/node_modules/koa-body-parsers/index.js
@@ -0,0 +1,86 @@
+'use strict'
+
+/**
+ * To do: move most of the body parsing stuff to a separate library.
+ */
+
+var get = require('raw-body')
+var qs = require('querystring')
+
+var request = {}
+var response = {}
+
+module.exports = function bodypParsers (app) {
+  Object.keys(request).forEach(function (key) {
+    app.request[key] = request[key]
+  })
+  Object.keys(response).forEach(function (key) {
+    app.response[key] = response[key]
+  })
+  return app
+}
+
+request.json = function (limit) {
+  if (!this.length) return Promise.resolve()
+  var self = this
+  return this.text(limit).then(function (text) {
+    return self._parse_json(text)
+  })
+}
+
+request._parse_json = function (text) {
+  if (this.app.jsonStrict !== false) {
+    text = text.trim()
+    var first = text[0]
+    if (first !== '{' && first !== '[') {
+      this.ctx.throw(400, 'only json objects or arrays allowed')
+    }
+  }
+  try {
+    return JSON.parse(text)
+  } catch (err) {
+    this.ctx.throw(400, 'invalid json received')
+  }
+}
+
+request.urlencoded = function (limit) {
+  if (!this.length) return Promise.resolve()
+  var self = this
+  return this.text(limit).then(function (text) {
+    return self._parse_urlencoded(text)
+  })
+}
+
+request._parse_urlencoded = function (text) {
+  var parse = (this.app.querystring || qs).parse
+  try {
+    return parse(text)
+  } catch (err) {
+    this.ctx.throw(400, 'invalid urlencoded received')
+  }
+}
+
+request.text = function (limit) {
+  this.response.writeContinue()
+  return get(this.req, {
+    limit: limit || '100kb',
+    length: this.length,
+    encoding: 'utf8'
+  })
+}
+
+request.buffer = function (limit) {
+  this.response.writeContinue()
+  return get(this.req, {
+    limit: limit || '1mb',
+    length: this.length
+  })
+}
+
+response.writeContinue = function () {
+  if (!this._checkedContinue && this.req.checkContinue) {
+    this.res.writeContinue()
+    this._checkedContinue = true
+  }
+  return this
+}
diff --git a/node_modules/koa-body-parsers/package.json b/node_modules/koa-body-parsers/package.json
new file mode 100644
index 0000000..26160e3
--- /dev/null
+++ b/node_modules/koa-body-parsers/package.json
@@ -0,0 +1,102 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "koa-body-parsers@git+https://github.com/tunnckoCore/body-parsers.git",
+        "scope": null,
+        "escapedName": "koa-body-parsers",
+        "name": "koa-body-parsers",
+        "rawSpec": "git+https://github.com/tunnckoCore/body-parsers.git",
+        "spec": "git+https://github.com/tunnckoCore/body-parsers.git",
+        "type": "hosted",
+        "hosted": {
+          "type": "github",
+          "ssh": "git@github.com:tunnckoCore/body-parsers.git",
+          "sshUrl": "git+ssh://git@github.com/tunnckoCore/body-parsers.git",
+          "httpsUrl": "git+https://github.com/tunnckoCore/body-parsers.git",
+          "gitUrl": "git://github.com/tunnckoCore/body-parsers.git",
+          "shortcut": "github:tunnckoCore/body-parsers",
+          "directUrl": "https://raw.githubusercontent.com/tunnckoCore/body-parsers/master/package.json"
+        }
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/koa-better-body"
+    ]
+  ],
+  "_from": "git+https://github.com/tunnckoCore/body-parsers.git",
+  "_id": "koa-body-parsers@3.0.0",
+  "_inCache": true,
+  "_location": "/koa-body-parsers",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "koa-body-parsers@git+https://github.com/tunnckoCore/body-parsers.git",
+    "scope": null,
+    "escapedName": "koa-body-parsers",
+    "name": "koa-body-parsers",
+    "rawSpec": "git+https://github.com/tunnckoCore/body-parsers.git",
+    "spec": "git+https://github.com/tunnckoCore/body-parsers.git",
+    "type": "hosted",
+    "hosted": {
+      "type": "github",
+      "ssh": "git@github.com:tunnckoCore/body-parsers.git",
+      "sshUrl": "git+ssh://git@github.com/tunnckoCore/body-parsers.git",
+      "httpsUrl": "git+https://github.com/tunnckoCore/body-parsers.git",
+      "gitUrl": "git://github.com/tunnckoCore/body-parsers.git",
+      "shortcut": "github:tunnckoCore/body-parsers",
+      "directUrl": "https://raw.githubusercontent.com/tunnckoCore/body-parsers/master/package.json"
+    }
+  },
+  "_requiredBy": [
+    "/koa-better-body"
+  ],
+  "_resolved": "git+https://github.com/tunnckoCore/body-parsers.git#b515504ef0bfe3e04aa3dd13502d3d90c2d60956",
+  "_shasum": "4fa7a25d839083b8987fd2f296b672a032b9f1b0",
+  "_shrinkwrap": null,
+  "_spec": "koa-body-parsers@git+https://github.com/tunnckoCore/body-parsers.git",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/koa-better-body",
+  "author": {
+    "name": "Jonathan Ong",
+    "email": "me@jongleberry.com",
+    "url": "http://jongleberry.com"
+  },
+  "bugs": {
+    "url": "https://github.com/koajs/body-parsers/issues"
+  },
+  "dependencies": {
+    "raw-body": "^2.1.0"
+  },
+  "description": "collection of koa body parsers",
+  "devDependencies": {
+    "istanbul": "^0.4.2",
+    "koa": "^1.1.2",
+    "mocha": "^2.2.5",
+    "standard": "^6.0.8",
+    "supertest": "^1.0.1"
+  },
+  "files": [
+    "index.js"
+  ],
+  "gitHead": "b515504ef0bfe3e04aa3dd13502d3d90c2d60956",
+  "homepage": "https://github.com/koajs/body-parsers#readme",
+  "keywords": [
+    "koa",
+    "body",
+    "parser",
+    "parsers"
+  ],
+  "license": "MIT",
+  "name": "koa-body-parsers",
+  "optionalDependencies": {},
+  "readme": "\n# Koa Body Parsers\n\n[![NPM version][npm-image]][npm-url]\n[![Build status][travis-image]][travis-url]\n[![Test coverage][coveralls-image]][coveralls-url]\n[![Dependency Status][david-image]][david-url]\n[![License][license-image]][license-url]\n[![Downloads][downloads-image]][downloads-url]\n\nIncludes a `json`, `urlencoded`, and `multipart` parsers,\nas well as a utility to save streams to disk.\n\nSee https://github.com/koajs/koala/blob/master/docs/body-parsing.md for more details.\n\n[npm-image]: https://img.shields.io/npm/v/koa-body-parsers.svg?style=flat-square\n[npm-url]: https://npmjs.org/package/koa-body-parsers\n[travis-image]: https://img.shields.io/travis/koajs/body-parsers.svg?style=flat-square\n[travis-url]: https://travis-ci.org/koajs/body-parsers\n[coveralls-image]: https://img.shields.io/coveralls/koajs/body-parsers.svg?style=flat-square\n[coveralls-url]: https://coveralls.io/r/koajs/body-parsers\n[david-image]: http://img.shields.io/david/koajs/body-parsers.svg?style=flat-square\n[david-url]: https://david-dm.org/koajs/body-parsers\n[license-image]: http://img.shields.io/npm/l/koa-body-parsers.svg?style=flat-square\n[license-url]: LICENSE\n[downloads-image]: http://img.shields.io/npm/dm/koa-body-parsers.svg?style=flat-square\n[downloads-url]: https://npmjs.org/package/koa-body-parsers\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git+https://github.com/koajs/body-parsers.git"
+  },
+  "scripts": {
+    "lint": "standard index.js test/**/*.js",
+    "test": "mocha",
+    "test-ci": "istanbul cover node_modules/mocha/bin/_mocha --report lcovonly -- --reporter dot",
+    "test-cov": "istanbul cover node_modules/mocha/bin/_mocha -- --reporter dot"
+  },
+  "version": "3.0.0"
+}
diff --git a/node_modules/koa-body/.npmignore b/node_modules/koa-body/.npmignore
new file mode 100644
index 0000000..5171c54
--- /dev/null
+++ b/node_modules/koa-body/.npmignore
@@ -0,0 +1,2 @@
+node_modules
+npm-debug.log
\ No newline at end of file
diff --git a/node_modules/koa-body/.travis.yml b/node_modules/koa-body/.travis.yml
new file mode 100644
index 0000000..2c6830e
--- /dev/null
+++ b/node_modules/koa-body/.travis.yml
@@ -0,0 +1,4 @@
+language: node_js
+node_js:
+  - "6.0"
+  - "7.0"
diff --git a/node_modules/koa-body/LICENSE b/node_modules/koa-body/LICENSE
new file mode 100644
index 0000000..0859161
--- /dev/null
+++ b/node_modules/koa-body/LICENSE
@@ -0,0 +1,21 @@
+The MIT License (MIT)
+
+Copyright (c) 2014 Charlike Mike Reagent <mameto_100@mail.bg> and Daryl Lau <daryl@weak.io>
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
+SOFTWARE.
\ No newline at end of file
diff --git a/node_modules/koa-body/README.md b/node_modules/koa-body/README.md
new file mode 100644
index 0000000..e43fcc0
--- /dev/null
+++ b/node_modules/koa-body/README.md
@@ -0,0 +1,130 @@
+koa-body [![Build Status](https://travis-ci.org/dlau/koa-body.svg?branch=koa2)](https://travis-ci.org/dlau/koa-body) [![Dependencies Status](https://david-dm.org/dlau/koa-body/status.svg)](https://david-dm.org/dlau/koa-body)
+================
+
+> A full-featured [`koa`](https://github.com/koajs/koa) body parser middleware. Support `multipart`, `urlencoded` and `json` request bodies. Provides same functionality as Express's bodyParser - [`multer`](https://github.com/expressjs/multer). And all that is wrapped only around
+[`co-body`](https://github.com/visionmedia/co-body) and [`formidable`](https://github.com/felixge/node-formidable).
+
+## Install
+>Install with [npm](https://github.com/npm/npm)
+
+```
+$ npm install koa-body
+```
+
+## Legacy Koa1 support
+```
+$ npm install koa-body@1
+```
+
+## Features
+- can handle three type requests
+  * **multipart/form-data**
+  * **application/x-www-urlencoded**
+  * **application/json**
+- option for patch to Koa or Node, or either
+- file uploads
+- body, fields and files limiting
+
+## Hello world
+```sh
+npm install koa
+npm install koa-body
+nvm install v7.9.0 #Note - koa requires node v7.6.0 for ES2015/async support
+```
+index.js:
+```js
+const Koa = require('koa');
+const koaBody = require('koa-body');
+
+const app = new Koa();
+
+app.use(koaBody());
+app.use(ctx => {
+  ctx.body = `Request Body: ${JSON.stringify(ctx.request.body)}`;
+});
+
+app.listen(3000);
+```
+
+```sh
+$ node index.js
+$ curl -i http://localhost:3000/users -d "name=test"
+HTTP/1.1 200 OK
+Content-Type: text/plain; charset=utf-8
+Content-Length: 29
+Date: Wed, 03 May 2017 02:09:44 GMT
+Connection: keep-alive
+
+Request Body: {"name":"test"}% 
+```
+
+**For a more comprehensive example, see** `examples/multipart.js`
+
+## Usage with [koa-router](https://github.com/alexmingoia/koa-router)
+> It's generally better to only parse the body as needed, if using a router that supports middleware composition, we can inject it only for certain routes.
+
+```js
+const Koa = require('koa');
+const app = new Koa();
+const router = require('koa-router')();
+const koaBody = require('koa-body')();
+
+router.post('/users', koaBody,
+  (ctx) => {
+    console.log(ctx.request.body);
+    // => POST body
+    ctx.body = JSON.stringify(ctx.request.body);
+  }
+);
+
+app.use(router.routes());
+
+app.listen(3000);
+console.log('curl -i http://localhost:3000/users -d "name=test"');
+```
+
+
+## Options
+> Options available for `koa-body`. Four custom options, and others are from `raw-body` and `formidable`.
+
+- `patchNode` **{Boolean}** Patch request body to Node's `ctx.req`, default `false`
+- `patchKoa` **{Boolean}** Patch request body to Koa's `ctx.request`, default `true`
+- `jsonLimit` **{String|Integer}** The byte (if integer) limit of the JSON body, default `1mb`
+- `formLimit` **{String|Integer}** The byte (if integer) limit of the form body, default `56kb`
+- `textLimit` **{String|Integer}** The byte (if integer) limit of the text body, default `56kb`
+- `encoding` **{String}** Sets encoding for incoming form fields, default `utf-8`
+- `multipart` **{Boolean}** Parse multipart bodies, default `false`
+- `urlencoded` **{Boolean}** Parse urlencoded bodies, default `true`
+- `text` **{Boolean}** Parse text bodies, default `true`
+- `json` **{Boolean}** Parse json bodies, default `true`
+- `formidable` **{Object}** Options to pass to the formidable multipart parser
+- `onError` **{Function}** Custom error handle, if throw an error, you can customize the response - onError(error, context), default will throw
+- `strict` **{Boolean}** If enabled, don't parse GET, HEAD, DELETE requests, default `true`
+
+## A note about strict mode
+> see [http://tools.ietf.org/html/draft-ietf-httpbis-p2-semantics-19#section-6.3](http://tools.ietf.org/html/draft-ietf-httpbis-p2-semantics-19#section-6.3)
+- GET, HEAD, and DELETE requests have no defined semantics for the request body, but this doesn't mean they may not be valid in certain use cases.
+- koa-body is strict by default
+
+## Some options for formidable
+> See [node-formidable](https://github.com/felixge/node-formidable) for a full list of options
+- `bytesExpected` **{Integer}** The expected number of bytes in this form, default `null`
+- `maxFields` **{Integer}** Limits the number of fields that the querystring parser will decode, default `1000`
+- `maxFieldsSize` **{Integer}** Limits the amount of memory all fields together (except files) can allocate in bytes. If this value is exceeded, an 'error' event is emitted, default `2mb (2 * 1024 * 1024)`
+- `uploadDir` **{String}** Sets the directory for placing file uploads in, default `os.tmpDir()`
+- `keepExtensions` **{Boolean}** Files written to `uploadDir` will include the extensions of the original files, default `false`
+- `hash` **{String}** If you want checksums calculated for incoming files, set this to either `'sha1'` or `'md5'`, default `false`
+- `multiples` **{Boolean}** Multiple file uploads or no, default `true`
+- `onFileBegin` **{Function}** Special callback on file begin. The function is executed directly by formidable. It can be used to rename files before saving them to disk. [See the docs](https://github.com/felixge/node-formidable#filebegin)
+
+
+**Note**: You can patch request body to Node or Koa in same time if you want.
+
+
+## Tests
+```
+$ npm test
+```
+
+## License
+The MIT License, 2014 [Charlike Mike Reagent](https://github.com/tunnckoCore) ([@tunnckoCore](https://twitter.com/tunnckoCore)) and [Daryl Lau](https://github.com/dlau) ([@daryllau](https://twitter.com/daryllau))
diff --git a/node_modules/koa-body/index.js b/node_modules/koa-body/index.js
new file mode 100644
index 0000000..7dc0ac2
--- /dev/null
+++ b/node_modules/koa-body/index.js
@@ -0,0 +1,149 @@
+/**
+ * koa-body - index.js
+ * Copyright(c) 2014
+ * MIT Licensed
+ *
+ * @author  Daryl Lau (@dlau)
+ * @author  Charlike Mike Reagent (@tunnckoCore)
+ * @api private
+ */
+
+'use strict';
+
+/**
+ * Module dependencies.
+ */
+
+var buddy = require('co-body');
+var forms = require('formidable');
+
+/**
+ * Expose `requestbody()`.
+ */
+
+module.exports = requestbody;
+
+/**
+ *
+ * @param {Object} options
+ * @see https://github.com/dlau/koa-body
+ * @api public
+ */
+function requestbody(opts) {
+  opts = opts || {};
+  opts.onError = 'onError' in opts ? opts.onError : false;
+  opts.patchNode = 'patchNode' in opts ? opts.patchNode : false;
+  opts.patchKoa = 'patchKoa' in opts ? opts.patchKoa : true;
+  opts.multipart = 'multipart' in opts ? opts.multipart : false;
+  opts.urlencoded = 'urlencoded' in opts ? opts.urlencoded : true;
+  opts.json = 'json' in opts ? opts.json : true;
+  opts.text = 'text' in opts ? opts.text : true;
+  opts.encoding = 'encoding' in opts ? opts.encoding : 'utf-8';
+  opts.jsonLimit = 'jsonLimit' in opts ? opts.jsonLimit : '1mb';
+  opts.formLimit = 'formLimit' in opts ? opts.formLimit : '56kb';
+  opts.queryString = 'queryString' in opts ? opts.queryString : null;
+  opts.formidable = 'formidable' in opts ? opts.formidable : {};
+  opts.textLimit = 'textLimit' in opts ? opts.textLimit : '56kb';
+  opts.strict = 'strict' in opts ? opts.strict : true;
+
+  return function (ctx, next) {
+    var bodyPromise;
+    // so don't parse the body in strict mode
+    if (!opts.strict || ["GET", "HEAD", "DELETE"].indexOf(ctx.method.toUpperCase()) === -1) {
+      try {
+        if (opts.json && ctx.is('json')) {
+          bodyPromise = buddy.json(ctx, {
+            encoding: opts.encoding,
+            limit: opts.jsonLimit
+          });
+        } else if (opts.urlencoded && ctx.is('urlencoded')) {
+          bodyPromise = buddy.form(ctx, {
+            encoding: opts.encoding,
+            limit: opts.formLimit,
+            queryString: opts.queryString
+          });
+        } else if (opts.text && ctx.is('text')) {
+          bodyPromise = buddy.text(ctx, {
+            encoding: opts.encoding,
+            limit: opts.textLimit
+          });
+        } else if (opts.multipart && ctx.is('multipart')) {
+          bodyPromise = formy(ctx, opts.formidable);
+        }
+      } catch (parsingError) {
+        if (typeof opts.onError === 'function') {
+          opts.onError(parsingError, ctx);
+        } else {
+          throw parsingError;
+        }
+      }
+    }
+
+    bodyPromise = bodyPromise || Promise.resolve({});
+    return bodyPromise.catch(function(parsingError) {
+      if (typeof opts.onError === 'function') {
+        opts.onError(parsingError, ctx);
+      } else {
+        throw parsingError;
+      }
+      return next();
+    })
+    .then(function(body) {
+      if (opts.patchNode) {
+        ctx.req.body = body;
+      }
+      if (opts.patchKoa) {
+        ctx.request.body = body;
+      }
+      return next();
+    })
+  };
+}
+
+/**
+ * Donable formidable
+ *
+ * @param  {Stream} ctx
+ * @param  {Object} opts
+ * @return {Object}
+ * @api private
+ */
+function formy(ctx, opts) {
+  return new Promise(function (resolve, reject) {
+    var fields = {};
+    var files = {};
+    var form = new forms.IncomingForm(opts);
+    form.on('end', function () {
+      return resolve({
+        fields: fields,
+        files: files
+      });
+    }).on('error', function (err) {
+      return reject(err);
+    }).on('field', function (field, value) {
+      if (fields[field]) {
+        if (Array.isArray(fields[field])) {
+          fields[field].push(value);
+        } else {
+          fields[field] = [fields[field], value];
+        }
+      } else {
+        fields[field] = value;
+      }
+    }).on('file', function (field, file) {
+      if (files[field]) {
+        if (Array.isArray(files[field])) {
+          files[field].push(file);
+        } else {
+          files[field] = [files[field], file];
+        }
+      } else {
+        files[field] = file;
+      }
+    });
+    if (opts.onFileBegin) {
+      form.on('fileBegin', opts.onFileBegin);
+    }
+    form.parse(ctx.req);
+  });
+}
diff --git a/node_modules/koa-body/package.json b/node_modules/koa-body/package.json
new file mode 100644
index 0000000..1511e34
--- /dev/null
+++ b/node_modules/koa-body/package.json
@@ -0,0 +1,133 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "koa-body",
+        "scope": null,
+        "escapedName": "koa-body",
+        "name": "koa-body",
+        "rawSpec": "",
+        "spec": "latest",
+        "type": "tag"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/util/Agora_Recording_SDK_for_Linux_FULL/samples"
+    ]
+  ],
+  "_from": "koa-body@latest",
+  "_id": "koa-body@2.3.0",
+  "_inCache": true,
+  "_location": "/koa-body",
+  "_nodeVersion": "7.9.0",
+  "_npmOperationalInternal": {
+    "host": "s3://npm-registry-packages",
+    "tmp": "tmp/koa-body-2.3.0.tgz_1498234238163_0.22917082207277417"
+  },
+  "_npmUser": {
+    "name": "dlau",
+    "email": "dlau@ya.ru"
+  },
+  "_npmVersion": "5.0.0",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "koa-body",
+    "scope": null,
+    "escapedName": "koa-body",
+    "name": "koa-body",
+    "rawSpec": "",
+    "spec": "latest",
+    "type": "tag"
+  },
+  "_requiredBy": [
+    "#USER",
+    "/"
+  ],
+  "_resolved": "https://registry.npmjs.org/koa-body/-/koa-body-2.3.0.tgz",
+  "_shasum": "33edb06471e1c2e726d506af3e5b4dce39924f1f",
+  "_shrinkwrap": null,
+  "_spec": "koa-body",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/util/Agora_Recording_SDK_for_Linux_FULL/samples",
+  "author": {
+    "name": "Daryl Lau",
+    "email": "dlau00@gmail.com",
+    "url": "https://github.com/dlau"
+  },
+  "bugs": {
+    "url": "https://github.com/dlau/koa-body/issues"
+  },
+  "contributors": [
+    {
+      "name": "Daryl Lau",
+      "email": "dlau00@gmail.com",
+      "url": "https://github.com/dlau"
+    },
+    {
+      "name": "Charlike Mike Reagent",
+      "email": "mameto_100@mail.bg",
+      "url": "https://github.com/tunnckoCore"
+    }
+  ],
+  "dependencies": {
+    "co-body": "*",
+    "formidable": "1.1.1"
+  },
+  "description": "A koa body parser middleware. Support multipart, urlencoded and json request bodies.",
+  "devDependencies": {
+    "koa": "^2.0.0",
+    "koa-router": "^7.0.1",
+    "lodash": "^3.3.1",
+    "mocha": "*",
+    "multiline": "*",
+    "should": "*",
+    "supertest": "2.0.0"
+  },
+  "directories": {},
+  "dist": {
+    "integrity": "sha512-MOd8MswMgE+O9anVaOsWA4YVkmTpINZC61T3sHfmRXbb4oXasM6OcYS9Qjd8VmJtXv2b6b+xnAG+t5sCbrEbiw==",
+    "shasum": "33edb06471e1c2e726d506af3e5b4dce39924f1f",
+    "tarball": "https://registry.npmjs.org/koa-body/-/koa-body-2.3.0.tgz"
+  },
+  "files": [
+    ".gitignore",
+    ".npmignore",
+    ".travis.yml",
+    "LICENSE",
+    "Makefile",
+    "README.md",
+    "example.js",
+    "index.js",
+    "test.js"
+  ],
+  "gitHead": "fdf412054e7bdb5a3c305758a9bc85960b70cb86",
+  "homepage": "https://github.com/dlau/koa-body#readme",
+  "keywords": [
+    "koa",
+    "urlencoded",
+    "multipart",
+    "json",
+    "body",
+    "parser",
+    "form"
+  ],
+  "license": "MIT",
+  "main": "index.js",
+  "maintainers": [
+    {
+      "name": "dlau",
+      "email": "dlau00@gmail.com"
+    }
+  ],
+  "name": "koa-body",
+  "optionalDependencies": {},
+  "readme": "koa-body [![Build Status](https://travis-ci.org/dlau/koa-body.svg?branch=koa2)](https://travis-ci.org/dlau/koa-body) [![Dependencies Status](https://david-dm.org/dlau/koa-body/status.svg)](https://david-dm.org/dlau/koa-body)\n================\n\n> A full-featured [`koa`](https://github.com/koajs/koa) body parser middleware. Support `multipart`, `urlencoded` and `json` request bodies. Provides same functionality as Express's bodyParser - [`multer`](https://github.com/expressjs/multer). And all that is wrapped only around\n[`co-body`](https://github.com/visionmedia/co-body) and [`formidable`](https://github.com/felixge/node-formidable).\n\n## Install\n>Install with [npm](https://github.com/npm/npm)\n\n```\n$ npm install koa-body\n```\n\n## Legacy Koa1 support\n```\n$ npm install koa-body@1\n```\n\n## Features\n- can handle three type requests\n  * **multipart/form-data**\n  * **application/x-www-urlencoded**\n  * **application/json**\n- option for patch to Koa or Node, or either\n- file uploads\n- body, fields and files limiting\n\n## Hello world\n```sh\nnpm install koa\nnpm install koa-body\nnvm install v7.9.0 #Note - koa requires node v7.6.0 for ES2015/async support\n```\nindex.js:\n```js\nconst Koa = require('koa');\nconst koaBody = require('koa-body');\n\nconst app = new Koa();\n\napp.use(koaBody());\napp.use(ctx => {\n  ctx.body = `Request Body: ${JSON.stringify(ctx.request.body)}`;\n});\n\napp.listen(3000);\n```\n\n```sh\n$ node index.js\n$ curl -i http://localhost:3000/users -d \"name=test\"\nHTTP/1.1 200 OK\nContent-Type: text/plain; charset=utf-8\nContent-Length: 29\nDate: Wed, 03 May 2017 02:09:44 GMT\nConnection: keep-alive\n\nRequest Body: {\"name\":\"test\"}% \n```\n\n**For a more comprehensive example, see** `examples/multipart.js`\n\n## Usage with [koa-router](https://github.com/alexmingoia/koa-router)\n> It's generally better to only parse the body as needed, if using a router that supports middleware composition, we can inject it only for certain routes.\n\n```js\nconst Koa = require('koa');\nconst app = new Koa();\nconst router = require('koa-router')();\nconst koaBody = require('koa-body')();\n\nrouter.post('/users', koaBody,\n  (ctx) => {\n    console.log(ctx.request.body);\n    // => POST body\n    ctx.body = JSON.stringify(ctx.request.body);\n  }\n);\n\napp.use(router.routes());\n\napp.listen(3000);\nconsole.log('curl -i http://localhost:3000/users -d \"name=test\"');\n```\n\n\n## Options\n> Options available for `koa-body`. Four custom options, and others are from `raw-body` and `formidable`.\n\n- `patchNode` **{Boolean}** Patch request body to Node's `ctx.req`, default `false`\n- `patchKoa` **{Boolean}** Patch request body to Koa's `ctx.request`, default `true`\n- `jsonLimit` **{String|Integer}** The byte (if integer) limit of the JSON body, default `1mb`\n- `formLimit` **{String|Integer}** The byte (if integer) limit of the form body, default `56kb`\n- `textLimit` **{String|Integer}** The byte (if integer) limit of the text body, default `56kb`\n- `encoding` **{String}** Sets encoding for incoming form fields, default `utf-8`\n- `multipart` **{Boolean}** Parse multipart bodies, default `false`\n- `urlencoded` **{Boolean}** Parse urlencoded bodies, default `true`\n- `text` **{Boolean}** Parse text bodies, default `true`\n- `json` **{Boolean}** Parse json bodies, default `true`\n- `formidable` **{Object}** Options to pass to the formidable multipart parser\n- `onError` **{Function}** Custom error handle, if throw an error, you can customize the response - onError(error, context), default will throw\n- `strict` **{Boolean}** If enabled, don't parse GET, HEAD, DELETE requests, default `true`\n\n## A note about strict mode\n> see [http://tools.ietf.org/html/draft-ietf-httpbis-p2-semantics-19#section-6.3](http://tools.ietf.org/html/draft-ietf-httpbis-p2-semantics-19#section-6.3)\n- GET, HEAD, and DELETE requests have no defined semantics for the request body, but this doesn't mean they may not be valid in certain use cases.\n- koa-body is strict by default\n\n## Some options for formidable\n> See [node-formidable](https://github.com/felixge/node-formidable) for a full list of options\n- `bytesExpected` **{Integer}** The expected number of bytes in this form, default `null`\n- `maxFields` **{Integer}** Limits the number of fields that the querystring parser will decode, default `1000`\n- `maxFieldsSize` **{Integer}** Limits the amount of memory all fields together (except files) can allocate in bytes. If this value is exceeded, an 'error' event is emitted, default `2mb (2 * 1024 * 1024)`\n- `uploadDir` **{String}** Sets the directory for placing file uploads in, default `os.tmpDir()`\n- `keepExtensions` **{Boolean}** Files written to `uploadDir` will include the extensions of the original files, default `false`\n- `hash` **{String}** If you want checksums calculated for incoming files, set this to either `'sha1'` or `'md5'`, default `false`\n- `multiples` **{Boolean}** Multiple file uploads or no, default `true`\n- `onFileBegin` **{Function}** Special callback on file begin. The function is executed directly by formidable. It can be used to rename files before saving them to disk. [See the docs](https://github.com/felixge/node-formidable#filebegin)\n\n\n**Note**: You can patch request body to Node or Koa in same time if you want.\n\n\n## Tests\n```\n$ npm test\n```\n\n## License\nThe MIT License, 2014 [Charlike Mike Reagent](https://github.com/tunnckoCore) ([@tunnckoCore](https://twitter.com/tunnckoCore)) and [Daryl Lau](https://github.com/dlau) ([@daryllau](https://twitter.com/daryllau))\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git://github.com/dlau/koa-body.git"
+  },
+  "scripts": {
+    "examples-koa-router": "node --harmony examples/koa-router.js",
+    "examples-multer": "node --harmony examples/multer.js",
+    "test": "mocha"
+  },
+  "version": "2.3.0"
+}
diff --git a/node_modules/koa-multer/package.json b/node_modules/koa-multer/package.json
index b443cc0..a15f5a1 100644
--- a/node_modules/koa-multer/package.json
+++ b/node_modules/koa-multer/package.json
@@ -1,19 +1,41 @@
 {
-  "_from": "koa-multer",
+  "_args": [
+    [
+      {
+        "raw": "koa-multer@^1.0.2",
+        "scope": null,
+        "escapedName": "koa-multer",
+        "name": "koa-multer",
+        "rawSpec": "^1.0.2",
+        "spec": ">=1.0.2 <2.0.0",
+        "type": "range"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project"
+    ]
+  ],
+  "_from": "koa-multer@>=1.0.2 <2.0.0",
   "_id": "koa-multer@1.0.2",
-  "_inBundle": false,
-  "_integrity": "sha512-0kFzN4atVd+9oiG+4fYxQ9S2T3dPhKNvmhITIY606Qn9wLEmfhW0DhSpOzRYhddN//4rh/TCK95TMtflmFa5lA==",
+  "_inCache": true,
   "_location": "/koa-multer",
+  "_nodeVersion": "8.2.1",
+  "_npmOperationalInternal": {
+    "host": "s3://npm-registry-packages",
+    "tmp": "tmp/koa-multer-1.0.2.tgz_1501989834443_0.8880280549637973"
+  },
+  "_npmUser": {
+    "name": "fundon",
+    "email": "cfddream@gmail.com"
+  },
+  "_npmVersion": "5.3.0",
   "_phantomChildren": {},
   "_requested": {
-    "type": "tag",
-    "registry": true,
-    "raw": "koa-multer",
-    "name": "koa-multer",
+    "raw": "koa-multer@^1.0.2",
+    "scope": null,
     "escapedName": "koa-multer",
-    "rawSpec": "",
-    "saveSpec": null,
-    "fetchSpec": "latest"
+    "name": "koa-multer",
+    "rawSpec": "^1.0.2",
+    "spec": ">=1.0.2 <2.0.0",
+    "type": "range"
   },
   "_requiredBy": [
     "#USER",
@@ -21,8 +43,9 @@
   ],
   "_resolved": "https://registry.npmjs.org/koa-multer/-/koa-multer-1.0.2.tgz",
   "_shasum": "d38f7ffd1db97b1aad33e7774732f000ebd67259",
-  "_spec": "koa-multer",
-  "_where": "/Users/fzy/project/3mang",
+  "_shrinkwrap": null,
+  "_spec": "koa-multer@^1.0.2",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project",
   "author": {
     "name": "Fangdun Cai",
     "email": "cfddream@gmail.com"
@@ -30,11 +53,9 @@
   "bugs": {
     "url": "https://github.com/koa-modules/multer/issues"
   },
-  "bundleDependencies": false,
   "dependencies": {
     "multer": "1.3.0"
   },
-  "deprecated": false,
   "description": "Middleware for handling `multipart/form-data` for koa.",
   "devDependencies": {
     "concat-stream": "^1",
@@ -48,6 +69,12 @@
     "rimraf": "^2",
     "testdata-w3c-json-form": "^0"
   },
+  "directories": {},
+  "dist": {
+    "integrity": "sha512-0kFzN4atVd+9oiG+4fYxQ9S2T3dPhKNvmhITIY606Qn9wLEmfhW0DhSpOzRYhddN//4rh/TCK95TMtflmFa5lA==",
+    "shasum": "d38f7ffd1db97b1aad33e7774732f000ebd67259",
+    "tarball": "https://registry.npmjs.org/koa-multer/-/koa-multer-1.0.2.tgz"
+  },
   "engines": {
     "node": ">= 4"
   },
@@ -57,6 +84,7 @@
     "README.md",
     "index.js"
   ],
+  "gitHead": "9fffcb94fbe2fe1f3b1f4948fac116a74861d853",
   "homepage": "https://github.com/koa-modules/multer#readme",
   "keywords": [
     "form",
@@ -69,7 +97,16 @@
   ],
   "license": "MIT",
   "main": "index.js",
+  "maintainers": [
+    {
+      "name": "fundon",
+      "email": "cfddream@gmail.com"
+    }
+  ],
   "name": "koa-multer",
+  "optionalDependencies": {},
+  "readme": "# koa-multer\n\n> Multer is a node.js middleware for handling `multipart/form-data` for koa.  \n> [multer] wrapper for koa's middleware.\n\n[![NPM version][npm-img]][npm-url]\n[![NPM Downloads][downloads-image]][npm-url]\n[![Build status][travis-img]][travis-url]\n[![Test coverage][coveralls-img]][coveralls-url]\n[![Dependency status][david-img]][david-url]\n[![License][license-img]][license-url]\n\n\n## Install\n\n```sh\n$ npm install --save koa-multer\n```\n\n## Usage\n\n### **=1.x**, **100%**, working with [multer-v1.x](https://github.com/expressjs/multer) and [koa-v2.x](https://github.com/koajs/koa/tree/v2.x).\n\n```js\nconst Koa = require('koa');\nconst route = require('koa-route');\nconst multer = require('koa-multer');\n\nconst app = new Koa();\nconst upload = multer({ dest: 'uploads/' });\n\napp.use(route.post('/profile', upload.single('avatar')));\n\napp.listen(3000);\n```\n\n### **=0.x**, working with `multer-v0.x`(v0.1.8 is the latset version of v0.x) and [koa-v1.x](https://github.com/koajs/koa)\n\n```js\nvar koa = require('koa');\nvar multer = require('koa-multer');\n\nvar app = koa();\n\napp.use(multer({ dest: './uploads/'}));\n\napp.listen(3000);\n```\n\n\n## License\n\n  [MIT](LICENSE)\n\n\n[npm-img]: https://img.shields.io/npm/v/koa-multer.svg?style=flat-square\n[npm-url]: https://npmjs.org/package/koa-multer\n[travis-img]: https://img.shields.io/travis/koa-modules/multer.svg?style=flat-square\n[travis-url]: https://travis-ci.org/koa-modules/multer\n[coveralls-img]: https://img.shields.io/coveralls/koa-modules/multer.svg?style=flat-square\n[coveralls-url]: https://coveralls.io/r/koa-modules/multer?branch=master\n[license-img]: https://img.shields.io/badge/license-MIT-green.svg?style=flat-square\n[license-url]: LICENSE\n[david-img]: https://img.shields.io/david/koa-modules/multer.svg?style=flat-square\n[david-url]: https://david-dm.org/koa-modules/multer\n[downloads-image]: https://img.shields.io/npm/dm/koa-multer.svg?style=flat-square\n[multer]: https://github.com/expressjs/multer\n",
+  "readmeFilename": "README.md",
   "repository": {
     "type": "git",
     "url": "git+https://github.com/koa-modules/multer.git"
diff --git a/node_modules/multer/node_modules/xtend/.jshintrc b/node_modules/multer/node_modules/xtend/.jshintrc
deleted file mode 100644
index 77887b5..0000000
--- a/node_modules/multer/node_modules/xtend/.jshintrc
+++ /dev/null
@@ -1,30 +0,0 @@
-{
-    "maxdepth": 4,
-    "maxstatements": 200,
-    "maxcomplexity": 12,
-    "maxlen": 80,
-    "maxparams": 5,
-
-    "curly": true,
-    "eqeqeq": true,
-    "immed": true,
-    "latedef": false,
-    "noarg": true,
-    "noempty": true,
-    "nonew": true,
-    "undef": true,
-    "unused": "vars",
-    "trailing": true,
-
-    "quotmark": true,
-    "expr": true,
-    "asi": true,
-
-    "browser": false,
-    "esnext": true,
-    "devel": false,
-    "node": false,
-    "nonstandard": false,
-
-    "predef": ["require", "module", "__dirname", "__filename"]
-}
diff --git a/node_modules/multer/node_modules/xtend/Makefile b/node_modules/multer/node_modules/xtend/Makefile
deleted file mode 100644
index d583fcf..0000000
--- a/node_modules/multer/node_modules/xtend/Makefile
+++ /dev/null
@@ -1,4 +0,0 @@
-browser:
-	node ./support/compile
-
-.PHONY: browser
\ No newline at end of file
diff --git a/node_modules/multer/node_modules/xtend/README.md b/node_modules/multer/node_modules/xtend/README.md
deleted file mode 100644
index 093cb29..0000000
--- a/node_modules/multer/node_modules/xtend/README.md
+++ /dev/null
@@ -1,32 +0,0 @@
-# xtend
-
-[![browser support][3]][4]
-
-[![locked](http://badges.github.io/stability-badges/dist/locked.svg)](http://github.com/badges/stability-badges)
-
-Extend like a boss
-
-xtend is a basic utility library which allows you to extend an object by appending all of the properties from each object in a list. When there are identical properties, the right-most property takes precedence.
-
-## Examples
-
-```js
-var extend = require("xtend")
-
-// extend returns a new object. Does not mutate arguments
-var combination = extend({
-    a: "a",
-    b: 'c'
-}, {
-    b: "b"
-})
-// { a: "a", b: "b" }
-```
-
-## Stability status: Locked
-
-## MIT Licenced
-
-
-  [3]: http://ci.testling.com/Raynos/xtend.png
-  [4]: http://ci.testling.com/Raynos/xtend
diff --git a/node_modules/multer/node_modules/xtend/immutable.js b/node_modules/multer/node_modules/xtend/immutable.js
deleted file mode 100644
index 94889c9..0000000
--- a/node_modules/multer/node_modules/xtend/immutable.js
+++ /dev/null
@@ -1,19 +0,0 @@
-module.exports = extend
-
-var hasOwnProperty = Object.prototype.hasOwnProperty;
-
-function extend() {
-    var target = {}
-
-    for (var i = 0; i < arguments.length; i++) {
-        var source = arguments[i]
-
-        for (var key in source) {
-            if (hasOwnProperty.call(source, key)) {
-                target[key] = source[key]
-            }
-        }
-    }
-
-    return target
-}
diff --git a/node_modules/multer/node_modules/xtend/mutable.js b/node_modules/multer/node_modules/xtend/mutable.js
deleted file mode 100644
index 72debed..0000000
--- a/node_modules/multer/node_modules/xtend/mutable.js
+++ /dev/null
@@ -1,17 +0,0 @@
-module.exports = extend
-
-var hasOwnProperty = Object.prototype.hasOwnProperty;
-
-function extend(target) {
-    for (var i = 1; i < arguments.length; i++) {
-        var source = arguments[i]
-
-        for (var key in source) {
-            if (hasOwnProperty.call(source, key)) {
-                target[key] = source[key]
-            }
-        }
-    }
-
-    return target
-}
diff --git a/node_modules/multer/node_modules/xtend/package.json b/node_modules/multer/node_modules/xtend/package.json
deleted file mode 100644
index 40a3f36..0000000
--- a/node_modules/multer/node_modules/xtend/package.json
+++ /dev/null
@@ -1,86 +0,0 @@
-{
-  "_from": "xtend@^4.0.0",
-  "_id": "xtend@4.0.1",
-  "_inBundle": false,
-  "_integrity": "sha1-pcbVMr5lbiPbgg77lDofBJmNY68=",
-  "_location": "/multer/xtend",
-  "_phantomChildren": {},
-  "_requested": {
-    "type": "range",
-    "registry": true,
-    "raw": "xtend@^4.0.0",
-    "name": "xtend",
-    "escapedName": "xtend",
-    "rawSpec": "^4.0.0",
-    "saveSpec": null,
-    "fetchSpec": "^4.0.0"
-  },
-  "_requiredBy": [
-    "/multer"
-  ],
-  "_resolved": "https://registry.npmjs.org/xtend/-/xtend-4.0.1.tgz",
-  "_shasum": "a5c6d532be656e23db820efb943a1f04998d63af",
-  "_spec": "xtend@^4.0.0",
-  "_where": "/Users/fzy/project/3mang/node_modules/multer",
-  "author": {
-    "name": "Raynos",
-    "email": "raynos2@gmail.com"
-  },
-  "bugs": {
-    "url": "https://github.com/Raynos/xtend/issues",
-    "email": "raynos2@gmail.com"
-  },
-  "bundleDependencies": false,
-  "contributors": [
-    {
-      "name": "Jake Verbaten"
-    },
-    {
-      "name": "Matt Esch"
-    }
-  ],
-  "dependencies": {},
-  "deprecated": false,
-  "description": "extend like a boss",
-  "devDependencies": {
-    "tape": "~1.1.0"
-  },
-  "engines": {
-    "node": ">=0.4"
-  },
-  "homepage": "https://github.com/Raynos/xtend",
-  "keywords": [
-    "extend",
-    "merge",
-    "options",
-    "opts",
-    "object",
-    "array"
-  ],
-  "license": "MIT",
-  "main": "immutable",
-  "name": "xtend",
-  "repository": {
-    "type": "git",
-    "url": "git://github.com/Raynos/xtend.git"
-  },
-  "scripts": {
-    "test": "node test"
-  },
-  "testling": {
-    "files": "test.js",
-    "browsers": [
-      "ie/7..latest",
-      "firefox/16..latest",
-      "firefox/nightly",
-      "chrome/22..latest",
-      "chrome/canary",
-      "opera/12..latest",
-      "opera/next",
-      "safari/5.1..latest",
-      "ipad/6.0..latest",
-      "iphone/6.0..latest"
-    ]
-  },
-  "version": "4.0.1"
-}
diff --git a/node_modules/multer/node_modules/xtend/test.js b/node_modules/multer/node_modules/xtend/test.js
deleted file mode 100644
index 093a2b0..0000000
--- a/node_modules/multer/node_modules/xtend/test.js
+++ /dev/null
@@ -1,83 +0,0 @@
-var test = require("tape")
-var extend = require("./")
-var mutableExtend = require("./mutable")
-
-test("merge", function(assert) {
-    var a = { a: "foo" }
-    var b = { b: "bar" }
-
-    assert.deepEqual(extend(a, b), { a: "foo", b: "bar" })
-    assert.end()
-})
-
-test("replace", function(assert) {
-    var a = { a: "foo" }
-    var b = { a: "bar" }
-
-    assert.deepEqual(extend(a, b), { a: "bar" })
-    assert.end()
-})
-
-test("undefined", function(assert) {
-    var a = { a: undefined }
-    var b = { b: "foo" }
-
-    assert.deepEqual(extend(a, b), { a: undefined, b: "foo" })
-    assert.deepEqual(extend(b, a), { a: undefined, b: "foo" })
-    assert.end()
-})
-
-test("handle 0", function(assert) {
-    var a = { a: "default" }
-    var b = { a: 0 }
-
-    assert.deepEqual(extend(a, b), { a: 0 })
-    assert.deepEqual(extend(b, a), { a: "default" })
-    assert.end()
-})
-
-test("is immutable", function (assert) {
-    var record = {}
-
-    extend(record, { foo: "bar" })
-    assert.equal(record.foo, undefined)
-    assert.end()
-})
-
-test("null as argument", function (assert) {
-    var a = { foo: "bar" }
-    var b = null
-    var c = void 0
-
-    assert.deepEqual(extend(b, a, c), { foo: "bar" })
-    assert.end()
-})
-
-test("mutable", function (assert) {
-    var a = { foo: "bar" }
-
-    mutableExtend(a, { bar: "baz" })
-
-    assert.equal(a.bar, "baz")
-    assert.end()
-})
-
-test("null prototype", function(assert) {
-    var a = { a: "foo" }
-    var b = Object.create(null)
-    b.b = "bar";
-
-    assert.deepEqual(extend(a, b), { a: "foo", b: "bar" })
-    assert.end()
-})
-
-test("null prototype mutable", function (assert) {
-    var a = { foo: "bar" }
-    var b = Object.create(null)
-    b.bar = "baz";
-
-    mutableExtend(a, b)
-
-    assert.equal(a.bar, "baz")
-    assert.end()
-})
diff --git a/node_modules/os/.npmignore b/node_modules/os/.npmignore
new file mode 100644
index 0000000..e920c16
--- /dev/null
+++ b/node_modules/os/.npmignore
@@ -0,0 +1,33 @@
+# Logs
+logs
+*.log
+npm-debug.log*
+
+# Runtime data
+pids
+*.pid
+*.seed
+
+# Directory for instrumented libs generated by jscoverage/JSCover
+lib-cov
+
+# Coverage directory used by tools like istanbul
+coverage
+
+# Grunt intermediate storage (http://gruntjs.com/creating-plugins#storing-task-files)
+.grunt
+
+# node-waf configuration
+.lock-wscript
+
+# Compiled binary addons (http://nodejs.org/api/addons.html)
+build/Release
+
+# Dependency directory
+node_modules
+
+# Optional npm cache directory
+.npm
+
+# Optional REPL history
+.node_repl_history
diff --git a/node_modules/os/LICENSE b/node_modules/os/LICENSE
new file mode 100644
index 0000000..39b96a4
--- /dev/null
+++ b/node_modules/os/LICENSE
@@ -0,0 +1,21 @@
+The MIT License (MIT)
+
+Copyright (c) 2016 Diego Rodríguez Baquero
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
+SOFTWARE.
diff --git a/node_modules/os/README.md b/node_modules/os/README.md
new file mode 100644
index 0000000..a7138d5
--- /dev/null
+++ b/node_modules/os/README.md
@@ -0,0 +1,24 @@
+# node-os [![npm](https://img.shields.io/npm/v/os.svg)](https://www.npmjs.com/package/os) [![npm](https://img.shields.io/npm/dm/os.svg)](https://www.npmjs.com/package/os) [![npm](https://img.shields.io/npm/l/os.svg)](LICENSE)
+#### NodeJS Core Module Extended
+
+## Installation
+
+```bash
+npm i os --save
+```
+
+## Usage
+
+In your node program:
+
+```js
+var os = require('os')
+```
+
+## API
+
+https://nodejs.org/api/os.html
+
+## License
+
+MIT. Copyright (c) [Diego Rodríguez Baquero](https://diegorbaquero.com).
diff --git a/node_modules/os/index.js b/node_modules/os/index.js
new file mode 100644
index 0000000..889b75f
--- /dev/null
+++ b/node_modules/os/index.js
@@ -0,0 +1 @@
+module.exports = require('os')
diff --git a/node_modules/os/package.json b/node_modules/os/package.json
new file mode 100644
index 0000000..cd8a32b
--- /dev/null
+++ b/node_modules/os/package.json
@@ -0,0 +1,92 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "os",
+        "scope": null,
+        "escapedName": "os",
+        "name": "os",
+        "rawSpec": "",
+        "spec": "latest",
+        "type": "tag"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project"
+    ]
+  ],
+  "_from": "os@latest",
+  "_id": "os@0.1.1",
+  "_inCache": true,
+  "_location": "/os",
+  "_nodeVersion": "4.4.2",
+  "_npmOperationalInternal": {
+    "host": "packages-12-west.internal.npmjs.com",
+    "tmp": "tmp/os-0.1.1.tgz_1460783948898_0.22405175562016666"
+  },
+  "_npmUser": {
+    "name": "diegorbaquero",
+    "email": "diegorbaquero@gmail.com"
+  },
+  "_npmVersion": "2.15.0",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "os",
+    "scope": null,
+    "escapedName": "os",
+    "name": "os",
+    "rawSpec": "",
+    "spec": "latest",
+    "type": "tag"
+  },
+  "_requiredBy": [
+    "#USER"
+  ],
+  "_resolved": "https://registry.npmjs.org/os/-/os-0.1.1.tgz",
+  "_shasum": "208845e89e193ad4d971474b93947736a56d13f3",
+  "_shrinkwrap": null,
+  "_spec": "os",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project",
+  "author": {
+    "name": "Diego Rodríguez Baquero",
+    "email": "diegorbaquero@gmail.com",
+    "url": "https://diegorbaquero.com"
+  },
+  "bugs": {
+    "url": "https://github.com/DiegoRBaquero/node-os/issues"
+  },
+  "dependencies": {},
+  "description": "NodeJS Core Module Extended",
+  "devDependencies": {},
+  "directories": {},
+  "dist": {
+    "shasum": "208845e89e193ad4d971474b93947736a56d13f3",
+    "tarball": "https://registry.npmjs.org/os/-/os-0.1.1.tgz"
+  },
+  "gitHead": "fbb94c03c79b11cff0484dffe8dc47bc88610746",
+  "homepage": "https://github.com/DiegoRBaquero/node-os#readme",
+  "keywords": [
+    "node",
+    "os",
+    "core",
+    "module"
+  ],
+  "license": "MIT",
+  "main": "index.js",
+  "maintainers": [
+    {
+      "name": "diegorbaquero",
+      "email": "diegorbaquero@gmail.com"
+    }
+  ],
+  "name": "os",
+  "optionalDependencies": {},
+  "readme": "# node-os [![npm](https://img.shields.io/npm/v/os.svg)](https://www.npmjs.com/package/os) [![npm](https://img.shields.io/npm/dm/os.svg)](https://www.npmjs.com/package/os) [![npm](https://img.shields.io/npm/l/os.svg)](LICENSE)\n#### NodeJS Core Module Extended\n\n## Installation\n\n```bash\nnpm i os --save\n```\n\n## Usage\n\nIn your node program:\n\n```js\nvar os = require('os')\n```\n\n## API\n\nhttps://nodejs.org/api/os.html\n\n## License\n\nMIT. Copyright (c) [Diego Rodríguez Baquero](https://diegorbaquero.com).\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git+https://github.com/DiegoRBaquero/node-os.git"
+  },
+  "scripts": {
+    "test": "echo \"Error: no test specified\" && exit 1"
+  },
+  "version": "0.1.1"
+}
diff --git a/node_modules/multer/node_modules/xtend/.npmignore b/node_modules/path/.npmignore
index 3c3629e..b512c09 100644
--- a/node_modules/multer/node_modules/xtend/.npmignore
+++ b/node_modules/path/.npmignore
@@ -1 +1 @@
-node_modules
+node_modules
\ No newline at end of file
diff --git a/node_modules/path/LICENSE b/node_modules/path/LICENSE
new file mode 100644
index 0000000..a7e984d
--- /dev/null
+++ b/node_modules/path/LICENSE
@@ -0,0 +1,18 @@
+Copyright Joyent, Inc. and other Node contributors. All rights reserved.
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to
+deal in the Software without restriction, including without limitation the
+rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
+sell copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in
+all copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
+FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS
+IN THE SOFTWARE.
diff --git a/node_modules/path/README.md b/node_modules/path/README.md
new file mode 100644
index 0000000..6e7d668
--- /dev/null
+++ b/node_modules/path/README.md
@@ -0,0 +1,15 @@
+# path
+
+This is an exact copy of the NodeJS ’path’ module published to the NPM registry. 
+
+[Documentation](http://nodejs.org/docs/latest/api/path.html)
+
+## Install
+
+```sh
+$ npm install --save path
+```
+
+## License
+
+MIT
diff --git a/node_modules/path/package.json b/node_modules/path/package.json
new file mode 100644
index 0000000..befba5c
--- /dev/null
+++ b/node_modules/path/package.json
@@ -0,0 +1,94 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "path",
+        "scope": null,
+        "escapedName": "path",
+        "name": "path",
+        "rawSpec": "",
+        "spec": "latest",
+        "type": "tag"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project"
+    ]
+  ],
+  "_from": "path@latest",
+  "_id": "path@0.12.7",
+  "_inCache": true,
+  "_location": "/path",
+  "_nodeVersion": "0.12.7",
+  "_npmUser": {
+    "name": "jinder",
+    "email": "jindersidhu@gmail.com"
+  },
+  "_npmVersion": "2.11.3",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "path",
+    "scope": null,
+    "escapedName": "path",
+    "name": "path",
+    "rawSpec": "",
+    "spec": "latest",
+    "type": "tag"
+  },
+  "_requiredBy": [
+    "#USER"
+  ],
+  "_resolved": "https://registry.npmjs.org/path/-/path-0.12.7.tgz",
+  "_shasum": "d4dc2a506c4ce2197eb481ebfcd5b36c0140b10f",
+  "_shrinkwrap": null,
+  "_spec": "path",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project",
+  "author": {
+    "name": "Joyent",
+    "url": "http://www.joyent.com"
+  },
+  "bugs": {
+    "url": "https://github.com/jinder/path/issues"
+  },
+  "dependencies": {
+    "process": "^0.11.1",
+    "util": "^0.10.3"
+  },
+  "description": "Node.JS path module",
+  "devDependencies": {},
+  "directories": {},
+  "dist": {
+    "shasum": "d4dc2a506c4ce2197eb481ebfcd5b36c0140b10f",
+    "tarball": "https://registry.npmjs.org/path/-/path-0.12.7.tgz"
+  },
+  "gitHead": "7fbaede3ca9d224494cbdd47d7ca803ee96d2055",
+  "homepage": "http://nodejs.org/docs/latest/api/path.html",
+  "keywords": [
+    "ender",
+    "path"
+  ],
+  "license": "MIT",
+  "main": "./path.js",
+  "maintainers": [
+    {
+      "name": "coolaj86",
+      "email": "coolaj86@gmail.com"
+    },
+    {
+      "name": "jinder",
+      "email": "jindersidhu@gmail.com"
+    },
+    {
+      "name": "defunctzombie",
+      "email": "shtylman@gmail.com"
+    }
+  ],
+  "name": "path",
+  "optionalDependencies": {},
+  "readme": "# path\r\n\r\nThis is an exact copy of the NodeJS ’path’ module published to the NPM registry. \r\n\r\n[Documentation](http://nodejs.org/docs/latest/api/path.html)\r\n\r\n## Install\r\n\r\n```sh\r\n$ npm install --save path\r\n```\r\n\r\n## License\r\n\r\nMIT\r\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git://github.com/jinder/path.git"
+  },
+  "scripts": {},
+  "version": "0.12.7"
+}
diff --git a/node_modules/path/path.js b/node_modules/path/path.js
new file mode 100644
index 0000000..87b8ee4
--- /dev/null
+++ b/node_modules/path/path.js
@@ -0,0 +1,628 @@
+// Copyright Joyent, Inc. and other Node contributors.
+//
+// Permission is hereby granted, free of charge, to any person obtaining a
+// copy of this software and associated documentation files (the
+// "Software"), to deal in the Software without restriction, including
+// without limitation the rights to use, copy, modify, merge, publish,
+// distribute, sublicense, and/or sell copies of the Software, and to permit
+// persons to whom the Software is furnished to do so, subject to the
+// following conditions:
+//
+// The above copyright notice and this permission notice shall be included
+// in all copies or substantial portions of the Software.
+//
+// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+// USE OR OTHER DEALINGS IN THE SOFTWARE.
+
+'use strict';
+
+
+var isWindows = process.platform === 'win32';
+var util = require('util');
+
+
+// resolves . and .. elements in a path array with directory names there
+// must be no slashes or device names (c:\) in the array
+// (so also no leading and trailing slashes - it does not distinguish
+// relative and absolute paths)
+function normalizeArray(parts, allowAboveRoot) {
+  var res = [];
+  for (var i = 0; i < parts.length; i++) {
+    var p = parts[i];
+
+    // ignore empty parts
+    if (!p || p === '.')
+      continue;
+
+    if (p === '..') {
+      if (res.length && res[res.length - 1] !== '..') {
+        res.pop();
+      } else if (allowAboveRoot) {
+        res.push('..');
+      }
+    } else {
+      res.push(p);
+    }
+  }
+
+  return res;
+}
+
+// returns an array with empty elements removed from either end of the input
+// array or the original array if no elements need to be removed
+function trimArray(arr) {
+  var lastIndex = arr.length - 1;
+  var start = 0;
+  for (; start <= lastIndex; start++) {
+    if (arr[start])
+      break;
+  }
+
+  var end = lastIndex;
+  for (; end >= 0; end--) {
+    if (arr[end])
+      break;
+  }
+
+  if (start === 0 && end === lastIndex)
+    return arr;
+  if (start > end)
+    return [];
+  return arr.slice(start, end + 1);
+}
+
+// Regex to split a windows path into three parts: [*, device, slash,
+// tail] windows-only
+var splitDeviceRe =
+    /^([a-zA-Z]:|[\\\/]{2}[^\\\/]+[\\\/]+[^\\\/]+)?([\\\/])?([\s\S]*?)$/;
+
+// Regex to split the tail part of the above into [*, dir, basename, ext]
+var splitTailRe =
+    /^([\s\S]*?)((?:\.{1,2}|[^\\\/]+?|)(\.[^.\/\\]*|))(?:[\\\/]*)$/;
+
+var win32 = {};
+
+// Function to split a filename into [root, dir, basename, ext]
+function win32SplitPath(filename) {
+  // Separate device+slash from tail
+  var result = splitDeviceRe.exec(filename),
+      device = (result[1] || '') + (result[2] || ''),
+      tail = result[3] || '';
+  // Split the tail into dir, basename and extension
+  var result2 = splitTailRe.exec(tail),
+      dir = result2[1],
+      basename = result2[2],
+      ext = result2[3];
+  return [device, dir, basename, ext];
+}
+
+function win32StatPath(path) {
+  var result = splitDeviceRe.exec(path),
+      device = result[1] || '',
+      isUnc = !!device && device[1] !== ':';
+  return {
+    device: device,
+    isUnc: isUnc,
+    isAbsolute: isUnc || !!result[2], // UNC paths are always absolute
+    tail: result[3]
+  };
+}
+
+function normalizeUNCRoot(device) {
+  return '\\\\' + device.replace(/^[\\\/]+/, '').replace(/[\\\/]+/g, '\\');
+}
+
+// path.resolve([from ...], to)
+win32.resolve = function() {
+  var resolvedDevice = '',
+      resolvedTail = '',
+      resolvedAbsolute = false;
+
+  for (var i = arguments.length - 1; i >= -1; i--) {
+    var path;
+    if (i >= 0) {
+      path = arguments[i];
+    } else if (!resolvedDevice) {
+      path = process.cwd();
+    } else {
+      // Windows has the concept of drive-specific current working
+      // directories. If we've resolved a drive letter but not yet an
+      // absolute path, get cwd for that drive. We're sure the device is not
+      // an unc path at this points, because unc paths are always absolute.
+      path = process.env['=' + resolvedDevice];
+      // Verify that a drive-local cwd was found and that it actually points
+      // to our drive. If not, default to the drive's root.
+      if (!path || path.substr(0, 3).toLowerCase() !==
+          resolvedDevice.toLowerCase() + '\\') {
+        path = resolvedDevice + '\\';
+      }
+    }
+
+    // Skip empty and invalid entries
+    if (!util.isString(path)) {
+      throw new TypeError('Arguments to path.resolve must be strings');
+    } else if (!path) {
+      continue;
+    }
+
+    var result = win32StatPath(path),
+        device = result.device,
+        isUnc = result.isUnc,
+        isAbsolute = result.isAbsolute,
+        tail = result.tail;
+
+    if (device &&
+        resolvedDevice &&
+        device.toLowerCase() !== resolvedDevice.toLowerCase()) {
+      // This path points to another device so it is not applicable
+      continue;
+    }
+
+    if (!resolvedDevice) {
+      resolvedDevice = device;
+    }
+    if (!resolvedAbsolute) {
+      resolvedTail = tail + '\\' + resolvedTail;
+      resolvedAbsolute = isAbsolute;
+    }
+
+    if (resolvedDevice && resolvedAbsolute) {
+      break;
+    }
+  }
+
+  // Convert slashes to backslashes when `resolvedDevice` points to an UNC
+  // root. Also squash multiple slashes into a single one where appropriate.
+  if (isUnc) {
+    resolvedDevice = normalizeUNCRoot(resolvedDevice);
+  }
+
+  // At this point the path should be resolved to a full absolute path,
+  // but handle relative paths to be safe (might happen when process.cwd()
+  // fails)
+
+  // Normalize the tail path
+  resolvedTail = normalizeArray(resolvedTail.split(/[\\\/]+/),
+                                !resolvedAbsolute).join('\\');
+
+  return (resolvedDevice + (resolvedAbsolute ? '\\' : '') + resolvedTail) ||
+         '.';
+};
+
+
+win32.normalize = function(path) {
+  var result = win32StatPath(path),
+      device = result.device,
+      isUnc = result.isUnc,
+      isAbsolute = result.isAbsolute,
+      tail = result.tail,
+      trailingSlash = /[\\\/]$/.test(tail);
+
+  // Normalize the tail path
+  tail = normalizeArray(tail.split(/[\\\/]+/), !isAbsolute).join('\\');
+
+  if (!tail && !isAbsolute) {
+    tail = '.';
+  }
+  if (tail && trailingSlash) {
+    tail += '\\';
+  }
+
+  // Convert slashes to backslashes when `device` points to an UNC root.
+  // Also squash multiple slashes into a single one where appropriate.
+  if (isUnc) {
+    device = normalizeUNCRoot(device);
+  }
+
+  return device + (isAbsolute ? '\\' : '') + tail;
+};
+
+
+win32.isAbsolute = function(path) {
+  return win32StatPath(path).isAbsolute;
+};
+
+win32.join = function() {
+  var paths = [];
+  for (var i = 0; i < arguments.length; i++) {
+    var arg = arguments[i];
+    if (!util.isString(arg)) {
+      throw new TypeError('Arguments to path.join must be strings');
+    }
+    if (arg) {
+      paths.push(arg);
+    }
+  }
+
+  var joined = paths.join('\\');
+
+  // Make sure that the joined path doesn't start with two slashes, because
+  // normalize() will mistake it for an UNC path then.
+  //
+  // This step is skipped when it is very clear that the user actually
+  // intended to point at an UNC path. This is assumed when the first
+  // non-empty string arguments starts with exactly two slashes followed by
+  // at least one more non-slash character.
+  //
+  // Note that for normalize() to treat a path as an UNC path it needs to
+  // have at least 2 components, so we don't filter for that here.
+  // This means that the user can use join to construct UNC paths from
+  // a server name and a share name; for example:
+  //   path.join('//server', 'share') -> '\\\\server\\share\')
+  if (!/^[\\\/]{2}[^\\\/]/.test(paths[0])) {
+    joined = joined.replace(/^[\\\/]{2,}/, '\\');
+  }
+
+  return win32.normalize(joined);
+};
+
+
+// path.relative(from, to)
+// it will solve the relative path from 'from' to 'to', for instance:
+// from = 'C:\\orandea\\test\\aaa'
+// to = 'C:\\orandea\\impl\\bbb'
+// The output of the function should be: '..\\..\\impl\\bbb'
+win32.relative = function(from, to) {
+  from = win32.resolve(from);
+  to = win32.resolve(to);
+
+  // windows is not case sensitive
+  var lowerFrom = from.toLowerCase();
+  var lowerTo = to.toLowerCase();
+
+  var toParts = trimArray(to.split('\\'));
+
+  var lowerFromParts = trimArray(lowerFrom.split('\\'));
+  var lowerToParts = trimArray(lowerTo.split('\\'));
+
+  var length = Math.min(lowerFromParts.length, lowerToParts.length);
+  var samePartsLength = length;
+  for (var i = 0; i < length; i++) {
+    if (lowerFromParts[i] !== lowerToParts[i]) {
+      samePartsLength = i;
+      break;
+    }
+  }
+
+  if (samePartsLength == 0) {
+    return to;
+  }
+
+  var outputParts = [];
+  for (var i = samePartsLength; i < lowerFromParts.length; i++) {
+    outputParts.push('..');
+  }
+
+  outputParts = outputParts.concat(toParts.slice(samePartsLength));
+
+  return outputParts.join('\\');
+};
+
+
+win32._makeLong = function(path) {
+  // Note: this will *probably* throw somewhere.
+  if (!util.isString(path))
+    return path;
+
+  if (!path) {
+    return '';
+  }
+
+  var resolvedPath = win32.resolve(path);
+
+  if (/^[a-zA-Z]\:\\/.test(resolvedPath)) {
+    // path is local filesystem path, which needs to be converted
+    // to long UNC path.
+    return '\\\\?\\' + resolvedPath;
+  } else if (/^\\\\[^?.]/.test(resolvedPath)) {
+    // path is network UNC path, which needs to be converted
+    // to long UNC path.
+    return '\\\\?\\UNC\\' + resolvedPath.substring(2);
+  }
+
+  return path;
+};
+
+
+win32.dirname = function(path) {
+  var result = win32SplitPath(path),
+      root = result[0],
+      dir = result[1];
+
+  if (!root && !dir) {
+    // No dirname whatsoever
+    return '.';
+  }
+
+  if (dir) {
+    // It has a dirname, strip trailing slash
+    dir = dir.substr(0, dir.length - 1);
+  }
+
+  return root + dir;
+};
+
+
+win32.basename = function(path, ext) {
+  var f = win32SplitPath(path)[2];
+  // TODO: make this comparison case-insensitive on windows?
+  if (ext && f.substr(-1 * ext.length) === ext) {
+    f = f.substr(0, f.length - ext.length);
+  }
+  return f;
+};
+
+
+win32.extname = function(path) {
+  return win32SplitPath(path)[3];
+};
+
+
+win32.format = function(pathObject) {
+  if (!util.isObject(pathObject)) {
+    throw new TypeError(
+        "Parameter 'pathObject' must be an object, not " + typeof pathObject
+    );
+  }
+
+  var root = pathObject.root || '';
+
+  if (!util.isString(root)) {
+    throw new TypeError(
+        "'pathObject.root' must be a string or undefined, not " +
+        typeof pathObject.root
+    );
+  }
+
+  var dir = pathObject.dir;
+  var base = pathObject.base || '';
+  if (!dir) {
+    return base;
+  }
+  if (dir[dir.length - 1] === win32.sep) {
+    return dir + base;
+  }
+  return dir + win32.sep + base;
+};
+
+
+win32.parse = function(pathString) {
+  if (!util.isString(pathString)) {
+    throw new TypeError(
+        "Parameter 'pathString' must be a string, not " + typeof pathString
+    );
+  }
+  var allParts = win32SplitPath(pathString);
+  if (!allParts || allParts.length !== 4) {
+    throw new TypeError("Invalid path '" + pathString + "'");
+  }
+  return {
+    root: allParts[0],
+    dir: allParts[0] + allParts[1].slice(0, -1),
+    base: allParts[2],
+    ext: allParts[3],
+    name: allParts[2].slice(0, allParts[2].length - allParts[3].length)
+  };
+};
+
+
+win32.sep = '\\';
+win32.delimiter = ';';
+
+
+// Split a filename into [root, dir, basename, ext], unix version
+// 'root' is just a slash, or nothing.
+var splitPathRe =
+    /^(\/?|)([\s\S]*?)((?:\.{1,2}|[^\/]+?|)(\.[^.\/]*|))(?:[\/]*)$/;
+var posix = {};
+
+
+function posixSplitPath(filename) {
+  return splitPathRe.exec(filename).slice(1);
+}
+
+
+// path.resolve([from ...], to)
+// posix version
+posix.resolve = function() {
+  var resolvedPath = '',
+      resolvedAbsolute = false;
+
+  for (var i = arguments.length - 1; i >= -1 && !resolvedAbsolute; i--) {
+    var path = (i >= 0) ? arguments[i] : process.cwd();
+
+    // Skip empty and invalid entries
+    if (!util.isString(path)) {
+      throw new TypeError('Arguments to path.resolve must be strings');
+    } else if (!path) {
+      continue;
+    }
+
+    resolvedPath = path + '/' + resolvedPath;
+    resolvedAbsolute = path[0] === '/';
+  }
+
+  // At this point the path should be resolved to a full absolute path, but
+  // handle relative paths to be safe (might happen when process.cwd() fails)
+
+  // Normalize the path
+  resolvedPath = normalizeArray(resolvedPath.split('/'),
+                                !resolvedAbsolute).join('/');
+
+  return ((resolvedAbsolute ? '/' : '') + resolvedPath) || '.';
+};
+
+// path.normalize(path)
+// posix version
+posix.normalize = function(path) {
+  var isAbsolute = posix.isAbsolute(path),
+      trailingSlash = path && path[path.length - 1] === '/';
+
+  // Normalize the path
+  path = normalizeArray(path.split('/'), !isAbsolute).join('/');
+
+  if (!path && !isAbsolute) {
+    path = '.';
+  }
+  if (path && trailingSlash) {
+    path += '/';
+  }
+
+  return (isAbsolute ? '/' : '') + path;
+};
+
+// posix version
+posix.isAbsolute = function(path) {
+  return path.charAt(0) === '/';
+};
+
+// posix version
+posix.join = function() {
+  var path = '';
+  for (var i = 0; i < arguments.length; i++) {
+    var segment = arguments[i];
+    if (!util.isString(segment)) {
+      throw new TypeError('Arguments to path.join must be strings');
+    }
+    if (segment) {
+      if (!path) {
+        path += segment;
+      } else {
+        path += '/' + segment;
+      }
+    }
+  }
+  return posix.normalize(path);
+};
+
+
+// path.relative(from, to)
+// posix version
+posix.relative = function(from, to) {
+  from = posix.resolve(from).substr(1);
+  to = posix.resolve(to).substr(1);
+
+  var fromParts = trimArray(from.split('/'));
+  var toParts = trimArray(to.split('/'));
+
+  var length = Math.min(fromParts.length, toParts.length);
+  var samePartsLength = length;
+  for (var i = 0; i < length; i++) {
+    if (fromParts[i] !== toParts[i]) {
+      samePartsLength = i;
+      break;
+    }
+  }
+
+  var outputParts = [];
+  for (var i = samePartsLength; i < fromParts.length; i++) {
+    outputParts.push('..');
+  }
+
+  outputParts = outputParts.concat(toParts.slice(samePartsLength));
+
+  return outputParts.join('/');
+};
+
+
+posix._makeLong = function(path) {
+  return path;
+};
+
+
+posix.dirname = function(path) {
+  var result = posixSplitPath(path),
+      root = result[0],
+      dir = result[1];
+
+  if (!root && !dir) {
+    // No dirname whatsoever
+    return '.';
+  }
+
+  if (dir) {
+    // It has a dirname, strip trailing slash
+    dir = dir.substr(0, dir.length - 1);
+  }
+
+  return root + dir;
+};
+
+
+posix.basename = function(path, ext) {
+  var f = posixSplitPath(path)[2];
+  // TODO: make this comparison case-insensitive on windows?
+  if (ext && f.substr(-1 * ext.length) === ext) {
+    f = f.substr(0, f.length - ext.length);
+  }
+  return f;
+};
+
+
+posix.extname = function(path) {
+  return posixSplitPath(path)[3];
+};
+
+
+posix.format = function(pathObject) {
+  if (!util.isObject(pathObject)) {
+    throw new TypeError(
+        "Parameter 'pathObject' must be an object, not " + typeof pathObject
+    );
+  }
+
+  var root = pathObject.root || '';
+
+  if (!util.isString(root)) {
+    throw new TypeError(
+        "'pathObject.root' must be a string or undefined, not " +
+        typeof pathObject.root
+    );
+  }
+
+  var dir = pathObject.dir ? pathObject.dir + posix.sep : '';
+  var base = pathObject.base || '';
+  return dir + base;
+};
+
+
+posix.parse = function(pathString) {
+  if (!util.isString(pathString)) {
+    throw new TypeError(
+        "Parameter 'pathString' must be a string, not " + typeof pathString
+    );
+  }
+  var allParts = posixSplitPath(pathString);
+  if (!allParts || allParts.length !== 4) {
+    throw new TypeError("Invalid path '" + pathString + "'");
+  }
+  allParts[1] = allParts[1] || '';
+  allParts[2] = allParts[2] || '';
+  allParts[3] = allParts[3] || '';
+
+  return {
+    root: allParts[0],
+    dir: allParts[0] + allParts[1].slice(0, -1),
+    base: allParts[2],
+    ext: allParts[3],
+    name: allParts[2].slice(0, allParts[2].length - allParts[3].length)
+  };
+};
+
+
+posix.sep = '/';
+posix.delimiter = ':';
+
+
+if (isWindows)
+  module.exports = win32;
+else /* posix */
+  module.exports = posix;
+
+module.exports.posix = posix;
+module.exports.win32 = win32;
diff --git a/node_modules/process/.eslintrc b/node_modules/process/.eslintrc
new file mode 100644
index 0000000..1e7aab7
--- /dev/null
+++ b/node_modules/process/.eslintrc
@@ -0,0 +1,21 @@
+{
+extends: "eslint:recommended",
+  "env": {
+    "node": true,
+    "browser": true,
+    "es6" : true,
+    "mocha": true
+  },
+  "rules": {
+    "indent": [2, 4],
+    "brace-style": [2, "1tbs"],
+    "quotes": [2, "single"],
+    "no-console": 0,
+    "no-shadow": 0,
+    "no-use-before-define": [2, "nofunc"],
+    "no-underscore-dangle": 0,
+    "no-constant-condition": 0,
+    "space-after-function-name": 0,
+   "consistent-return": 0
+  }
+}
diff --git a/node_modules/process/LICENSE b/node_modules/process/LICENSE
new file mode 100644
index 0000000..b8c1246
--- /dev/null
+++ b/node_modules/process/LICENSE
@@ -0,0 +1,22 @@
+(The MIT License)
+
+Copyright (c) 2013 Roman Shtylman <shtylman@gmail.com>
+
+Permission is hereby granted, free of charge, to any person obtaining
+a copy of this software and associated documentation files (the
+'Software'), to deal in the Software without restriction, including
+without limitation the rights to use, copy, modify, merge, publish,
+distribute, sublicense, and/or sell copies of the Software, and to
+permit persons to whom the Software is furnished to do so, subject to
+the following conditions:
+
+The above copyright notice and this permission notice shall be
+included in all copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND,
+EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.
+IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY
+CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT,
+TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE
+SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
diff --git a/node_modules/process/README.md b/node_modules/process/README.md
new file mode 100644
index 0000000..6570729
--- /dev/null
+++ b/node_modules/process/README.md
@@ -0,0 +1,26 @@
+# process
+
+```require('process');``` just like any other module.
+
+Works in node.js and browsers via the browser.js shim provided with the module.
+
+## browser implementation
+
+The goal of this module is not to be a full-fledged alternative to the builtin process module. This module mostly exists to provide the nextTick functionality and little more. We keep this module lean because it will often be included by default by tools like browserify when it detects a module has used the `process` global.
+
+It also exposes a "browser" member (i.e. `process.browser`) which is `true` in this implementation but `undefined` in node. This can be used in isomorphic code that adjusts it's behavior depending on which environment it's running in. 
+
+If you are looking to provide other process methods, I suggest you monkey patch them onto the process global in your app. A list of user created patches is below.
+
+* [hrtime](https://github.com/kumavis/browser-process-hrtime)
+* [stdout](https://github.com/kumavis/browser-stdout)
+
+## package manager notes
+
+If you are writing a bundler to package modules for client side use, make sure you use the ```browser``` field hint in package.json.
+
+See https://gist.github.com/4339901 for details.
+
+The [browserify](https://github.com/substack/node-browserify) module will properly handle this field when bundling your files.
+
+
diff --git a/node_modules/process/browser.js b/node_modules/process/browser.js
new file mode 100644
index 0000000..d059362
--- /dev/null
+++ b/node_modules/process/browser.js
@@ -0,0 +1,184 @@
+// shim for using process in browser
+var process = module.exports = {};
+
+// cached from whatever global is present so that test runners that stub it
+// don't break things.  But we need to wrap it in a try catch in case it is
+// wrapped in strict mode code which doesn't define any globals.  It's inside a
+// function because try/catches deoptimize in certain engines.
+
+var cachedSetTimeout;
+var cachedClearTimeout;
+
+function defaultSetTimout() {
+    throw new Error('setTimeout has not been defined');
+}
+function defaultClearTimeout () {
+    throw new Error('clearTimeout has not been defined');
+}
+(function () {
+    try {
+        if (typeof setTimeout === 'function') {
+            cachedSetTimeout = setTimeout;
+        } else {
+            cachedSetTimeout = defaultSetTimout;
+        }
+    } catch (e) {
+        cachedSetTimeout = defaultSetTimout;
+    }
+    try {
+        if (typeof clearTimeout === 'function') {
+            cachedClearTimeout = clearTimeout;
+        } else {
+            cachedClearTimeout = defaultClearTimeout;
+        }
+    } catch (e) {
+        cachedClearTimeout = defaultClearTimeout;
+    }
+} ())
+function runTimeout(fun) {
+    if (cachedSetTimeout === setTimeout) {
+        //normal enviroments in sane situations
+        return setTimeout(fun, 0);
+    }
+    // if setTimeout wasn't available but was latter defined
+    if ((cachedSetTimeout === defaultSetTimout || !cachedSetTimeout) && setTimeout) {
+        cachedSetTimeout = setTimeout;
+        return setTimeout(fun, 0);
+    }
+    try {
+        // when when somebody has screwed with setTimeout but no I.E. maddness
+        return cachedSetTimeout(fun, 0);
+    } catch(e){
+        try {
+            // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally
+            return cachedSetTimeout.call(null, fun, 0);
+        } catch(e){
+            // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error
+            return cachedSetTimeout.call(this, fun, 0);
+        }
+    }
+
+
+}
+function runClearTimeout(marker) {
+    if (cachedClearTimeout === clearTimeout) {
+        //normal enviroments in sane situations
+        return clearTimeout(marker);
+    }
+    // if clearTimeout wasn't available but was latter defined
+    if ((cachedClearTimeout === defaultClearTimeout || !cachedClearTimeout) && clearTimeout) {
+        cachedClearTimeout = clearTimeout;
+        return clearTimeout(marker);
+    }
+    try {
+        // when when somebody has screwed with setTimeout but no I.E. maddness
+        return cachedClearTimeout(marker);
+    } catch (e){
+        try {
+            // When we are in I.E. but the script has been evaled so I.E. doesn't  trust the global object when called normally
+            return cachedClearTimeout.call(null, marker);
+        } catch (e){
+            // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error.
+            // Some versions of I.E. have different rules for clearTimeout vs setTimeout
+            return cachedClearTimeout.call(this, marker);
+        }
+    }
+
+
+
+}
+var queue = [];
+var draining = false;
+var currentQueue;
+var queueIndex = -1;
+
+function cleanUpNextTick() {
+    if (!draining || !currentQueue) {
+        return;
+    }
+    draining = false;
+    if (currentQueue.length) {
+        queue = currentQueue.concat(queue);
+    } else {
+        queueIndex = -1;
+    }
+    if (queue.length) {
+        drainQueue();
+    }
+}
+
+function drainQueue() {
+    if (draining) {
+        return;
+    }
+    var timeout = runTimeout(cleanUpNextTick);
+    draining = true;
+
+    var len = queue.length;
+    while(len) {
+        currentQueue = queue;
+        queue = [];
+        while (++queueIndex < len) {
+            if (currentQueue) {
+                currentQueue[queueIndex].run();
+            }
+        }
+        queueIndex = -1;
+        len = queue.length;
+    }
+    currentQueue = null;
+    draining = false;
+    runClearTimeout(timeout);
+}
+
+process.nextTick = function (fun) {
+    var args = new Array(arguments.length - 1);
+    if (arguments.length > 1) {
+        for (var i = 1; i < arguments.length; i++) {
+            args[i - 1] = arguments[i];
+        }
+    }
+    queue.push(new Item(fun, args));
+    if (queue.length === 1 && !draining) {
+        runTimeout(drainQueue);
+    }
+};
+
+// v8 likes predictible objects
+function Item(fun, array) {
+    this.fun = fun;
+    this.array = array;
+}
+Item.prototype.run = function () {
+    this.fun.apply(null, this.array);
+};
+process.title = 'browser';
+process.browser = true;
+process.env = {};
+process.argv = [];
+process.version = ''; // empty string to avoid regexp issues
+process.versions = {};
+
+function noop() {}
+
+process.on = noop;
+process.addListener = noop;
+process.once = noop;
+process.off = noop;
+process.removeListener = noop;
+process.removeAllListeners = noop;
+process.emit = noop;
+process.prependListener = noop;
+process.prependOnceListener = noop;
+
+process.listeners = function (name) { return [] }
+
+process.binding = function (name) {
+    throw new Error('process.binding is not supported');
+};
+
+process.cwd = function () { return '/' };
+process.chdir = function (dir) {
+    throw new Error('process.chdir is not supported');
+};
+process.umask = function() { return 0; };
diff --git a/node_modules/process/index.js b/node_modules/process/index.js
new file mode 100644
index 0000000..8d8ed7d
--- /dev/null
+++ b/node_modules/process/index.js
@@ -0,0 +1,2 @@
+// for now just expose the builtin process global from node.js
+module.exports = global.process;
diff --git a/node_modules/process/package.json b/node_modules/process/package.json
new file mode 100644
index 0000000..2326711
--- /dev/null
+++ b/node_modules/process/package.json
@@ -0,0 +1,104 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "process@^0.11.1",
+        "scope": null,
+        "escapedName": "process",
+        "name": "process",
+        "rawSpec": "^0.11.1",
+        "spec": ">=0.11.1 <0.12.0",
+        "type": "range"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/path"
+    ]
+  ],
+  "_from": "process@>=0.11.1 <0.12.0",
+  "_id": "process@0.11.10",
+  "_inCache": true,
+  "_location": "/process",
+  "_nodeVersion": "6.10.0",
+  "_npmOperationalInternal": {
+    "host": "packages-12-west.internal.npmjs.com",
+    "tmp": "tmp/process-0.11.10.tgz_1493210065468_0.9640797527972609"
+  },
+  "_npmUser": {
+    "name": "cwmma",
+    "email": "calvin.metcalf@gmail.com"
+  },
+  "_npmVersion": "4.0.5",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "process@^0.11.1",
+    "scope": null,
+    "escapedName": "process",
+    "name": "process",
+    "rawSpec": "^0.11.1",
+    "spec": ">=0.11.1 <0.12.0",
+    "type": "range"
+  },
+  "_requiredBy": [
+    "/path"
+  ],
+  "_resolved": "https://registry.npmjs.org/process/-/process-0.11.10.tgz",
+  "_shasum": "7332300e840161bda3e69a1d1d91a7d4bc16f182",
+  "_shrinkwrap": null,
+  "_spec": "process@^0.11.1",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/path",
+  "author": {
+    "name": "Roman Shtylman",
+    "email": "shtylman@gmail.com"
+  },
+  "browser": "./browser.js",
+  "bugs": {
+    "url": "https://github.com/shtylman/node-process/issues"
+  },
+  "dependencies": {},
+  "description": "process information for node.js and browsers",
+  "devDependencies": {
+    "mocha": "2.2.1",
+    "zuul": "^3.10.3"
+  },
+  "directories": {},
+  "dist": {
+    "shasum": "7332300e840161bda3e69a1d1d91a7d4bc16f182",
+    "tarball": "https://registry.npmjs.org/process/-/process-0.11.10.tgz"
+  },
+  "engines": {
+    "node": ">= 0.6.0"
+  },
+  "gitHead": "557aa46f283caccce603dbb9c376b3d81067c510",
+  "homepage": "https://github.com/shtylman/node-process#readme",
+  "keywords": [
+    "process"
+  ],
+  "license": "MIT",
+  "main": "./index.js",
+  "maintainers": [
+    {
+      "name": "coolaj86",
+      "email": "coolaj86@gmail.com"
+    },
+    {
+      "name": "cwmma",
+      "email": "calvin.metcalf@gmail.com"
+    },
+    {
+      "name": "defunctzombie",
+      "email": "shtylman@gmail.com"
+    }
+  ],
+  "name": "process",
+  "optionalDependencies": {},
+  "readme": "# process\n\n```require('process');``` just like any other module.\n\nWorks in node.js and browsers via the browser.js shim provided with the module.\n\n## browser implementation\n\nThe goal of this module is not to be a full-fledged alternative to the builtin process module. This module mostly exists to provide the nextTick functionality and little more. We keep this module lean because it will often be included by default by tools like browserify when it detects a module has used the `process` global.\n\nIt also exposes a \"browser\" member (i.e. `process.browser`) which is `true` in this implementation but `undefined` in node. This can be used in isomorphic code that adjusts it's behavior depending on which environment it's running in. \n\nIf you are looking to provide other process methods, I suggest you monkey patch them onto the process global in your app. A list of user created patches is below.\n\n* [hrtime](https://github.com/kumavis/browser-process-hrtime)\n* [stdout](https://github.com/kumavis/browser-stdout)\n\n## package manager notes\n\nIf you are writing a bundler to package modules for client side use, make sure you use the ```browser``` field hint in package.json.\n\nSee https://gist.github.com/4339901 for details.\n\nThe [browserify](https://github.com/substack/node-browserify) module will properly handle this field when bundling your files.\n\n\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git://github.com/shtylman/node-process.git"
+  },
+  "scripts": {
+    "browser": "zuul --no-coverage --ui mocha-bdd --local 8080 -- test.js",
+    "test": "mocha test.js"
+  },
+  "version": "0.11.10"
+}
diff --git a/node_modules/process/test.js b/node_modules/process/test.js
new file mode 100644
index 0000000..8ba579c
--- /dev/null
+++ b/node_modules/process/test.js
@@ -0,0 +1,199 @@
+var assert = require('assert');
+var ourProcess = require('./browser');
+describe('test against our process', function () {
+    test(ourProcess);
+});
+if (!process.browser) {
+  describe('test against node', function () {
+    test(process);
+  });
+  vmtest();
+}
+function test (ourProcess) {
+    describe('test arguments', function () {
+        it ('works', function (done) {
+          var order = 0;
+
+
+          ourProcess.nextTick(function (num) {
+              assert.equal(num, order++, 'first one works');
+              ourProcess.nextTick(function (num) {
+                assert.equal(num, order++, 'recursive one is 4th');
+              }, 3);
+          }, 0);
+          ourProcess.nextTick(function (num) {
+              assert.equal(num, order++, 'second one starts');
+              ourProcess.nextTick(function (num) {
+                assert.equal(num, order++, 'this is third');
+                ourProcess.nextTick(function (num) {
+                    assert.equal(num, order++, 'this is last');
+                    done();
+                }, 5);
+            }, 4);
+          }, 1);
+          ourProcess.nextTick(function (num) {
+
+              assert.equal(num, order++, '3rd schedualed happens after the error');
+          }, 2);
+        });
+    });
+if (!process.browser) {
+    describe('test errors', function (t) {
+        it ('works', function (done) {
+        var order = 0;
+        process.removeAllListeners('uncaughtException');
+        process.once('uncaughtException', function(err) {
+            assert.equal(2, order++, 'error is third');
+            ourProcess.nextTick(function () {
+                assert.equal(5, order++, 'schedualed in error is last');
+                done();
+            });
+        });
+        ourProcess.nextTick(function () {
+            assert.equal(0, order++, 'first one works');
+            ourProcess.nextTick(function () {
+            assert.equal(4, order++, 'recursive one is 4th');
+            });
+        });
+        ourProcess.nextTick(function () {
+            assert.equal(1, order++, 'second one starts');
+            throw(new Error('an error is thrown'));
+        });
+        ourProcess.nextTick(function () {
+            assert.equal(3, order++, '3rd schedualed happens after the error');
+        });
+        });
+    });
+}
+    describe('rename globals', function (t) {
+      var oldTimeout = setTimeout;
+      var oldClear = clearTimeout;
+
+      it('clearTimeout', function (done){
+
+        var ok = true;
+        clearTimeout = function () {
+          ok = false;
+        }
+        var ran = false;
+        function cleanup() {
+          clearTimeout = oldClear;
+          var err;
+          try {
+            assert.ok(ok, 'fake clearTimeout ran');
+            assert.ok(ran, 'should have run');
+          } catch (e) {
+            err = e;
+          }
+          done(err);
+        }
+        setTimeout(cleanup, 1000);
+        ourProcess.nextTick(function () {
+          ran = true;
+        });
+      });
+      it('just setTimeout', function (done){
+
+
+        setTimeout = function () {
+          setTimeout = oldTimeout;
+          try {
+            assert.ok(false, 'fake setTimeout called')
+          } catch (e) {
+            done(e);
+          }
+
+        }
+
+        ourProcess.nextTick(function () {
+          setTimeout = oldTimeout;
+          done();
+        });
+      });
+    });
+}
+function vmtest() {
+  var vm = require('vm');
+  var fs = require('fs');
+  var process =  fs.readFileSync('./browser.js', {encoding: 'utf8'});
+
+
+  describe('should work in vm in strict mode with no globals', function () {
+    it('should parse', function (done) {
+      var str = '"use strict";var module = {exports:{}};';
+      str += process;
+      str += 'this.works = process.browser;';
+      var script = new vm.Script(str);
+      var context = {
+        works: false
+      };
+      script.runInNewContext(context);
+      assert.ok(context.works);
+      done();
+    });
+    it('setTimeout throws error', function (done) {
+      var str = '"use strict";var module = {exports:{}};';
+      str += process;
+      str += 'try {process.nextTick(function () {})} catch (e){this.works = e;}';
+      var script = new vm.Script(str);
+      var context = {
+        works: false
+      };
+      script.runInNewContext(context);
+      assert.ok(context.works);
+      done();
+    });
+    it('should generally work', function (done) {
+      var str = '"use strict";var module = {exports:{}};';
+      str += process;
+      str += 'process.nextTick(function () {assert.ok(true);done();})';
+      var script = new vm.Script(str);
+      var context = {
+        clearTimeout: clearTimeout,
+        setTimeout: setTimeout,
+        done: done,
+        assert: assert
+      };
+      script.runInNewContext(context);
+    });
+    it('late defs setTimeout', function (done) {
+      var str = '"use strict";var module = {exports:{}};';
+      str += process;
+      str += 'var setTimeout = hiddenSetTimeout;process.nextTick(function () {assert.ok(true);done();})';
+      var script = new vm.Script(str);
+      var context = {
+        clearTimeout: clearTimeout,
+        hiddenSetTimeout: setTimeout,
+        done: done,
+        assert: assert
+      };
+      script.runInNewContext(context);
+    });
+    it('late defs clearTimeout', function (done) {
+      var str = '"use strict";var module = {exports:{}};';
+      str += process;
+      str += 'var clearTimeout = hiddenClearTimeout;process.nextTick(function () {assert.ok(true);done();})';
+      var script = new vm.Script(str);
+      var context = {
+        hiddenClearTimeout: clearTimeout,
+        setTimeout: setTimeout,
+        done: done,
+        assert: assert
+      };
+      script.runInNewContext(context);
+    });
+    it('late defs setTimeout and then redefine', function (done) {
+      var str = '"use strict";var module = {exports:{}};';
+      str += process;
+      str += 'var setTimeout = hiddenSetTimeout;process.nextTick(function () {setTimeout = function (){throw new Error("foo")};hiddenSetTimeout(function(){process.nextTick(function (){assert.ok(true);done();});});});';
+      var script = new vm.Script(str);
+      var context = {
+        clearTimeout: clearTimeout,
+        hiddenSetTimeout: setTimeout,
+        done: done,
+        assert: assert
+      };
+      script.runInNewContext(context);
+    });
+  });
+}
diff --git a/node_modules/util/.npmignore b/node_modules/util/.npmignore
new file mode 100644
index 0000000..3c3629e
--- /dev/null
+++ b/node_modules/util/.npmignore
@@ -0,0 +1 @@
+node_modules
diff --git a/node_modules/util/.travis.yml b/node_modules/util/.travis.yml
new file mode 100644
index 0000000..ded625c
--- /dev/null
+++ b/node_modules/util/.travis.yml
@@ -0,0 +1,8 @@
+language: node_js
+node_js:
+- '0.8'
+- '0.10'
+env:
+  global:
+  - secure: AdUubswCR68/eGD+WWjwTHgFbelwQGnNo81j1IOaUxKw+zgFPzSnFEEtDw7z98pWgg7p9DpCnyzzSnSllP40wq6AG19OwyUJjSLoZK57fp+r8zwTQwWiSqUgMu2YSMmKJPIO/aoSGpRQXT+L1nRrHoUJXgFodyIZgz40qzJeZjc=
+  - secure: heQuxPVsQ7jBbssoVKimXDpqGjQFiucm6W5spoujmspjDG7oEcHD9ANo9++LoRPrsAmNx56SpMK5fNfVmYediw6SvhXm4Mxt56/fYCrLDBtgGG+1neCeffAi8z1rO8x48m77hcQ6YhbUL5R9uBimUjMX92fZcygAt8Rg804zjFo=
diff --git a/node_modules/util/.zuul.yml b/node_modules/util/.zuul.yml
new file mode 100644
index 0000000..2105010
--- /dev/null
+++ b/node_modules/util/.zuul.yml
@@ -0,0 +1,10 @@
+ui: mocha-qunit
+browsers:
+  - name: chrome
+    version: 27..latest
+  - name: firefox
+    version: latest
+  - name: safari
+    version: latest
+  - name: ie
+    version: 9..latest
diff --git a/node_modules/util/LICENSE b/node_modules/util/LICENSE
new file mode 100644
index 0000000..e3d4e69
--- /dev/null
+++ b/node_modules/util/LICENSE
@@ -0,0 +1,18 @@
+Copyright Joyent, Inc. and other Node contributors. All rights reserved.
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to
+deal in the Software without restriction, including without limitation the
+rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
+sell copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in
+all copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
+FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS
+IN THE SOFTWARE.
diff --git a/node_modules/util/README.md b/node_modules/util/README.md
new file mode 100644
index 0000000..1c473d2
--- /dev/null
+++ b/node_modules/util/README.md
@@ -0,0 +1,15 @@
+# util
+
+[![Build Status](https://travis-ci.org/defunctzombie/node-util.png?branch=master)](https://travis-ci.org/defunctzombie/node-util)
+
+node.js [util](http://nodejs.org/api/util.html) module as a module
+
+## install via [npm](npmjs.org)
+
+```shell
+npm install util
+```
+
+## browser support
+
+This module also works in modern browsers. If you need legacy browser support you will need to polyfill ES5 features.
diff --git a/node_modules/util/node_modules/inherits/LICENSE b/node_modules/util/node_modules/inherits/LICENSE
new file mode 100644
index 0000000..dea3013
--- /dev/null
+++ b/node_modules/util/node_modules/inherits/LICENSE
@@ -0,0 +1,16 @@
+The ISC License
+
+Copyright (c) Isaac Z. Schlueter
+
+Permission to use, copy, modify, and/or distribute this software for any
+purpose with or without fee is hereby granted, provided that the above
+copyright notice and this permission notice appear in all copies.
+
+THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH
+REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND
+FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,
+INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM
+LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR
+OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR
+PERFORMANCE OF THIS SOFTWARE.
+
diff --git a/node_modules/util/node_modules/inherits/README.md b/node_modules/util/node_modules/inherits/README.md
new file mode 100644
index 0000000..b1c5665
--- /dev/null
+++ b/node_modules/util/node_modules/inherits/README.md
@@ -0,0 +1,42 @@
+Browser-friendly inheritance fully compatible with standard node.js
+[inherits](http://nodejs.org/api/util.html#util_util_inherits_constructor_superconstructor).
+
+This package exports standard `inherits` from node.js `util` module in
+node environment, but also provides alternative browser-friendly
+implementation through [browser
+field](https://gist.github.com/shtylman/4339901). Alternative
+implementation is a literal copy of standard one located in standalone
+module to avoid requiring of `util`. It also has a shim for old
+browsers with no `Object.create` support.
+
+While keeping you sure you are using standard `inherits`
+implementation in node.js environment, it allows bundlers such as
+[browserify](https://github.com/substack/node-browserify) to not
+include full `util` package to your client code if all you need is
+just `inherits` function. It worth, because browser shim for `util`
+package is large and `inherits` is often the single function you need
+from it.
+
+It's recommended to use this package instead of
+`require('util').inherits` for any code that has chances to be used
+not only in node.js but in browser too.
+
+## usage
+
+```js
+var inherits = require('inherits');
+// then use exactly as the standard one
+```
+
+## note on version ~1.0
+
+Version ~1.0 had completely different motivation and is not compatible
+neither with 2.0 nor with standard node.js `inherits`.
+
+If you are using version ~1.0 and planning to switch to ~2.0, be
+careful:
+
+* new version uses `super_` instead of `super` for referencing
+  superclass
+* new version overwrites current prototype while old one preserves any
+  existing fields on it
diff --git a/node_modules/util/node_modules/inherits/inherits.js b/node_modules/util/node_modules/inherits/inherits.js
new file mode 100644
index 0000000..29f5e24
--- /dev/null
+++ b/node_modules/util/node_modules/inherits/inherits.js
@@ -0,0 +1 @@
+module.exports = require('util').inherits
diff --git a/node_modules/util/node_modules/inherits/inherits_browser.js b/node_modules/util/node_modules/inherits/inherits_browser.js
new file mode 100644
index 0000000..c1e78a7
--- /dev/null
+++ b/node_modules/util/node_modules/inherits/inherits_browser.js
@@ -0,0 +1,23 @@
+if (typeof Object.create === 'function') {
+  // implementation from standard node.js 'util' module
+  module.exports = function inherits(ctor, superCtor) {
+    ctor.super_ = superCtor
+    ctor.prototype = Object.create(superCtor.prototype, {
+      constructor: {
+        value: ctor,
+        enumerable: false,
+        writable: true,
+        configurable: true
+      }
+    });
+  };
+} else {
+  // old school shim for old browsers
+  module.exports = function inherits(ctor, superCtor) {
+    ctor.super_ = superCtor
+    var TempCtor = function () {}
+    TempCtor.prototype = superCtor.prototype
+    ctor.prototype = new TempCtor()
+    ctor.prototype.constructor = ctor
+  }
+}
diff --git a/node_modules/util/node_modules/inherits/package.json b/node_modules/util/node_modules/inherits/package.json
new file mode 100644
index 0000000..97819a5
--- /dev/null
+++ b/node_modules/util/node_modules/inherits/package.json
@@ -0,0 +1,86 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "inherits@2.0.1",
+        "scope": null,
+        "escapedName": "inherits",
+        "name": "inherits",
+        "rawSpec": "2.0.1",
+        "spec": "2.0.1",
+        "type": "version"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/util"
+    ]
+  ],
+  "_from": "inherits@2.0.1",
+  "_id": "inherits@2.0.1",
+  "_inCache": true,
+  "_location": "/util/inherits",
+  "_npmUser": {
+    "name": "isaacs",
+    "email": "i@izs.me"
+  },
+  "_npmVersion": "1.3.8",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "inherits@2.0.1",
+    "scope": null,
+    "escapedName": "inherits",
+    "name": "inherits",
+    "rawSpec": "2.0.1",
+    "spec": "2.0.1",
+    "type": "version"
+  },
+  "_requiredBy": [
+    "/util"
+  ],
+  "_resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.1.tgz",
+  "_shasum": "b17d08d326b4423e568eff719f91b0b1cbdf69f1",
+  "_shrinkwrap": null,
+  "_spec": "inherits@2.0.1",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/util",
+  "browser": "./inherits_browser.js",
+  "bugs": {
+    "url": "https://github.com/isaacs/inherits/issues"
+  },
+  "dependencies": {},
+  "description": "Browser-friendly inheritance fully compatible with standard node.js inherits()",
+  "devDependencies": {},
+  "directories": {},
+  "dist": {
+    "shasum": "b17d08d326b4423e568eff719f91b0b1cbdf69f1",
+    "tarball": "https://registry.npmjs.org/inherits/-/inherits-2.0.1.tgz"
+  },
+  "homepage": "https://github.com/isaacs/inherits#readme",
+  "keywords": [
+    "inheritance",
+    "class",
+    "klass",
+    "oop",
+    "object-oriented",
+    "inherits",
+    "browser",
+    "browserify"
+  ],
+  "license": "ISC",
+  "main": "./inherits.js",
+  "maintainers": [
+    {
+      "name": "isaacs",
+      "email": "i@izs.me"
+    }
+  ],
+  "name": "inherits",
+  "optionalDependencies": {},
+  "readme": "Browser-friendly inheritance fully compatible with standard node.js\n[inherits](http://nodejs.org/api/util.html#util_util_inherits_constructor_superconstructor).\n\nThis package exports standard `inherits` from node.js `util` module in\nnode environment, but also provides alternative browser-friendly\nimplementation through [browser\nfield](https://gist.github.com/shtylman/4339901). Alternative\nimplementation is a literal copy of standard one located in standalone\nmodule to avoid requiring of `util`. It also has a shim for old\nbrowsers with no `Object.create` support.\n\nWhile keeping you sure you are using standard `inherits`\nimplementation in node.js environment, it allows bundlers such as\n[browserify](https://github.com/substack/node-browserify) to not\ninclude full `util` package to your client code if all you need is\njust `inherits` function. It worth, because browser shim for `util`\npackage is large and `inherits` is often the single function you need\nfrom it.\n\nIt's recommended to use this package instead of\n`require('util').inherits` for any code that has chances to be used\nnot only in node.js but in browser too.\n\n## usage\n\n```js\nvar inherits = require('inherits');\n// then use exactly as the standard one\n```\n\n## note on version ~1.0\n\nVersion ~1.0 had completely different motivation and is not compatible\nneither with 2.0 nor with standard node.js `inherits`.\n\nIf you are using version ~1.0 and planning to switch to ~2.0, be\ncareful:\n\n* new version uses `super_` instead of `super` for referencing\n  superclass\n* new version overwrites current prototype while old one preserves any\n  existing fields on it\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git://github.com/isaacs/inherits.git"
+  },
+  "scripts": {
+    "test": "node test"
+  },
+  "version": "2.0.1"
+}
diff --git a/node_modules/util/node_modules/inherits/test.js b/node_modules/util/node_modules/inherits/test.js
new file mode 100644
index 0000000..fc53012
--- /dev/null
+++ b/node_modules/util/node_modules/inherits/test.js
@@ -0,0 +1,25 @@
+var inherits = require('./inherits.js')
+var assert = require('assert')
+
+function test(c) {
+  assert(c.constructor === Child)
+  assert(c.constructor.super_ === Parent)
+  assert(Object.getPrototypeOf(c) === Child.prototype)
+  assert(Object.getPrototypeOf(Object.getPrototypeOf(c)) === Parent.prototype)
+  assert(c instanceof Child)
+  assert(c instanceof Parent)
+}
+
+function Child() {
+  Parent.call(this)
+  test(this)
+}
+
+function Parent() {}
+
+inherits(Child, Parent)
+
+var c = new Child
+test(c)
+
+console.log('ok')
diff --git a/node_modules/util/package.json b/node_modules/util/package.json
new file mode 100644
index 0000000..505f490
--- /dev/null
+++ b/node_modules/util/package.json
@@ -0,0 +1,89 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "util@^0.10.3",
+        "scope": null,
+        "escapedName": "util",
+        "name": "util",
+        "rawSpec": "^0.10.3",
+        "spec": ">=0.10.3 <0.11.0",
+        "type": "range"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/path"
+    ]
+  ],
+  "_from": "util@>=0.10.3 <0.11.0",
+  "_id": "util@0.10.3",
+  "_inCache": true,
+  "_location": "/util",
+  "_npmUser": {
+    "name": "shtylman",
+    "email": "shtylman@gmail.com"
+  },
+  "_npmVersion": "1.3.24",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "util@^0.10.3",
+    "scope": null,
+    "escapedName": "util",
+    "name": "util",
+    "rawSpec": "^0.10.3",
+    "spec": ">=0.10.3 <0.11.0",
+    "type": "range"
+  },
+  "_requiredBy": [
+    "/path"
+  ],
+  "_resolved": "https://registry.npmjs.org/util/-/util-0.10.3.tgz",
+  "_shasum": "7afb1afe50805246489e3db7fe0ed379336ac0f9",
+  "_shrinkwrap": null,
+  "_spec": "util@^0.10.3",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/path",
+  "author": {
+    "name": "Joyent",
+    "url": "http://www.joyent.com"
+  },
+  "browser": {
+    "./support/isBuffer.js": "./support/isBufferBrowser.js"
+  },
+  "bugs": {
+    "url": "https://github.com/defunctzombie/node-util/issues"
+  },
+  "dependencies": {
+    "inherits": "2.0.1"
+  },
+  "description": "Node.JS util module",
+  "devDependencies": {
+    "zuul": "~1.0.9"
+  },
+  "directories": {},
+  "dist": {
+    "shasum": "7afb1afe50805246489e3db7fe0ed379336ac0f9",
+    "tarball": "https://registry.npmjs.org/util/-/util-0.10.3.tgz"
+  },
+  "homepage": "https://github.com/defunctzombie/node-util",
+  "keywords": [
+    "util"
+  ],
+  "license": "MIT",
+  "main": "./util.js",
+  "maintainers": [
+    {
+      "name": "shtylman",
+      "email": "shtylman@gmail.com"
+    }
+  ],
+  "name": "util",
+  "optionalDependencies": {},
+  "readme": "# util\n\n[![Build Status](https://travis-ci.org/defunctzombie/node-util.png?branch=master)](https://travis-ci.org/defunctzombie/node-util)\n\nnode.js [util](http://nodejs.org/api/util.html) module as a module\n\n## install via [npm](npmjs.org)\n\n```shell\nnpm install util\n```\n\n## browser support\n\nThis module also works in modern browsers. If you need legacy browser support you will need to polyfill ES5 features.\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git://github.com/defunctzombie/node-util.git"
+  },
+  "scripts": {
+    "test": "node test/node/*.js && zuul test/browser/*.js"
+  },
+  "version": "0.10.3"
+}
diff --git a/node_modules/util/support/isBuffer.js b/node_modules/util/support/isBuffer.js
new file mode 100644
index 0000000..ace9ac0
--- /dev/null
+++ b/node_modules/util/support/isBuffer.js
@@ -0,0 +1,3 @@
+module.exports = function isBuffer(arg) {
+  return arg instanceof Buffer;
+}
diff --git a/node_modules/util/support/isBufferBrowser.js b/node_modules/util/support/isBufferBrowser.js
new file mode 100644
index 0000000..0e1bee1
--- /dev/null
+++ b/node_modules/util/support/isBufferBrowser.js
@@ -0,0 +1,6 @@
+module.exports = function isBuffer(arg) {
+  return arg && typeof arg === 'object'
+    && typeof arg.copy === 'function'
+    && typeof arg.fill === 'function'
+    && typeof arg.readUInt8 === 'function';
+}
\ No newline at end of file
diff --git a/node_modules/util/test/browser/inspect.js b/node_modules/util/test/browser/inspect.js
new file mode 100644
index 0000000..91af3b0
--- /dev/null
+++ b/node_modules/util/test/browser/inspect.js
@@ -0,0 +1,41 @@
+// Copyright Joyent, Inc. and other Node contributors.
+//
+// Permission is hereby granted, free of charge, to any person obtaining a
+// copy of this software and associated documentation files (the
+// "Software"), to deal in the Software without restriction, including
+// without limitation the rights to use, copy, modify, merge, publish,
+// distribute, sublicense, and/or sell copies of the Software, and to permit
+// persons to whom the Software is furnished to do so, subject to the
+// following conditions:
+//
+// The above copyright notice and this permission notice shall be included
+// in all copies or substantial portions of the Software.
+//
+// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+// USE OR OTHER DEALINGS IN THE SOFTWARE.
+
+var assert = require('assert');
+var util = require('../../');
+
+suite('inspect');
+
+test('util.inspect - test for sparse array', function () {
+  var a = ['foo', 'bar', 'baz'];
+  assert.equal(util.inspect(a), '[ \'foo\', \'bar\', \'baz\' ]');
+  delete a[1];
+  assert.equal(util.inspect(a), '[ \'foo\', , \'baz\' ]');
+  assert.equal(util.inspect(a, true), '[ \'foo\', , \'baz\', [length]: 3 ]');
+  assert.equal(util.inspect(new Array(5)), '[ , , , ,  ]');
+});
+
+test('util.inspect -  exceptions should print the error message, not \'{}\'', function () {
+  assert.equal(util.inspect(new Error()), '[Error]');
+  assert.equal(util.inspect(new Error('FAIL')), '[Error: FAIL]');
+  assert.equal(util.inspect(new TypeError('FAIL')), '[TypeError: FAIL]');
+  assert.equal(util.inspect(new SyntaxError('FAIL')), '[SyntaxError: FAIL]');
+});
diff --git a/node_modules/util/test/browser/is.js b/node_modules/util/test/browser/is.js
new file mode 100644
index 0000000..f63bff9
--- /dev/null
+++ b/node_modules/util/test/browser/is.js
@@ -0,0 +1,91 @@
+// Copyright Joyent, Inc. and other Node contributors.
+//
+// Permission is hereby granted, free of charge, to any person obtaining a
+// copy of this software and associated documentation files (the
+// "Software"), to deal in the Software without restriction, including
+// without limitation the rights to use, copy, modify, merge, publish,
+// distribute, sublicense, and/or sell copies of the Software, and to permit
+// persons to whom the Software is furnished to do so, subject to the
+// following conditions:
+//
+// The above copyright notice and this permission notice shall be included
+// in all copies or substantial portions of the Software.
+//
+// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+// USE OR OTHER DEALINGS IN THE SOFTWARE.
+
+var assert = require('assert');
+
+var util = require('../../');
+
+suite('is');
+
+test('util.isArray', function () {
+  assert.equal(true, util.isArray([]));
+  assert.equal(true, util.isArray(Array()));
+  assert.equal(true, util.isArray(new Array()));
+  assert.equal(true, util.isArray(new Array(5)));
+  assert.equal(true, util.isArray(new Array('with', 'some', 'entries')));
+  assert.equal(false, util.isArray({}));
+  assert.equal(false, util.isArray({ push: function() {} }));
+  assert.equal(false, util.isArray(/regexp/));
+  assert.equal(false, util.isArray(new Error()));
+  assert.equal(false, util.isArray(Object.create(Array.prototype)));
+});
+
+test('util.isRegExp', function () {
+  assert.equal(true, util.isRegExp(/regexp/));
+  assert.equal(true, util.isRegExp(RegExp()));
+  assert.equal(true, util.isRegExp(new RegExp()));
+  assert.equal(false, util.isRegExp({}));
+  assert.equal(false, util.isRegExp([]));
+  assert.equal(false, util.isRegExp(new Date()));
+  assert.equal(false, util.isRegExp(Object.create(RegExp.prototype)));
+});
+
+test('util.isDate', function () {
+  assert.equal(true, util.isDate(new Date()));
+  assert.equal(true, util.isDate(new Date(0)));
+  assert.equal(false, util.isDate(Date()));
+  assert.equal(false, util.isDate({}));
+  assert.equal(false, util.isDate([]));
+  assert.equal(false, util.isDate(new Error()));
+  assert.equal(false, util.isDate(Object.create(Date.prototype)));
+});
+
+test('util.isError', function () {
+  assert.equal(true, util.isError(new Error()));
+  assert.equal(true, util.isError(new TypeError()));
+  assert.equal(true, util.isError(new SyntaxError()));
+  assert.equal(false, util.isError({}));
+  assert.equal(false, util.isError({ name: 'Error', message: '' }));
+  assert.equal(false, util.isError([]));
+  assert.equal(true, util.isError(Object.create(Error.prototype)));
+});
+
+test('util._extend', function () {
+  assert.deepEqual(util._extend({a:1}),             {a:1});
+  assert.deepEqual(util._extend({a:1}, []),         {a:1});
+  assert.deepEqual(util._extend({a:1}, null),       {a:1});
+  assert.deepEqual(util._extend({a:1}, true),       {a:1});
+  assert.deepEqual(util._extend({a:1}, false),      {a:1});
+  assert.deepEqual(util._extend({a:1}, {b:2}),      {a:1, b:2});
+  assert.deepEqual(util._extend({a:1, b:2}, {b:3}), {a:1, b:3});
+});
+
+test('util.isBuffer', function () {
+  assert.equal(true, util.isBuffer(new Buffer(4)));
+  assert.equal(true, util.isBuffer(Buffer(4)));
+  assert.equal(true, util.isBuffer(new Buffer(4)));
+  assert.equal(true, util.isBuffer(new Buffer([1, 2, 3, 4])));
+  assert.equal(false, util.isBuffer({}));
+  assert.equal(false, util.isBuffer([]));
+  assert.equal(false, util.isBuffer(new Error()));
+  assert.equal(false, util.isRegExp(new Date()));
+  assert.equal(true, util.isBuffer(Object.create(Buffer.prototype)));
+});
diff --git a/node_modules/util/test/node/debug.js b/node_modules/util/test/node/debug.js
new file mode 100644
index 0000000..ef5f69f
--- /dev/null
+++ b/node_modules/util/test/node/debug.js
@@ -0,0 +1,86 @@
+// Copyright Joyent, Inc. and other Node contributors.
+//
+// Permission is hereby granted, free of charge, to any person obtaining a
+// copy of this software and associated documentation files (the
+// "Software"), to deal in the Software without restriction, including
+// without limitation the rights to use, copy, modify, merge, publish,
+// distribute, sublicense, and/or sell copies of the Software, and to permit
+// persons to whom the Software is furnished to do so, subject to the
+// following conditions:
+//
+// The above copyright notice and this permission notice shall be included
+// in all copies or substantial portions of the Software.
+//
+// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+// USE OR OTHER DEALINGS IN THE SOFTWARE.
+
+var assert = require('assert');
+var util = require('../../');
+
+if (process.argv[2] === 'child')
+  child();
+else
+  parent();
+
+function parent() {
+  test('foo,tud,bar', true);
+  test('foo,tud', true);
+  test('tud,bar', true);
+  test('tud', true);
+  test('foo,bar', false);
+  test('', false);
+}
+
+function test(environ, shouldWrite) {
+  var expectErr = '';
+  if (shouldWrite) {
+    expectErr = 'TUD %PID%: this { is: \'a\' } /debugging/\n' +
+                'TUD %PID%: number=1234 string=asdf obj={"foo":"bar"}\n';
+  }
+  var expectOut = 'ok\n';
+  var didTest = false;
+
+  var spawn = require('child_process').spawn;
+  var child = spawn(process.execPath, [__filename, 'child'], {
+    env: { NODE_DEBUG: environ }
+  });
+
+  expectErr = expectErr.split('%PID%').join(child.pid);
+
+  var err = '';
+  child.stderr.setEncoding('utf8');
+  child.stderr.on('data', function(c) {
+    err += c;
+  });
+
+  var out = '';
+  child.stdout.setEncoding('utf8');
+  child.stdout.on('data', function(c) {
+    out += c;
+  });
+
+  child.on('close', function(c) {
+    assert(!c);
+    assert.equal(err, expectErr);
+    assert.equal(out, expectOut);
+    didTest = true;
+    console.log('ok %j %j', environ, shouldWrite);
+  });
+
+  process.on('exit', function() {
+    assert(didTest);
+  });
+}
+
+
+function child() {
+  var debug = util.debuglog('tud');
+  debug('this', { is: 'a' }, /debugging/);
+  debug('number=%d string=%s obj=%j', 1234, 'asdf', { foo: 'bar' });
+  console.log('ok');
+}
diff --git a/node_modules/util/test/node/format.js b/node_modules/util/test/node/format.js
new file mode 100644
index 0000000..f2d1862
--- /dev/null
+++ b/node_modules/util/test/node/format.js
@@ -0,0 +1,77 @@
+// Copyright Joyent, Inc. and other Node contributors.
+//
+// Permission is hereby granted, free of charge, to any person obtaining a
+// copy of this software and associated documentation files (the
+// "Software"), to deal in the Software without restriction, including
+// without limitation the rights to use, copy, modify, merge, publish,
+// distribute, sublicense, and/or sell copies of the Software, and to permit
+// persons to whom the Software is furnished to do so, subject to the
+// following conditions:
+//
+// The above copyright notice and this permission notice shall be included
+// in all copies or substantial portions of the Software.
+//
+// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+// USE OR OTHER DEALINGS IN THE SOFTWARE.
+
+
+
+
+var assert = require('assert');
+var util = require('../../');
+
+assert.equal(util.format(), '');
+assert.equal(util.format(''), '');
+assert.equal(util.format([]), '[]');
+assert.equal(util.format({}), '{}');
+assert.equal(util.format(null), 'null');
+assert.equal(util.format(true), 'true');
+assert.equal(util.format(false), 'false');
+assert.equal(util.format('test'), 'test');
+
+// CHECKME this is for console.log() compatibility - but is it *right*?
+assert.equal(util.format('foo', 'bar', 'baz'), 'foo bar baz');
+
+assert.equal(util.format('%d', 42.0), '42');
+assert.equal(util.format('%d', 42), '42');
+assert.equal(util.format('%s', 42), '42');
+assert.equal(util.format('%j', 42), '42');
+
+assert.equal(util.format('%d', '42.0'), '42');
+assert.equal(util.format('%d', '42'), '42');
+assert.equal(util.format('%s', '42'), '42');
+assert.equal(util.format('%j', '42'), '"42"');
+
+assert.equal(util.format('%%s%s', 'foo'), '%sfoo');
+
+assert.equal(util.format('%s'), '%s');
+assert.equal(util.format('%s', undefined), 'undefined');
+assert.equal(util.format('%s', 'foo'), 'foo');
+assert.equal(util.format('%s:%s'), '%s:%s');
+assert.equal(util.format('%s:%s', undefined), 'undefined:%s');
+assert.equal(util.format('%s:%s', 'foo'), 'foo:%s');
+assert.equal(util.format('%s:%s', 'foo', 'bar'), 'foo:bar');
+assert.equal(util.format('%s:%s', 'foo', 'bar', 'baz'), 'foo:bar baz');
+assert.equal(util.format('%%%s%%', 'hi'), '%hi%');
+assert.equal(util.format('%%%s%%%%', 'hi'), '%hi%%');
+
+(function() {
+  var o = {};
+  o.o = o;
+  assert.equal(util.format('%j', o), '[Circular]');
+})();
+
+// Errors
+assert.equal(util.format(new Error('foo')), '[Error: foo]');
+function CustomError(msg) {
+  Error.call(this);
+  Object.defineProperty(this, 'message', { value: msg, enumerable: false });
+  Object.defineProperty(this, 'name', { value: 'CustomError', enumerable: false });
+}
+util.inherits(CustomError, Error);
+assert.equal(util.format(new CustomError('bar')), '[CustomError: bar]');
diff --git a/node_modules/util/test/node/inspect.js b/node_modules/util/test/node/inspect.js
new file mode 100644
index 0000000..f766d11
--- /dev/null
+++ b/node_modules/util/test/node/inspect.js
@@ -0,0 +1,195 @@
+// Copyright Joyent, Inc. and other Node contributors.
+//
+// Permission is hereby granted, free of charge, to any person obtaining a
+// copy of this software and associated documentation files (the
+// "Software"), to deal in the Software without restriction, including
+// without limitation the rights to use, copy, modify, merge, publish,
+// distribute, sublicense, and/or sell copies of the Software, and to permit
+// persons to whom the Software is furnished to do so, subject to the
+// following conditions:
+//
+// The above copyright notice and this permission notice shall be included
+// in all copies or substantial portions of the Software.
+//
+// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+// USE OR OTHER DEALINGS IN THE SOFTWARE.
+
+
+
+
+var assert = require('assert');
+var util = require('../../');
+
+// test the internal isDate implementation
+var Date2 = require('vm').runInNewContext('Date');
+var d = new Date2();
+var orig = util.inspect(d);
+Date2.prototype.foo = 'bar';
+var after = util.inspect(d);
+assert.equal(orig, after);
+
+// test for sparse array
+var a = ['foo', 'bar', 'baz'];
+assert.equal(util.inspect(a), '[ \'foo\', \'bar\', \'baz\' ]');
+delete a[1];
+assert.equal(util.inspect(a), '[ \'foo\', , \'baz\' ]');
+assert.equal(util.inspect(a, true), '[ \'foo\', , \'baz\', [length]: 3 ]');
+assert.equal(util.inspect(new Array(5)), '[ , , , ,  ]');
+
+// test for property descriptors
+var getter = Object.create(null, {
+  a: {
+    get: function() { return 'aaa'; }
+  }
+});
+var setter = Object.create(null, {
+  b: {
+    set: function() {}
+  }
+});
+var getterAndSetter = Object.create(null, {
+  c: {
+    get: function() { return 'ccc'; },
+    set: function() {}
+  }
+});
+assert.equal(util.inspect(getter, true), '{ [a]: [Getter] }');
+assert.equal(util.inspect(setter, true), '{ [b]: [Setter] }');
+assert.equal(util.inspect(getterAndSetter, true), '{ [c]: [Getter/Setter] }');
+
+// exceptions should print the error message, not '{}'
+assert.equal(util.inspect(new Error()), '[Error]');
+assert.equal(util.inspect(new Error('FAIL')), '[Error: FAIL]');
+assert.equal(util.inspect(new TypeError('FAIL')), '[TypeError: FAIL]');
+assert.equal(util.inspect(new SyntaxError('FAIL')), '[SyntaxError: FAIL]');
+try {
+  undef();
+} catch (e) {
+  assert.equal(util.inspect(e), '[ReferenceError: undef is not defined]');
+}
+var ex = util.inspect(new Error('FAIL'), true);
+assert.ok(ex.indexOf('[Error: FAIL]') != -1);
+assert.ok(ex.indexOf('[stack]') != -1);
+assert.ok(ex.indexOf('[message]') != -1);
+
+// GH-1941
+// should not throw:
+assert.equal(util.inspect(Object.create(Date.prototype)), '{}');
+
+// GH-1944
+assert.doesNotThrow(function() {
+  var d = new Date();
+  d.toUTCString = null;
+  util.inspect(d);
+});
+
+assert.doesNotThrow(function() {
+  var r = /regexp/;
+  r.toString = null;
+  util.inspect(r);
+});
+
+// bug with user-supplied inspect function returns non-string
+assert.doesNotThrow(function() {
+  util.inspect([{
+    inspect: function() { return 123; }
+  }]);
+});
+
+// GH-2225
+var x = { inspect: util.inspect };
+assert.ok(util.inspect(x).indexOf('inspect') != -1);
+
+// util.inspect.styles and util.inspect.colors
+function test_color_style(style, input, implicit) {
+  var color_name = util.inspect.styles[style];
+  var color = ['', ''];
+  if(util.inspect.colors[color_name])
+    color = util.inspect.colors[color_name];
+
+  var without_color = util.inspect(input, false, 0, false);
+  var with_color = util.inspect(input, false, 0, true);
+  var expect = '\u001b[' + color[0] + 'm' + without_color +
+               '\u001b[' + color[1] + 'm';
+  assert.equal(with_color, expect, 'util.inspect color for style '+style);
+}
+
+test_color_style('special', function(){});
+test_color_style('number', 123.456);
+test_color_style('boolean', true);
+test_color_style('undefined', undefined);
+test_color_style('null', null);
+test_color_style('string', 'test string');
+test_color_style('date', new Date);
+test_color_style('regexp', /regexp/);
+
+// an object with "hasOwnProperty" overwritten should not throw
+assert.doesNotThrow(function() {
+  util.inspect({
+    hasOwnProperty: null
+  });
+});
+
+// new API, accepts an "options" object
+var subject = { foo: 'bar', hello: 31, a: { b: { c: { d: 0 } } } };
+Object.defineProperty(subject, 'hidden', { enumerable: false, value: null });
+
+assert(util.inspect(subject, { showHidden: false }).indexOf('hidden') === -1);
+assert(util.inspect(subject, { showHidden: true }).indexOf('hidden') !== -1);
+assert(util.inspect(subject, { colors: false }).indexOf('\u001b[32m') === -1);
+assert(util.inspect(subject, { colors: true }).indexOf('\u001b[32m') !== -1);
+assert(util.inspect(subject, { depth: 2 }).indexOf('c: [Object]') !== -1);
+assert(util.inspect(subject, { depth: 0 }).indexOf('a: [Object]') !== -1);
+assert(util.inspect(subject, { depth: null }).indexOf('{ d: 0 }') !== -1);
+
+// "customInspect" option can enable/disable calling inspect() on objects
+subject = { inspect: function() { return 123; } };
+
+assert(util.inspect(subject, { customInspect: true }).indexOf('123') !== -1);
+assert(util.inspect(subject, { customInspect: true }).indexOf('inspect') === -1);
+assert(util.inspect(subject, { customInspect: false }).indexOf('123') === -1);
+assert(util.inspect(subject, { customInspect: false }).indexOf('inspect') !== -1);
+
+// custom inspect() functions should be able to return other Objects
+subject.inspect = function() { return { foo: 'bar' }; };
+
+assert.equal(util.inspect(subject), '{ foo: \'bar\' }');
+
+subject.inspect = function(depth, opts) {
+  assert.strictEqual(opts.customInspectOptions, true);
+};
+
+util.inspect(subject, { customInspectOptions: true });
+
+// util.inspect with "colors" option should produce as many lines as without it
+function test_lines(input) {
+  var count_lines = function(str) {
+    return (str.match(/\n/g) || []).length;
+  }
+
+  var without_color = util.inspect(input);
+  var with_color = util.inspect(input, {colors: true});
+  assert.equal(count_lines(without_color), count_lines(with_color));
+}
+
+test_lines([1, 2, 3, 4, 5, 6, 7]);
+test_lines(function() {
+  var big_array = [];
+  for (var i = 0; i < 100; i++) {
+    big_array.push(i);
+  }
+  return big_array;
+}());
+test_lines({foo: 'bar', baz: 35, b: {a: 35}});
+test_lines({
+  foo: 'bar',
+  baz: 35,
+  b: {a: 35},
+  very_long_key: 'very_long_value',
+  even_longer_key: ['with even longer value in array']
+});
diff --git a/node_modules/util/test/node/log.js b/node_modules/util/test/node/log.js
new file mode 100644
index 0000000..6bd96d1
--- /dev/null
+++ b/node_modules/util/test/node/log.js
@@ -0,0 +1,58 @@
+// Copyright Joyent, Inc. and other Node contributors.
+//
+// Permission is hereby granted, free of charge, to any person obtaining a
+// copy of this software and associated documentation files (the
+// "Software"), to deal in the Software without restriction, including
+// without limitation the rights to use, copy, modify, merge, publish,
+// distribute, sublicense, and/or sell copies of the Software, and to permit
+// persons to whom the Software is furnished to do so, subject to the
+// following conditions:
+//
+// The above copyright notice and this permission notice shall be included
+// in all copies or substantial portions of the Software.
+//
+// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+// USE OR OTHER DEALINGS IN THE SOFTWARE.
+
+
+var assert = require('assert');
+var util = require('../../');
+
+assert.ok(process.stdout.writable);
+assert.ok(process.stderr.writable);
+
+var stdout_write = global.process.stdout.write;
+var strings = [];
+global.process.stdout.write = function(string) {
+  strings.push(string);
+};
+console._stderr = process.stdout;
+
+var tests = [
+  {input: 'foo', output: 'foo'},
+  {input: undefined, output: 'undefined'},
+  {input: null, output: 'null'},
+  {input: false, output: 'false'},
+  {input: 42, output: '42'},
+  {input: function(){}, output: '[Function]'},
+  {input: parseInt('not a number', 10), output: 'NaN'},
+  {input: {answer: 42}, output: '{ answer: 42 }'},
+  {input: [1,2,3], output: '[ 1, 2, 3 ]'}
+];
+
+// test util.log()
+tests.forEach(function(test) {
+  util.log(test.input);
+  var result = strings.shift().trim(),
+      re = (/[0-9]{1,2} [A-Z][a-z]{2} [0-9]{2}:[0-9]{2}:[0-9]{2} - (.+)$/),
+      match = re.exec(result);
+  assert.ok(match);
+  assert.equal(match[1], test.output);
+});
+
+global.process.stdout.write = stdout_write;
diff --git a/node_modules/util/test/node/util.js b/node_modules/util/test/node/util.js
new file mode 100644
index 0000000..633ba69
--- /dev/null
+++ b/node_modules/util/test/node/util.js
@@ -0,0 +1,83 @@
+// Copyright Joyent, Inc. and other Node contributors.
+//
+// Permission is hereby granted, free of charge, to any person obtaining a
+// copy of this software and associated documentation files (the
+// "Software"), to deal in the Software without restriction, including
+// without limitation the rights to use, copy, modify, merge, publish,
+// distribute, sublicense, and/or sell copies of the Software, and to permit
+// persons to whom the Software is furnished to do so, subject to the
+// following conditions:
+//
+// The above copyright notice and this permission notice shall be included
+// in all copies or substantial portions of the Software.
+//
+// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+// USE OR OTHER DEALINGS IN THE SOFTWARE.
+
+
+var assert = require('assert');
+var context = require('vm').runInNewContext;
+
+var util = require('../../');
+
+// isArray
+assert.equal(true, util.isArray([]));
+assert.equal(true, util.isArray(Array()));
+assert.equal(true, util.isArray(new Array()));
+assert.equal(true, util.isArray(new Array(5)));
+assert.equal(true, util.isArray(new Array('with', 'some', 'entries')));
+assert.equal(true, util.isArray(context('Array')()));
+assert.equal(false, util.isArray({}));
+assert.equal(false, util.isArray({ push: function() {} }));
+assert.equal(false, util.isArray(/regexp/));
+assert.equal(false, util.isArray(new Error));
+assert.equal(false, util.isArray(Object.create(Array.prototype)));
+
+// isRegExp
+assert.equal(true, util.isRegExp(/regexp/));
+assert.equal(true, util.isRegExp(RegExp()));
+assert.equal(true, util.isRegExp(new RegExp()));
+assert.equal(true, util.isRegExp(context('RegExp')()));
+assert.equal(false, util.isRegExp({}));
+assert.equal(false, util.isRegExp([]));
+assert.equal(false, util.isRegExp(new Date()));
+assert.equal(false, util.isRegExp(Object.create(RegExp.prototype)));
+
+// isDate
+assert.equal(true, util.isDate(new Date()));
+assert.equal(true, util.isDate(new Date(0)));
+assert.equal(true, util.isDate(new (context('Date'))));
+assert.equal(false, util.isDate(Date()));
+assert.equal(false, util.isDate({}));
+assert.equal(false, util.isDate([]));
+assert.equal(false, util.isDate(new Error));
+assert.equal(false, util.isDate(Object.create(Date.prototype)));
+
+// isError
+assert.equal(true, util.isError(new Error));
+assert.equal(true, util.isError(new TypeError));
+assert.equal(true, util.isError(new SyntaxError));
+assert.equal(true, util.isError(new (context('Error'))));
+assert.equal(true, util.isError(new (context('TypeError'))));
+assert.equal(true, util.isError(new (context('SyntaxError'))));
+assert.equal(false, util.isError({}));
+assert.equal(false, util.isError({ name: 'Error', message: '' }));
+assert.equal(false, util.isError([]));
+assert.equal(true, util.isError(Object.create(Error.prototype)));
+
+// isObject
+assert.ok(util.isObject({}) === true);
+
+// _extend
+assert.deepEqual(util._extend({a:1}),             {a:1});
+assert.deepEqual(util._extend({a:1}, []),         {a:1});
+assert.deepEqual(util._extend({a:1}, null),       {a:1});
+assert.deepEqual(util._extend({a:1}, true),       {a:1});
+assert.deepEqual(util._extend({a:1}, false),      {a:1});
+assert.deepEqual(util._extend({a:1}, {b:2}),      {a:1, b:2});
+assert.deepEqual(util._extend({a:1, b:2}, {b:3}), {a:1, b:3});
diff --git a/node_modules/util/util.js b/node_modules/util/util.js
new file mode 100644
index 0000000..e0ea321
--- /dev/null
+++ b/node_modules/util/util.js
@@ -0,0 +1,586 @@
+// Copyright Joyent, Inc. and other Node contributors.
+//
+// Permission is hereby granted, free of charge, to any person obtaining a
+// copy of this software and associated documentation files (the
+// "Software"), to deal in the Software without restriction, including
+// without limitation the rights to use, copy, modify, merge, publish,
+// distribute, sublicense, and/or sell copies of the Software, and to permit
+// persons to whom the Software is furnished to do so, subject to the
+// following conditions:
+//
+// The above copyright notice and this permission notice shall be included
+// in all copies or substantial portions of the Software.
+//
+// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
+// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
+// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
+// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
+// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
+// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
+// USE OR OTHER DEALINGS IN THE SOFTWARE.
+
+var formatRegExp = /%[sdj%]/g;
+exports.format = function(f) {
+  if (!isString(f)) {
+    var objects = [];
+    for (var i = 0; i < arguments.length; i++) {
+      objects.push(inspect(arguments[i]));
+    }
+    return objects.join(' ');
+  }
+
+  var i = 1;
+  var args = arguments;
+  var len = args.length;
+  var str = String(f).replace(formatRegExp, function(x) {
+    if (x === '%%') return '%';
+    if (i >= len) return x;
+    switch (x) {
+      case '%s': return String(args[i++]);
+      case '%d': return Number(args[i++]);
+      case '%j':
+        try {
+          return JSON.stringify(args[i++]);
+        } catch (_) {
+          return '[Circular]';
+        }
+      default:
+        return x;
+    }
+  });
+  for (var x = args[i]; i < len; x = args[++i]) {
+    if (isNull(x) || !isObject(x)) {
+      str += ' ' + x;
+    } else {
+      str += ' ' + inspect(x);
+    }
+  }
+  return str;
+};
+
+
+// Mark that a method should not be used.
+// Returns a modified function which warns once by default.
+// If --no-deprecation is set, then it is a no-op.
+exports.deprecate = function(fn, msg) {
+  // Allow for deprecating things in the process of starting up.
+  if (isUndefined(global.process)) {
+    return function() {
+      return exports.deprecate(fn, msg).apply(this, arguments);
+    };
+  }
+
+  if (process.noDeprecation === true) {
+    return fn;
+  }
+
+  var warned = false;
+  function deprecated() {
+    if (!warned) {
+      if (process.throwDeprecation) {
+        throw new Error(msg);
+      } else if (process.traceDeprecation) {
+        console.trace(msg);
+      } else {
+        console.error(msg);
+      }
+      warned = true;
+    }
+    return fn.apply(this, arguments);
+  }
+
+  return deprecated;
+};
+
+
+var debugs = {};
+var debugEnviron;
+exports.debuglog = function(set) {
+  if (isUndefined(debugEnviron))
+    debugEnviron = process.env.NODE_DEBUG || '';
+  set = set.toUpperCase();
+  if (!debugs[set]) {
+    if (new RegExp('\\b' + set + '\\b', 'i').test(debugEnviron)) {
+      var pid = process.pid;
+      debugs[set] = function() {
+        var msg = exports.format.apply(exports, arguments);
+        console.error('%s %d: %s', set, pid, msg);
+      };
+    } else {
+      debugs[set] = function() {};
+    }
+  }
+  return debugs[set];
+};
+
+
+/**
+ * Echos the value of a value. Trys to print the value out
+ * in the best way possible given the different types.
+ *
+ * @param {Object} obj The object to print out.
+ * @param {Object} opts Optional options object that alters the output.
+ */
+/* legacy: obj, showHidden, depth, colors*/
+function inspect(obj, opts) {
+  // default options
+  var ctx = {
+    seen: [],
+    stylize: stylizeNoColor
+  };
+  // legacy...
+  if (arguments.length >= 3) ctx.depth = arguments[2];
+  if (arguments.length >= 4) ctx.colors = arguments[3];
+  if (isBoolean(opts)) {
+    // legacy...
+    ctx.showHidden = opts;
+  } else if (opts) {
+    // got an "options" object
+    exports._extend(ctx, opts);
+  }
+  // set default options
+  if (isUndefined(ctx.showHidden)) ctx.showHidden = false;
+  if (isUndefined(ctx.depth)) ctx.depth = 2;
+  if (isUndefined(ctx.colors)) ctx.colors = false;
+  if (isUndefined(ctx.customInspect)) ctx.customInspect = true;
+  if (ctx.colors) ctx.stylize = stylizeWithColor;
+  return formatValue(ctx, obj, ctx.depth);
+}
+exports.inspect = inspect;
+
+
+// http://en.wikipedia.org/wiki/ANSI_escape_code#graphics
+inspect.colors = {
+  'bold' : [1, 22],
+  'italic' : [3, 23],
+  'underline' : [4, 24],
+  'inverse' : [7, 27],
+  'white' : [37, 39],
+  'grey' : [90, 39],
+  'black' : [30, 39],
+  'blue' : [34, 39],
+  'cyan' : [36, 39],
+  'green' : [32, 39],
+  'magenta' : [35, 39],
+  'red' : [31, 39],
+  'yellow' : [33, 39]
+};
+
+// Don't use 'blue' not visible on cmd.exe
+inspect.styles = {
+  'special': 'cyan',
+  'number': 'yellow',
+  'boolean': 'yellow',
+  'undefined': 'grey',
+  'null': 'bold',
+  'string': 'green',
+  'date': 'magenta',
+  // "name": intentionally not styling
+  'regexp': 'red'
+};
+
+
+function stylizeWithColor(str, styleType) {
+  var style = inspect.styles[styleType];
+
+  if (style) {
+    return '\u001b[' + inspect.colors[style][0] + 'm' + str +
+           '\u001b[' + inspect.colors[style][1] + 'm';
+  } else {
+    return str;
+  }
+}
+
+
+function stylizeNoColor(str, styleType) {
+  return str;
+}
+
+
+function arrayToHash(array) {
+  var hash = {};
+
+  array.forEach(function(val, idx) {
+    hash[val] = true;
+  });
+
+  return hash;
+}
+
+
+function formatValue(ctx, value, recurseTimes) {
+  // Provide a hook for user-specified inspect functions.
+  // Check that value is an object with an inspect function on it
+  if (ctx.customInspect &&
+      value &&
+      isFunction(value.inspect) &&
+      // Filter out the util module, it's inspect function is special
+      value.inspect !== exports.inspect &&
+      // Also filter out any prototype objects using the circular check.
+      !(value.constructor && value.constructor.prototype === value)) {
+    var ret = value.inspect(recurseTimes, ctx);
+    if (!isString(ret)) {
+      ret = formatValue(ctx, ret, recurseTimes);
+    }
+    return ret;
+  }
+
+  // Primitive types cannot have properties
+  var primitive = formatPrimitive(ctx, value);
+  if (primitive) {
+    return primitive;
+  }
+
+  // Look up the keys of the object.
+  var keys = Object.keys(value);
+  var visibleKeys = arrayToHash(keys);
+
+  if (ctx.showHidden) {
+    keys = Object.getOwnPropertyNames(value);
+  }
+
+  // IE doesn't make error fields non-enumerable
+  // http://msdn.microsoft.com/en-us/library/ie/dww52sbt(v=vs.94).aspx
+  if (isError(value)
+      && (keys.indexOf('message') >= 0 || keys.indexOf('description') >= 0)) {
+    return formatError(value);
+  }
+
+  // Some type of object without properties can be shortcutted.
+  if (keys.length === 0) {
+    if (isFunction(value)) {
+      var name = value.name ? ': ' + value.name : '';
+      return ctx.stylize('[Function' + name + ']', 'special');
+    }
+    if (isRegExp(value)) {
+      return ctx.stylize(RegExp.prototype.toString.call(value), 'regexp');
+    }
+    if (isDate(value)) {
+      return ctx.stylize(Date.prototype.toString.call(value), 'date');
+    }
+    if (isError(value)) {
+      return formatError(value);
+    }
+  }
+
+  var base = '', array = false, braces = ['{', '}'];
+
+  // Make Array say that they are Array
+  if (isArray(value)) {
+    array = true;
+    braces = ['[', ']'];
+  }
+
+  // Make functions say that they are functions
+  if (isFunction(value)) {
+    var n = value.name ? ': ' + value.name : '';
+    base = ' [Function' + n + ']';
+  }
+
+  // Make RegExps say that they are RegExps
+  if (isRegExp(value)) {
+    base = ' ' + RegExp.prototype.toString.call(value);
+  }
+
+  // Make dates with properties first say the date
+  if (isDate(value)) {
+    base = ' ' + Date.prototype.toUTCString.call(value);
+  }
+
+  // Make error with message first say the error
+  if (isError(value)) {
+    base = ' ' + formatError(value);
+  }
+
+  if (keys.length === 0 && (!array || value.length == 0)) {
+    return braces[0] + base + braces[1];
+  }
+
+  if (recurseTimes < 0) {
+    if (isRegExp(value)) {
+      return ctx.stylize(RegExp.prototype.toString.call(value), 'regexp');
+    } else {
+      return ctx.stylize('[Object]', 'special');
+    }
+  }
+
+  ctx.seen.push(value);
+
+  var output;
+  if (array) {
+    output = formatArray(ctx, value, recurseTimes, visibleKeys, keys);
+  } else {
+    output = keys.map(function(key) {
+      return formatProperty(ctx, value, recurseTimes, visibleKeys, key, array);
+    });
+  }
+
+  ctx.seen.pop();
+
+  return reduceToSingleString(output, base, braces);
+}
+
+
+function formatPrimitive(ctx, value) {
+  if (isUndefined(value))
+    return ctx.stylize('undefined', 'undefined');
+  if (isString(value)) {
+    var simple = '\'' + JSON.stringify(value).replace(/^"|"$/g, '')
+                                             .replace(/'/g, "\\'")
+                                             .replace(/\\"/g, '"') + '\'';
+    return ctx.stylize(simple, 'string');
+  }
+  if (isNumber(value))
+    return ctx.stylize('' + value, 'number');
+  if (isBoolean(value))
+    return ctx.stylize('' + value, 'boolean');
+  // For some reason typeof null is "object", so special case here.
+  if (isNull(value))
+    return ctx.stylize('null', 'null');
+}
+
+
+function formatError(value) {
+  return '[' + Error.prototype.toString.call(value) + ']';
+}
+
+
+function formatArray(ctx, value, recurseTimes, visibleKeys, keys) {
+  var output = [];
+  for (var i = 0, l = value.length; i < l; ++i) {
+    if (hasOwnProperty(value, String(i))) {
+      output.push(formatProperty(ctx, value, recurseTimes, visibleKeys,
+          String(i), true));
+    } else {
+      output.push('');
+    }
+  }
+  keys.forEach(function(key) {
+    if (!key.match(/^\d+$/)) {
+      output.push(formatProperty(ctx, value, recurseTimes, visibleKeys,
+          key, true));
+    }
+  });
+  return output;
+}
+
+
+function formatProperty(ctx, value, recurseTimes, visibleKeys, key, array) {
+  var name, str, desc;
+  desc = Object.getOwnPropertyDescriptor(value, key) || { value: value[key] };
+  if (desc.get) {
+    if (desc.set) {
+      str = ctx.stylize('[Getter/Setter]', 'special');
+    } else {
+      str = ctx.stylize('[Getter]', 'special');
+    }
+  } else {
+    if (desc.set) {
+      str = ctx.stylize('[Setter]', 'special');
+    }
+  }
+  if (!hasOwnProperty(visibleKeys, key)) {
+    name = '[' + key + ']';
+  }
+  if (!str) {
+    if (ctx.seen.indexOf(desc.value) < 0) {
+      if (isNull(recurseTimes)) {
+        str = formatValue(ctx, desc.value, null);
+      } else {
+        str = formatValue(ctx, desc.value, recurseTimes - 1);
+      }
+      if (str.indexOf('\n') > -1) {
+        if (array) {
+          str = str.split('\n').map(function(line) {
+            return '  ' + line;
+          }).join('\n').substr(2);
+        } else {
+          str = '\n' + str.split('\n').map(function(line) {
+            return '   ' + line;
+          }).join('\n');
+        }
+      }
+    } else {
+      str = ctx.stylize('[Circular]', 'special');
+    }
+  }
+  if (isUndefined(name)) {
+    if (array && key.match(/^\d+$/)) {
+      return str;
+    }
+    name = JSON.stringify('' + key);
+    if (name.match(/^"([a-zA-Z_][a-zA-Z_0-9]*)"$/)) {
+      name = name.substr(1, name.length - 2);
+      name = ctx.stylize(name, 'name');
+    } else {
+      name = name.replace(/'/g, "\\'")
+                 .replace(/\\"/g, '"')
+                 .replace(/(^"|"$)/g, "'");
+      name = ctx.stylize(name, 'string');
+    }
+  }
+
+  return name + ': ' + str;
+}
+
+
+function reduceToSingleString(output, base, braces) {
+  var numLinesEst = 0;
+  var length = output.reduce(function(prev, cur) {
+    numLinesEst++;
+    if (cur.indexOf('\n') >= 0) numLinesEst++;
+    return prev + cur.replace(/\u001b\[\d\d?m/g, '').length + 1;
+  }, 0);
+
+  if (length > 60) {
+    return braces[0] +
+           (base === '' ? '' : base + '\n ') +
+           ' ' +
+           output.join(',\n  ') +
+           ' ' +
+           braces[1];
+  }
+
+  return braces[0] + base + ' ' + output.join(', ') + ' ' + braces[1];
+}
+
+
+// NOTE: These type checking functions intentionally don't use `instanceof`
+// because it is fragile and can be easily faked with `Object.create()`.
+function isArray(ar) {
+  return Array.isArray(ar);
+}
+exports.isArray = isArray;
+
+function isBoolean(arg) {
+  return typeof arg === 'boolean';
+}
+exports.isBoolean = isBoolean;
+
+function isNull(arg) {
+  return arg === null;
+}
+exports.isNull = isNull;
+
+function isNullOrUndefined(arg) {
+  return arg == null;
+}
+exports.isNullOrUndefined = isNullOrUndefined;
+
+function isNumber(arg) {
+  return typeof arg === 'number';
+}
+exports.isNumber = isNumber;
+
+function isString(arg) {
+  return typeof arg === 'string';
+}
+exports.isString = isString;
+
+function isSymbol(arg) {
+  return typeof arg === 'symbol';
+}
+exports.isSymbol = isSymbol;
+
+function isUndefined(arg) {
+  return arg === void 0;
+}
+exports.isUndefined = isUndefined;
+
+function isRegExp(re) {
+  return isObject(re) && objectToString(re) === '[object RegExp]';
+}
+exports.isRegExp = isRegExp;
+
+function isObject(arg) {
+  return typeof arg === 'object' && arg !== null;
+}
+exports.isObject = isObject;
+
+function isDate(d) {
+  return isObject(d) && objectToString(d) === '[object Date]';
+}
+exports.isDate = isDate;
+
+function isError(e) {
+  return isObject(e) &&
+      (objectToString(e) === '[object Error]' || e instanceof Error);
+}
+exports.isError = isError;
+
+function isFunction(arg) {
+  return typeof arg === 'function';
+}
+exports.isFunction = isFunction;
+
+function isPrimitive(arg) {
+  return arg === null ||
+         typeof arg === 'boolean' ||
+         typeof arg === 'number' ||
+         typeof arg === 'string' ||
+         typeof arg === 'symbol' ||  // ES6 symbol
+         typeof arg === 'undefined';
+}
+exports.isPrimitive = isPrimitive;
+
+exports.isBuffer = require('./support/isBuffer');
+
+function objectToString(o) {
+  return Object.prototype.toString.call(o);
+}
+
+
+function pad(n) {
+  return n < 10 ? '0' + n.toString(10) : n.toString(10);
+}
+
+
+var months = ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep',
+              'Oct', 'Nov', 'Dec'];
+
+// 26 Feb 16:19:34
+function timestamp() {
+  var d = new Date();
+  var time = [pad(d.getHours()),
+              pad(d.getMinutes()),
+              pad(d.getSeconds())].join(':');
+  return [d.getDate(), months[d.getMonth()], time].join(' ');
+}
+
+
+// log is just a thin wrapper to console.log that prepends a timestamp
+exports.log = function() {
+  console.log('%s - %s', timestamp(), exports.format.apply(exports, arguments));
+};
+
+
+/**
+ * Inherit the prototype methods from one constructor into another.
+ *
+ * The Function.prototype.inherits from lang.js rewritten as a standalone
+ * function (not on Function.prototype). NOTE: If this file is to be loaded
+ * during bootstrapping this function needs to be rewritten using some native
+ * functions as prototype setup using normal JavaScript does not work as
+ * expected during bootstrapping (see mirror.js in r114903).
+ *
+ * @param {function} ctor Constructor function which needs to inherit the
+ *     prototype.
+ * @param {function} superCtor Constructor function to inherit prototype from.
+ */
+exports.inherits = require('inherits');
+
+exports._extend = function(origin, add) {
+  // Don't do anything if add isn't an object
+  if (!add || !isObject(add)) return origin;
+
+  var keys = Object.keys(add);
+  var i = keys.length;
+  while (i--) {
+    origin[keys[i]] = add[keys[i]];
+  }
+  return origin;
+};
+
+function hasOwnProperty(obj, prop) {
+  return Object.prototype.hasOwnProperty.call(obj, prop);
+}
diff --git a/node_modules/which/CHANGELOG.md b/node_modules/which/CHANGELOG.md
new file mode 100644
index 0000000..367acb1
--- /dev/null
+++ b/node_modules/which/CHANGELOG.md
@@ -0,0 +1,147 @@
+# Changes
+
+
+## v1.3.0
+
+* Add nothrow option to which.sync
+* update tap
+
+## v1.2.14
+
+* appveyor: drop node 5 and 0.x
+* travis-ci: add node 6, drop 0.x
+
+## v1.2.13
+
+* test: Pass missing option to pass on windows
+* update tap
+* update isexe to 2.0.0
+* neveragain.tech pledge request
+
+## v1.2.12
+
+* Removed unused require
+
+## v1.2.11
+
+* Prevent changelog script from being included in package
+
+## v1.2.10
+
+* Use env.PATH only, not env.Path
+
+## v1.2.9
+
+* fix for paths starting with ../
+* Remove unused `is-absolute` module
+
+## v1.2.8
+
+* bullet items in changelog that contain (but don't start with) #
+
+## v1.2.7
+
+* strip 'update changelog' changelog entries out of changelog
+
+## v1.2.6
+
+* make the changelog bulleted
+
+## v1.2.5
+
+* make a changelog, and keep it up to date
+* don't include tests in package
+* Properly handle relative-path executables
+* appveyor
+* Attach error code to Not Found error
+* Make tests pass on Windows
+
+## v1.2.4
+
+* Fix typo
+
+## v1.2.3
+
+* update isexe, fix regression in pathExt handling
+
+## v1.2.2
+
+* update deps, use isexe module, test windows
+
+## v1.2.1
+
+* Sometimes windows PATH entries are quoted
+* Fixed a bug in the check for group and user mode bits. This bug was introduced during refactoring for supporting strict mode.
+* doc cli
+
+## v1.2.0
+
+* Add support for opt.all and -as cli flags
+* test the bin
+* update travis
+* Allow checking for multiple programs in bin/which
+* tap 2
+
+## v1.1.2
+
+* travis
+* Refactored and fixed undefined error on Windows
+* Support strict mode
+
+## v1.1.1
+
+* test +g exes against secondary groups, if available
+* Use windows exe semantics on cygwin & msys
+* cwd should be first in path on win32, not last
+* Handle lower-case 'env.Path' on Windows
+* Update docs
+* use single-quotes
+
+## v1.1.0
+
+* Add tests, depend on is-absolute
+
+## v1.0.9
+
+* which.js: root is allowed to execute files owned by anyone
+
+## v1.0.8
+
+* don't use graceful-fs
+
+## v1.0.7
+
+* add license to package.json
+
+## v1.0.6
+
+* isc license
+
+## 1.0.5
+
+* Awful typo
+
+## 1.0.4
+
+* Test for path absoluteness properly
+* win: Allow '' as a pathext if cmd has a . in it
+
+## 1.0.3
+
+* Remove references to execPath
+* Make `which.sync()` work on Windows by honoring the PATHEXT variable.
+* Make `isExe()` always return true on Windows.
+* MIT
+
+## 1.0.2
+
+* Only files can be exes
+
+## 1.0.1
+
+* Respect the PATHEXT env for win32 support
+* should 0755 the bin
+* binary
+* guts
+* package
+* 1st
diff --git a/node_modules/which/LICENSE b/node_modules/which/LICENSE
new file mode 100644
index 0000000..19129e3
--- /dev/null
+++ b/node_modules/which/LICENSE
@@ -0,0 +1,15 @@
+The ISC License
+
+Copyright (c) Isaac Z. Schlueter and Contributors
+
+Permission to use, copy, modify, and/or distribute this software for any
+purpose with or without fee is hereby granted, provided that the above
+copyright notice and this permission notice appear in all copies.
+
+THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
+WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
+MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
+ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
+WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
+ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR
+IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
diff --git a/node_modules/which/README.md b/node_modules/which/README.md
new file mode 100644
index 0000000..8c0b0cb
--- /dev/null
+++ b/node_modules/which/README.md
@@ -0,0 +1,51 @@
+# which
+
+Like the unix `which` utility.
+
+Finds the first instance of a specified executable in the PATH
+environment variable.  Does not cache the results, so `hash -r` is not
+needed when the PATH changes.
+
+## USAGE
+
+```javascript
+var which = require('which')
+
+// async usage
+which('node', function (er, resolvedPath) {
+  // er is returned if no "node" is found on the PATH
+  // if it is found, then the absolute path to the exec is returned
+})
+
+// sync usage
+// throws if not found
+var resolved = which.sync('node')
+
+// if nothrow option is used, returns null if not found
+resolved = which.sync('node', {nothrow: true})
+
+// Pass options to override the PATH and PATHEXT environment vars.
+which('node', { path: someOtherPath }, function (er, resolved) {
+  if (er)
+    throw er
+  console.log('found at %j', resolved)
+})
+```
+
+## CLI USAGE
+
+Same as the BSD `which(1)` binary.
+
+```
+usage: which [-as] program ...
+```
+
+## OPTIONS
+
+You may pass an options object as the second argument.
+
+- `path`: Use instead of the `PATH` environment variable.
+- `pathExt`: Use instead of the `PATHEXT` environment variable.
+- `all`: Return all matches, instead of just the first one.  Note that
+  this means the function returns an array of strings instead of a
+  single string.
diff --git a/node_modules/which/bin/which b/node_modules/which/bin/which
new file mode 100755
index 0000000..7cee372
--- /dev/null
+++ b/node_modules/which/bin/which
@@ -0,0 +1,52 @@
+#!/usr/bin/env node
+var which = require("../")
+if (process.argv.length < 3)
+  usage()
+
+function usage () {
+  console.error('usage: which [-as] program ...')
+  process.exit(1)
+}
+
+var all = false
+var silent = false
+var dashdash = false
+var args = process.argv.slice(2).filter(function (arg) {
+  if (dashdash || !/^-/.test(arg))
+    return true
+
+  if (arg === '--') {
+    dashdash = true
+    return false
+  }
+
+  var flags = arg.substr(1).split('')
+  for (var f = 0; f < flags.length; f++) {
+    var flag = flags[f]
+    switch (flag) {
+      case 's':
+        silent = true
+        break
+      case 'a':
+        all = true
+        break
+      default:
+        console.error('which: illegal option -- ' + flag)
+        usage()
+    }
+  }
+  return false
+})
+
+process.exit(args.reduce(function (pv, current) {
+  try {
+    var f = which.sync(current, { all: all })
+    if (all)
+      f = f.join('\n')
+    if (!silent)
+      console.log(f)
+    return pv;
+  } catch (e) {
+    return 1;
+  }
+}, 0))
diff --git a/node_modules/which/package.json b/node_modules/which/package.json
new file mode 100644
index 0000000..5e50a2d
--- /dev/null
+++ b/node_modules/which/package.json
@@ -0,0 +1,102 @@
+{
+  "_args": [
+    [
+      {
+        "raw": "which@^1.2.9",
+        "scope": null,
+        "escapedName": "which",
+        "name": "which",
+        "rawSpec": "^1.2.9",
+        "spec": ">=1.2.9 <2.0.0",
+        "type": "range"
+      },
+      "/Users/fzy/project/koa2_Sequelize_project/node_modules/cross-spawn"
+    ]
+  ],
+  "_from": "which@>=1.2.9 <2.0.0",
+  "_id": "which@1.3.0",
+  "_inCache": true,
+  "_location": "/which",
+  "_nodeVersion": "8.2.1",
+  "_npmOperationalInternal": {
+    "host": "s3://npm-registry-packages",
+    "tmp": "tmp/which-1.3.0.tgz_1501548893969_0.39246653905138373"
+  },
+  "_npmUser": {
+    "name": "isaacs",
+    "email": "i@izs.me"
+  },
+  "_npmVersion": "5.3.0",
+  "_phantomChildren": {},
+  "_requested": {
+    "raw": "which@^1.2.9",
+    "scope": null,
+    "escapedName": "which",
+    "name": "which",
+    "rawSpec": "^1.2.9",
+    "spec": ">=1.2.9 <2.0.0",
+    "type": "range"
+  },
+  "_requiredBy": [
+    "/cross-spawn"
+  ],
+  "_resolved": "https://registry.npmjs.org/which/-/which-1.3.0.tgz",
+  "_shasum": "ff04bdfc010ee547d780bec38e1ac1c2777d253a",
+  "_shrinkwrap": null,
+  "_spec": "which@^1.2.9",
+  "_where": "/Users/fzy/project/koa2_Sequelize_project/node_modules/cross-spawn",
+  "author": {
+    "name": "Isaac Z. Schlueter",
+    "email": "i@izs.me",
+    "url": "http://blog.izs.me"
+  },
+  "bin": {
+    "which": "./bin/which"
+  },
+  "bugs": {
+    "url": "https://github.com/isaacs/node-which/issues"
+  },
+  "dependencies": {
+    "isexe": "^2.0.0"
+  },
+  "description": "Like which(1) unix command. Find the first instance of an executable in the PATH.",
+  "devDependencies": {
+    "mkdirp": "^0.5.0",
+    "rimraf": "^2.3.3",
+    "tap": "^10.7.0"
+  },
+  "directories": {},
+  "dist": {
+    "integrity": "sha512-xcJpopdamTuY5duC/KnTTNBraPK54YwpenP4lzxU8H91GudWpFv38u0CKjclE1Wi2EH2EDz5LRcHcKbCIzqGyg==",
+    "shasum": "ff04bdfc010ee547d780bec38e1ac1c2777d253a",
+    "tarball": "https://registry.npmjs.org/which/-/which-1.3.0.tgz"
+  },
+  "files": [
+    "which.js",
+    "bin/which"
+  ],
+  "gitHead": "6b2de9381d6f6484489187faf24d22ac5bf3d668",
+  "homepage": "https://github.com/isaacs/node-which#readme",
+  "license": "ISC",
+  "main": "which.js",
+  "maintainers": [
+    {
+      "name": "isaacs",
+      "email": "i@izs.me"
+    }
+  ],
+  "name": "which",
+  "optionalDependencies": {},
+  "readme": "# which\n\nLike the unix `which` utility.\n\nFinds the first instance of a specified executable in the PATH\nenvironment variable.  Does not cache the results, so `hash -r` is not\nneeded when the PATH changes.\n\n## USAGE\n\n```javascript\nvar which = require('which')\n\n// async usage\nwhich('node', function (er, resolvedPath) {\n  // er is returned if no \"node\" is found on the PATH\n  // if it is found, then the absolute path to the exec is returned\n})\n\n// sync usage\n// throws if not found\nvar resolved = which.sync('node')\n\n// if nothrow option is used, returns null if not found\nresolved = which.sync('node', {nothrow: true})\n\n// Pass options to override the PATH and PATHEXT environment vars.\nwhich('node', { path: someOtherPath }, function (er, resolved) {\n  if (er)\n    throw er\n  console.log('found at %j', resolved)\n})\n```\n\n## CLI USAGE\n\nSame as the BSD `which(1)` binary.\n\n```\nusage: which [-as] program ...\n```\n\n## OPTIONS\n\nYou may pass an options object as the second argument.\n\n- `path`: Use instead of the `PATH` environment variable.\n- `pathExt`: Use instead of the `PATHEXT` environment variable.\n- `all`: Return all matches, instead of just the first one.  Note that\n  this means the function returns an array of strings instead of a\n  single string.\n",
+  "readmeFilename": "README.md",
+  "repository": {
+    "type": "git",
+    "url": "git://github.com/isaacs/node-which.git"
+  },
+  "scripts": {
+    "changelog": "bash gen-changelog.sh",
+    "postversion": "npm run changelog && git add CHANGELOG.md && git commit -m 'update changelog - '${npm_package_version}",
+    "test": "tap test/*.js --cov"
+  },
+  "version": "1.3.0"
+}
diff --git a/node_modules/which/which.js b/node_modules/which/which.js
new file mode 100644
index 0000000..4347f91
--- /dev/null
+++ b/node_modules/which/which.js
@@ -0,0 +1,135 @@
+module.exports = which
+which.sync = whichSync
+
+var isWindows = process.platform === 'win32' ||
+    process.env.OSTYPE === 'cygwin' ||
+    process.env.OSTYPE === 'msys'
+
+var path = require('path')
+var COLON = isWindows ? ';' : ':'
+var isexe = require('isexe')
+
+function getNotFoundError (cmd) {
+  var er = new Error('not found: ' + cmd)
+  er.code = 'ENOENT'
+
+  return er
+}
+
+function getPathInfo (cmd, opt) {
+  var colon = opt.colon || COLON
+  var pathEnv = opt.path || process.env.PATH || ''
+  var pathExt = ['']
+
+  pathEnv = pathEnv.split(colon)
+
+  var pathExtExe = ''
+  if (isWindows) {
+    pathEnv.unshift(process.cwd())
+    pathExtExe = (opt.pathExt || process.env.PATHEXT || '.EXE;.CMD;.BAT;.COM')
+    pathExt = pathExtExe.split(colon)
+
+
+    // Always test the cmd itself first.  isexe will check to make sure
+    // it's found in the pathExt set.
+    if (cmd.indexOf('.') !== -1 && pathExt[0] !== '')
+      pathExt.unshift('')
+  }
+
+  // If it has a slash, then we don't bother searching the pathenv.
+  // just check the file itself, and that's it.
+  if (cmd.match(/\//) || isWindows && cmd.match(/\\/))
+    pathEnv = ['']
+
+  return {
+    env: pathEnv,
+    ext: pathExt,
+    extExe: pathExtExe
+  }
+}
+
+function which (cmd, opt, cb) {
+  if (typeof opt === 'function') {
+    cb = opt
+    opt = {}
+  }
+
+  var info = getPathInfo(cmd, opt)
+  var pathEnv = info.env
+  var pathExt = info.ext
+  var pathExtExe = info.extExe
+  var found = []
+
+  ;(function F (i, l) {
+    if (i === l) {
+      if (opt.all && found.length)
+        return cb(null, found)
+      else
+        return cb(getNotFoundError(cmd))
+    }
+
+    var pathPart = pathEnv[i]
+    if (pathPart.charAt(0) === '"' && pathPart.slice(-1) === '"')
+      pathPart = pathPart.slice(1, -1)
+
+    var p = path.join(pathPart, cmd)
+    if (!pathPart && (/^\.[\\\/]/).test(cmd)) {
+      p = cmd.slice(0, 2) + p
+    }
+    ;(function E (ii, ll) {
+      if (ii === ll) return F(i + 1, l)
+      var ext = pathExt[ii]
+      isexe(p + ext, { pathExt: pathExtExe }, function (er, is) {
+        if (!er && is) {
+          if (opt.all)
+            found.push(p + ext)
+          else
+            return cb(null, p + ext)
+        }
+        return E(ii + 1, ll)
+      })
+    })(0, pathExt.length)
+  })(0, pathEnv.length)
+}
+
+function whichSync (cmd, opt) {
+  opt = opt || {}
+
+  var info = getPathInfo(cmd, opt)
+  var pathEnv = info.env
+  var pathExt = info.ext
+  var pathExtExe = info.extExe
+  var found = []
+
+  for (var i = 0, l = pathEnv.length; i < l; i ++) {
+    var pathPart = pathEnv[i]
+    if (pathPart.charAt(0) === '"' && pathPart.slice(-1) === '"')
+      pathPart = pathPart.slice(1, -1)
+
+    var p = path.join(pathPart, cmd)
+    if (!pathPart && /^\.[\\\/]/.test(cmd)) {
+      p = cmd.slice(0, 2) + p
+    }
+    for (var j = 0, ll = pathExt.length; j < ll; j ++) {
+      var cur = p + pathExt[j]
+      var is
+      try {
+        is = isexe.sync(cur, { pathExt: pathExtExe })
+        if (is) {
+          if (opt.all)
+            found.push(cur)
+          else
+            return cur
+        }
+      } catch (ex) {}
+    }
+  }
+
+  if (opt.all && found.length)
+    return found
+
+  if (opt.nothrow)
+    return null
+
+  throw getNotFoundError(cmd)
+}
diff --git a/package.json b/package.json
index 7f245ec..f41c65d 100644
--- a/package.json
+++ b/package.json
@@ -11,6 +11,8 @@
   "dependencies": {
     "debug": "^2.6.3",
     "koa": "^2.2.0",
+    "koa-better-body": "^3.0.4",
+    "koa-body": "^2.3.0",
     "koa-bodyparser": "^3.2.0",
     "koa-convert": "^1.2.0",
     "koa-json": "^2.0.2",
@@ -31,6 +33,8 @@
   },
   "devDependencies": {
     "crypto": "^1.0.1",
+    "fs": "0.0.1-security",
+    "gm": "^1.23.0",
     "hashids": "^1.1.1",
     "jsdoc": "^3.5.4",
     "jsonwebtoken": "^7.4.2",
diff --git a/routes../upload/1504602289141.png b/routes../upload/1504602289141.png
new file mode 100644
index 0000000..9bd8048
Binary files /dev/null and b/routes../upload/1504602289141.png differ
diff --git a/routes../upload/1504602335865.png b/routes../upload/1504602335865.png
new file mode 100644
index 0000000..9bd8048
Binary files /dev/null and b/routes../upload/1504602335865.png differ
diff --git a/routes../upload/1504602362228.png b/routes../upload/1504602362228.png
new file mode 100644
index 0000000..9bd8048
Binary files /dev/null and b/routes../upload/1504602362228.png differ
diff --git a/routes../upload/1504602426695.png b/routes../upload/1504602426695.png
new file mode 100644
index 0000000..9bd8048
Binary files /dev/null and b/routes../upload/1504602426695.png differ
diff --git a/routes/email.js b/routes/email.js
new file mode 100644
index 0000000..098d2bc
--- /dev/null
+++ b/routes/email.js
@@ -0,0 +1,23 @@
+const router = require('koa-router')()
+var status = require('../util/resTemplate') 
+const emailUtil = require('../util/emailUtil')
+
+router.prefix('/email')
+
+
+router.post('/sendEmail', async (ctx, next) => {
+    try{
+        var body = ctx.request.body;        
+        //邮件地址、用户名、手机号、公司名称、座机和客户端ip
+        let back = await emailUtil.sendMail(body.Email,null, body.userName+body.phone+body.company+body.landline+body.ip)   
+        ctx.response.status= 200;
+        ctx.response.body= { 
+            msg:'发送成功'
+        };                
+      }catch(e){
+          console.error(e)
+        status.catchError(ctx,400,e.message);    
+      } 
+  })
+
+  module.exports = router;
\ No newline at end of file
diff --git a/routes/upload.js b/routes/upload.js
new file mode 100644
index 0000000..7bc78ae
--- /dev/null
+++ b/routes/upload.js
@@ -0,0 +1,51 @@
+const router = require('koa-router')()
+const fs = require('fs');
+var status = require('../util/resTemplate') 
+
+const os = require('os');
+const path = require('path');
+const multer = require('koa-multer');
+const moment = require('moment')
+var body = require('koa-better-body')
+
+
+
+
+router.prefix('/upload');
+
+const uploads = multer({ dest: __dirname+ '../upload' });
+
+
+
+
+
+router.post('/upLoadDoc', async (ctx, next) => {
+    try{
+        console.log(this.request.files)
+        console.log(this.request.fields)
+         //接收前台POST过来的base64
+            //var imgData = ctx.request.body.imgData;
+            //过滤data:URL\
+            ctx.status = 200;
+            console.dir(ctx.request.body.file)
+        //    ctx.response.body= ctx.file
+            //var base64Data = imgData.replace(/^data:image\/\w+;base64,/, "");
+            var dataBuffer = new Buffer(ctx.request.body);
+            //const  date = moment().valueOf();
+            fs.writeFile("img1.png", dataBuffer, function(err) {
+                if(err){
+                    ctx.response.body = {
+                        code:400
+                    }
+                }else{
+                    ctx.response.body= {
+                        code:200
+                    }
+                }
+            });
+      }catch(e){
+          console.error(e)
+        status.catchError(ctx,400,e.message);    
+      } 
+  })
+module.exports = router
diff --git a/upload/demo.pdf b/upload/demo.pdf
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/upload/demo.pdf
diff --git a/util/emailUtil.js b/util/emailUtil.js
index ae22a6c..9f6a5f1 100644
--- a/util/emailUtil.js
+++ b/util/emailUtil.js
@@ -9,11 +9,18 @@ var nodemailer = require('nodemailer')
 var smtpTransport = require('nodemailer-smtp-transport');
 
 smtpTransport = nodemailer.createTransport(smtpTransport({
-    service: "QQ",    
+    host: "smtp.ym.163.com",
+    secureConnection: true,
+    port:465,
     auth: {
-        user: "756884223@qq.com",
-        pass: "zouboddwgilgbgaa"
+        user: 'service@3mang.com',
+        pass: '6Ltsa9u1AR',
     }
+    // service: "QQ",    
+    // auth: {
+    //     user: "756884223@qq.com",
+    //     pass: "zouboddwgilgbgaa"
+    // }
 }));
 
 /**
@@ -28,7 +35,7 @@ function email(){
 email.prototype.sendMail = async(recipient, subject, html) => {
 
     return  await smtpTransport.sendMail({
-        from: "756884223@qq.com",
+        from: "service@3mang.com",
         to: recipient,
         subject: subject,
         html: html
diff --git a/util/filterUrl.js b/util/filterUrl.js
index ecb1769..176e61d 100644
--- a/util/filterUrl.js
+++ b/util/filterUrl.js
@@ -1 +1 @@
-module.exports = ['/',"/users/addUser","/users/login",'/users/addUser?time=1','/users/encryptionToken','/users/Recording']
\ No newline at end of file
+module.exports = ['/',"/users/addUser","/users/login",'/users/addUser?time=1','/users/encryptionToken','/users/Recording','/upload/profile','/upload/upLoadDoc','/email/sendEmail']
\ No newline at end of file
diff --git a/views/index.html b/views/index.html
new file mode 100644
index 0000000..166541e
--- /dev/null
+++ b/views/index.html
@@ -0,0 +1,20 @@
+<!DOCTYPE html>
+<html>
+<head>
+  <title>Upload</title>
+  <style>
+    body {
+      padding: 50px;
+      font: 14px Helvetica, Arial;
+    }
+  </style>
+</head>
+<body>
+  <h1>File Upload</h1>
+  <p>Try uploading multiple files at a time.</p>
+  <form action="/upload/upLoadDoc" method="post" enctype="multipart/form-data">
+    <input type="file" name="file" multiple>
+    <input type="submit" value="Upload">
+  </form>
+</body>
+</html>
\ No newline at end of file