diff --git a/node_modules/async/package.json b/node_modules/async/package.json
index 5679bec..2bc0926 100644
--- a/node_modules/async/package.json
+++ b/node_modules/async/package.json
@@ -1,21 +1,30 @@
-{ "name": "async"
-, "description": "Higher-order functions and common patterns for asynchronous code"
-, "main": "./index"
-, "author": "Caolan McMahon"
-, "version": "0.1.18"
-, "repository" :
-  { "type" : "git"
-  , "url" : "http://github.com/caolan/async.git"
-  }
-, "bugs" : { "url" : "http://github.com/caolan/async/issues" }
-, "licenses" :
-  [ { "type" : "MIT"
-    , "url" : "http://github.com/caolan/async/raw/master/LICENSE"
+{
+  "name": "async",
+  "description": "Higher-order functions and common patterns for asynchronous code",
+  "main": "./index",
+  "author": {
+    "name": "Caolan McMahon"
+  },
+  "version": "0.1.18",
+  "repository": {
+    "type": "git",
+    "url": "http://github.com/caolan/async.git"
+  },
+  "bugs": {
+    "url": "http://github.com/caolan/async/issues"
+  },
+  "licenses": [
+    {
+      "type": "MIT",
+      "url": "http://github.com/caolan/async/raw/master/LICENSE"
     }
-  ]
-, "devDependencies":
-  { "nodeunit": ">0.0.0"
-  , "uglify-js": "1.2.x"
-  , "nodelint": ">0.0.0"
-  }
+  ],
+  "devDependencies": {
+    "nodeunit": ">0.0.0",
+    "uglify-js": "1.2.x",
+    "nodelint": ">0.0.0"
+  },
+  "readme": "# Async.js\n\nAsync is a utility module which provides straight-forward, powerful functions\nfor working with asynchronous JavaScript. Although originally designed for\nuse with [node.js](http://nodejs.org), it can also be used directly in the\nbrowser.\n\nAsync provides around 20 functions that include the usual 'functional'\nsuspects (map, reduce, filter, forEach…) as well as some common patterns\nfor asynchronous control flow (parallel, series, waterfall…). All these\nfunctions assume you follow the node.js convention of providing a single\ncallback as the last argument of your async function.\n\n\n## Quick Examples\n\n    async.map(['file1','file2','file3'], fs.stat, function(err, results){\n        // results is now an array of stats for each file\n    });\n\n    async.filter(['file1','file2','file3'], path.exists, function(results){\n        // results now equals an array of the existing files\n    });\n\n    async.parallel([\n        function(){ ... },\n        function(){ ... }\n    ], callback);\n\n    async.series([\n        function(){ ... },\n        function(){ ... }\n    ]);\n\nThere are many more functions available so take a look at the docs below for a\nfull list. This module aims to be comprehensive, so if you feel anything is\nmissing please create a GitHub issue for it.\n\n\n## Download\n\nReleases are available for download from\n[GitHub](http://github.com/caolan/async/downloads).\nAlternatively, you can install using Node Package Manager (npm):\n\n    npm install async\n\n\n__Development:__ [async.js](https://github.com/caolan/async/raw/master/lib/async.js) - 17.5kb Uncompressed\n\n__Production:__ [async.min.js](https://github.com/caolan/async/raw/master/dist/async.min.js) - 1.7kb Packed and Gzipped\n\n\n## In the Browser\n\nSo far its been tested in IE6, IE7, IE8, FF3.6 and Chrome 5. Usage:\n\n    \n    \n\n\n## Documentation\n\n### Collections\n\n* [forEach](#forEach)\n* [map](#map)\n* [filter](#filter)\n* [reject](#reject)\n* [reduce](#reduce)\n* [detect](#detect)\n* [sortBy](#sortBy)\n* [some](#some)\n* [every](#every)\n* [concat](#concat)\n\n### Control Flow\n\n* [series](#series)\n* [parallel](#parallel)\n* [whilst](#whilst)\n* [until](#until)\n* [waterfall](#waterfall)\n* [queue](#queue)\n* [auto](#auto)\n* [iterator](#iterator)\n* [apply](#apply)\n* [nextTick](#nextTick)\n\n### Utils\n\n* [memoize](#memoize)\n* [unmemoize](#unmemoize)\n* [log](#log)\n* [dir](#dir)\n* [noConflict](#noConflict)\n\n\n## Collections\n\n\n### forEach(arr, iterator, callback)\n\nApplies an iterator function to each item in an array, in parallel.\nThe iterator is called with an item from the list and a callback for when it\nhas finished. If the iterator passes an error to this callback, the main\ncallback for the forEach function is immediately called with the error.\n\nNote, that since this function applies the iterator to each item in parallel\nthere is no guarantee that the iterator functions will complete in order.\n\n__Arguments__\n\n* arr - An array to iterate over.\n* iterator(item, callback) - A function to apply to each item in the array.\n  The iterator is passed a callback which must be called once it has completed.\n* callback(err) - A callback which is called after all the iterator functions\n  have finished, or an error has occurred.\n\n__Example__\n\n    // assuming openFiles is an array of file names and saveFile is a function\n    // to save the modified contents of that file:\n\n    async.forEach(openFiles, saveFile, function(err){\n        // if any of the saves produced an error, err would equal that error\n    });\n\n---------------------------------------\n\n\n### forEachSeries(arr, iterator, callback)\n\nThe same as forEach only the iterator is applied to each item in the array in\nseries. The next iterator is only called once the current one has completed\nprocessing. This means the iterator functions will complete in order.\n\n\n---------------------------------------\n\n\n### forEachLimit(arr, limit, iterator, callback)\n\nThe same as forEach only the iterator is applied to batches of items in the\narray, in series. The next batch of iterators is only called once the current\none has completed processing.\n\n__Arguments__\n\n* arr - An array to iterate over.\n* limit - How many items should be in each batch.\n* iterator(item, callback) - A function to apply to each item in the array.\n  The iterator is passed a callback which must be called once it has completed.\n* callback(err) - A callback which is called after all the iterator functions\n  have finished, or an error has occurred.\n\n__Example__\n\n    // Assume documents is an array of JSON objects and requestApi is a\n    // function that interacts with a rate-limited REST api.\n\n    async.forEachLimit(documents, 20, requestApi, function(err){\n        // if any of the saves produced an error, err would equal that error\n    });\n---------------------------------------\n\n\n### map(arr, iterator, callback)\n\nProduces a new array of values by mapping each value in the given array through\nthe iterator function. The iterator is called with an item from the array and a\ncallback for when it has finished processing. The callback takes 2 arguments, \nan error and the transformed item from the array. If the iterator passes an\nerror to this callback, the main callback for the map function is immediately\ncalled with the error.\n\nNote, that since this function applies the iterator to each item in parallel\nthere is no guarantee that the iterator functions will complete in order, however\nthe results array will be in the same order as the original array.\n\n__Arguments__\n\n* arr - An array to iterate over.\n* iterator(item, callback) - A function to apply to each item in the array.\n  The iterator is passed a callback which must be called once it has completed\n  with an error (which can be null) and a transformed item.\n* callback(err, results) - A callback which is called after all the iterator\n  functions have finished, or an error has occurred. Results is an array of the\n  transformed items from the original array.\n\n__Example__\n\n    async.map(['file1','file2','file3'], fs.stat, function(err, results){\n        // results is now an array of stats for each file\n    });\n\n---------------------------------------\n\n\n### mapSeries(arr, iterator, callback)\n\nThe same as map only the iterator is applied to each item in the array in\nseries. The next iterator is only called once the current one has completed\nprocessing. The results array will be in the same order as the original.\n\n\n---------------------------------------\n\n\n### filter(arr, iterator, callback)\n\n__Alias:__ select\n\nReturns a new array of all the values which pass an async truth test.\n_The callback for each iterator call only accepts a single argument of true or\nfalse, it does not accept an error argument first!_ This is in-line with the\nway node libraries work with truth tests like path.exists. This operation is\nperformed in parallel, but the results array will be in the same order as the\noriginal.\n\n__Arguments__\n\n* arr - An array to iterate over.\n* iterator(item, callback) - A truth test to apply to each item in the array.\n  The iterator is passed a callback which must be called once it has completed.\n* callback(results) - A callback which is called after all the iterator\n  functions have finished.\n\n__Example__\n\n    async.filter(['file1','file2','file3'], path.exists, function(results){\n        // results now equals an array of the existing files\n    });\n\n---------------------------------------\n\n\n### filterSeries(arr, iterator, callback)\n\n__alias:__ selectSeries\n\nThe same as filter only the iterator is applied to each item in the array in\nseries. The next iterator is only called once the current one has completed\nprocessing. The results array will be in the same order as the original.\n\n---------------------------------------\n\n\n### reject(arr, iterator, callback)\n\nThe opposite of filter. Removes values that pass an async truth test.\n\n---------------------------------------\n\n\n### rejectSeries(arr, iterator, callback)\n\nThe same as filter, only the iterator is applied to each item in the array\nin series.\n\n\n---------------------------------------\n\n\n### reduce(arr, memo, iterator, callback)\n\n__aliases:__ inject, foldl\n\nReduces a list of values into a single value using an async iterator to return\neach successive step. Memo is the initial state of the reduction. This\nfunction only operates in series. For performance reasons, it may make sense to\nsplit a call to this function into a parallel map, then use the normal\nArray.prototype.reduce on the results. This function is for situations where\neach step in the reduction needs to be async, if you can get the data before\nreducing it then its probably a good idea to do so.\n\n__Arguments__\n\n* arr - An array to iterate over.\n* memo - The initial state of the reduction.\n* iterator(memo, item, callback) - A function applied to each item in the\n  array to produce the next step in the reduction. The iterator is passed a\n  callback which accepts an optional error as its first argument, and the state\n  of the reduction as the second. If an error is passed to the callback, the\n  reduction is stopped and the main callback is immediately called with the\n  error.\n* callback(err, result) - A callback which is called after all the iterator\n  functions have finished. Result is the reduced value.\n\n__Example__\n\n    async.reduce([1,2,3], 0, function(memo, item, callback){\n        // pointless async:\n        process.nextTick(function(){\n            callback(null, memo + item)\n        });\n    }, function(err, result){\n        // result is now equal to the last value of memo, which is 6\n    });\n\n---------------------------------------\n\n\n### reduceRight(arr, memo, iterator, callback)\n\n__Alias:__ foldr\n\nSame as reduce, only operates on the items in the array in reverse order.\n\n\n---------------------------------------\n\n\n### detect(arr, iterator, callback)\n\nReturns the first value in a list that passes an async truth test. The\niterator is applied in parallel, meaning the first iterator to return true will\nfire the detect callback with that result. That means the result might not be\nthe first item in the original array (in terms of order) that passes the test.\n\nIf order within the original array is important then look at detectSeries.\n\n__Arguments__\n\n* arr - An array to iterate over.\n* iterator(item, callback) - A truth test to apply to each item in the array.\n  The iterator is passed a callback which must be called once it has completed.\n* callback(result) - A callback which is called as soon as any iterator returns\n  true, or after all the iterator functions have finished. Result will be\n  the first item in the array that passes the truth test (iterator) or the\n  value undefined if none passed.\n\n__Example__\n\n    async.detect(['file1','file2','file3'], path.exists, function(result){\n        // result now equals the first file in the list that exists\n    });\n\n---------------------------------------\n\n\n### detectSeries(arr, iterator, callback)\n\nThe same as detect, only the iterator is applied to each item in the array\nin series. This means the result is always the first in the original array (in\nterms of array order) that passes the truth test.\n\n\n---------------------------------------\n\n\n### sortBy(arr, iterator, callback)\n\nSorts a list by the results of running each value through an async iterator.\n\n__Arguments__\n\n* arr - An array to iterate over.\n* iterator(item, callback) - A function to apply to each item in the array.\n  The iterator is passed a callback which must be called once it has completed\n  with an error (which can be null) and a value to use as the sort criteria.\n* callback(err, results) - A callback which is called after all the iterator\n  functions have finished, or an error has occurred. Results is the items from\n  the original array sorted by the values returned by the iterator calls.\n\n__Example__\n\n    async.sortBy(['file1','file2','file3'], function(file, callback){\n        fs.stat(file, function(err, stats){\n            callback(err, stats.mtime);\n        });\n    }, function(err, results){\n        // results is now the original array of files sorted by\n        // modified date\n    });\n\n\n---------------------------------------\n\n\n### some(arr, iterator, callback)\n\n__Alias:__ any\n\nReturns true if at least one element in the array satisfies an async test.\n_The callback for each iterator call only accepts a single argument of true or\nfalse, it does not accept an error argument first!_ This is in-line with the\nway node libraries work with truth tests like path.exists. Once any iterator\ncall returns true, the main callback is immediately called.\n\n__Arguments__\n\n* arr - An array to iterate over.\n* iterator(item, callback) - A truth test to apply to each item in the array.\n  The iterator is passed a callback which must be called once it has completed.\n* callback(result) - A callback which is called as soon as any iterator returns\n  true, or after all the iterator functions have finished. Result will be\n  either true or false depending on the values of the async tests.\n\n__Example__\n\n    async.some(['file1','file2','file3'], path.exists, function(result){\n        // if result is true then at least one of the files exists\n    });\n\n---------------------------------------\n\n\n### every(arr, iterator, callback)\n\n__Alias:__ all\n\nReturns true if every element in the array satisfies an async test.\n_The callback for each iterator call only accepts a single argument of true or\nfalse, it does not accept an error argument first!_ This is in-line with the\nway node libraries work with truth tests like path.exists.\n\n__Arguments__\n\n* arr - An array to iterate over.\n* iterator(item, callback) - A truth test to apply to each item in the array.\n  The iterator is passed a callback which must be called once it has completed.\n* callback(result) - A callback which is called after all the iterator\n  functions have finished. Result will be either true or false depending on\n  the values of the async tests.\n\n__Example__\n\n    async.every(['file1','file2','file3'], path.exists, function(result){\n        // if result is true then every file exists\n    });\n\n---------------------------------------\n\n\n### concat(arr, iterator, callback)\n\nApplies an iterator to each item in a list, concatenating the results. Returns the\nconcatenated list. The iterators are called in parallel, and the results are\nconcatenated as they return. There is no guarantee that the results array will\nbe returned in the original order of the arguments passed to the iterator function.\n\n__Arguments__\n\n* arr - An array to iterate over\n* iterator(item, callback) - A function to apply to each item in the array.\n  The iterator is passed a callback which must be called once it has completed\n  with an error (which can be null) and an array of results.\n* callback(err, results) - A callback which is called after all the iterator\n  functions have finished, or an error has occurred. Results is an array containing\n  the concatenated results of the iterator function.\n\n__Example__\n\n    async.concat(['dir1','dir2','dir3'], fs.readdir, function(err, files){\n        // files is now a list of filenames that exist in the 3 directories\n    });\n\n---------------------------------------\n\n\n### concatSeries(arr, iterator, callback)\n\nSame as async.concat, but executes in series instead of parallel.\n\n\n## Control Flow\n\n\n### series(tasks, [callback])\n\nRun an array of functions in series, each one running once the previous\nfunction has completed. If any functions in the series pass an error to its\ncallback, no more functions are run and the callback for the series is\nimmediately called with the value of the error. Once the tasks have completed,\nthe results are passed to the final callback as an array.\n\nIt is also possible to use an object instead of an array. Each property will be\nrun as a function and the results will be passed to the final callback as an object\ninstead of an array. This can be a more readable way of handling results from\nasync.series.\n\n\n__Arguments__\n\n* tasks - An array or object containing functions to run, each function is passed\n  a callback it must call on completion.\n* callback(err, results) - An optional callback to run once all the functions\n  have completed. This function gets an array of all the arguments passed to\n  the callbacks used in the array.\n\n__Example__\n\n    async.series([\n        function(callback){\n            // do some stuff ...\n            callback(null, 'one');\n        },\n        function(callback){\n            // do some more stuff ...\n            callback(null, 'two');\n        },\n    ],\n    // optional callback\n    function(err, results){\n        // results is now equal to ['one', 'two']\n    });\n\n\n    // an example using an object instead of an array\n    async.series({\n        one: function(callback){\n            setTimeout(function(){\n                callback(null, 1);\n            }, 200);\n        },\n        two: function(callback){\n            setTimeout(function(){\n                callback(null, 2);\n            }, 100);\n        },\n    },\n    function(err, results) {\n        // results is now equal to: {one: 1, two: 2}\n    });\n\n\n---------------------------------------\n\n\n### parallel(tasks, [callback])\n\nRun an array of functions in parallel, without waiting until the previous\nfunction has completed. If any of the functions pass an error to its\ncallback, the main callback is immediately called with the value of the error.\nOnce the tasks have completed, the results are passed to the final callback as an\narray.\n\nIt is also possible to use an object instead of an array. Each property will be\nrun as a function and the results will be passed to the final callback as an object\ninstead of an array. This can be a more readable way of handling results from\nasync.parallel.\n\n\n__Arguments__\n\n* tasks - An array or object containing functions to run, each function is passed a\n  callback it must call on completion.\n* callback(err, results) - An optional callback to run once all the functions\n  have completed. This function gets an array of all the arguments passed to\n  the callbacks used in the array.\n\n__Example__\n\n    async.parallel([\n        function(callback){\n            setTimeout(function(){\n                callback(null, 'one');\n            }, 200);\n        },\n        function(callback){\n            setTimeout(function(){\n                callback(null, 'two');\n            }, 100);\n        },\n    ],\n    // optional callback\n    function(err, results){\n        // in this case, the results array will equal ['two','one']\n        // because the functions were run in parallel and the second\n        // function had a shorter timeout before calling the callback.\n    });\n\n\n    // an example using an object instead of an array\n    async.parallel({\n        one: function(callback){\n            setTimeout(function(){\n                callback(null, 1);\n            }, 200);\n        },\n        two: function(callback){\n            setTimeout(function(){\n                callback(null, 2);\n            }, 100);\n        },\n    },\n    function(err, results) {\n        // results is now equals to: {one: 1, two: 2}\n    });\n\n\n---------------------------------------\n\n\n### whilst(test, fn, callback)\n\nRepeatedly call fn, while test returns true. Calls the callback when stopped,\nor an error occurs.\n\n__Arguments__\n\n* test() - synchronous truth test to perform before each execution of fn.\n* fn(callback) - A function to call each time the test passes. The function is\n  passed a callback which must be called once it has completed with an optional\n  error as the first argument.\n* callback(err) - A callback which is called after the test fails and repeated\n  execution of fn has stopped.\n\n__Example__\n\n    var count = 0;\n\n    async.whilst(\n        function () { return count < 5; },\n        function (callback) {\n            count++;\n            setTimeout(callback, 1000);\n        },\n        function (err) {\n            // 5 seconds have passed\n        }\n    );\n\n\n---------------------------------------\n\n\n### until(test, fn, callback)\n\nRepeatedly call fn, until test returns true. Calls the callback when stopped,\nor an error occurs.\n\nThe inverse of async.whilst.\n\n\n---------------------------------------\n\n\n### waterfall(tasks, [callback])\n\nRuns an array of functions in series, each passing their results to the next in\nthe array. However, if any of the functions pass an error to the callback, the\nnext function is not executed and the main callback is immediately called with\nthe error.\n\n__Arguments__\n\n* tasks - An array of functions to run, each function is passed a callback it\n  must call on completion.\n* callback(err, [results]) - An optional callback to run once all the functions\n  have completed. This will be passed the results of the last task's callback.\n\n\n\n__Example__\n\n    async.waterfall([\n        function(callback){\n            callback(null, 'one', 'two');\n        },\n        function(arg1, arg2, callback){\n            callback(null, 'three');\n        },\n        function(arg1, callback){\n            // arg1 now equals 'three'\n            callback(null, 'done');\n        }\n    ], function (err, result) {\n       // result now equals 'done'    \n    });\n\n\n---------------------------------------\n\n\n### queue(worker, concurrency)\n\nCreates a queue object with the specified concurrency. Tasks added to the\nqueue will be processed in parallel (up to the concurrency limit). If all\nworkers are in progress, the task is queued until one is available. Once\na worker has completed a task, the task's callback is called.\n\n__Arguments__\n\n* worker(task, callback) - An asynchronous function for processing a queued\n  task.\n* concurrency - An integer for determining how many worker functions should be\n  run in parallel.\n\n__Queue objects__\n\nThe queue object returned by this function has the following properties and\nmethods:\n\n* length() - a function returning the number of items waiting to be processed.\n* concurrency - an integer for determining how many worker functions should be\n  run in parallel. This property can be changed after a queue is created to\n  alter the concurrency on-the-fly.\n* push(task, [callback]) - add a new task to the queue, the callback is called\n  once the worker has finished processing the task.\n  instead of a single task, an array of tasks can be submitted. the respective callback is used for every task in the list.\n* saturated - a callback that is called when the queue length hits the concurrency and further tasks will be queued\n* empty - a callback that is called when the last item from the queue is given to a worker\n* drain - a callback that is called when the last item from the queue has returned from the worker\n\n__Example__\n\n    // create a queue object with concurrency 2\n\n    var q = async.queue(function (task, callback) {\n        console.log('hello ' + task.name);\n        callback();\n    }, 2);\n\n\n    // assign a callback\n    q.drain = function() {\n        console.log('all items have been processed');\n    }\n\n    // add some items to the queue\n\n    q.push({name: 'foo'}, function (err) {\n        console.log('finished processing foo');\n    });\n    q.push({name: 'bar'}, function (err) {\n        console.log('finished processing bar');\n    });\n\n    // add some items to the queue (batch-wise)\n\n    q.push([{name: 'baz'},{name: 'bay'},{name: 'bax'}], function (err) {\n        console.log('finished processing bar');\n    });\n\n\n---------------------------------------\n\n\n### auto(tasks, [callback])\n\nDetermines the best order for running functions based on their requirements.\nEach function can optionally depend on other functions being completed first,\nand each function is run as soon as its requirements are satisfied. If any of\nthe functions pass an error to their callback, that function will not complete\n(so any other functions depending on it will not run) and the main callback\nwill be called immediately with the error. Functions also receive an object\ncontaining the results of functions which have completed so far.\n\n__Arguments__\n\n* tasks - An object literal containing named functions or an array of\n  requirements, with the function itself the last item in the array. The key\n  used for each function or array is used when specifying requirements. The\n  syntax is easier to understand by looking at the example.\n* callback(err, results) - An optional callback which is called when all the\n  tasks have been completed. The callback will receive an error as an argument\n  if any tasks pass an error to their callback. If all tasks complete\n  successfully, it will receive an object containing their results.\n\n__Example__\n\n    async.auto({\n        get_data: function(callback){\n            // async code to get some data\n        },\n        make_folder: function(callback){\n            // async code to create a directory to store a file in\n            // this is run at the same time as getting the data\n        },\n        write_file: ['get_data', 'make_folder', function(callback){\n            // once there is some data and the directory exists,\n            // write the data to a file in the directory\n            callback(null, filename);\n        }],\n        email_link: ['write_file', function(callback, results){\n            // once the file is written let's email a link to it...\n            // results.write_file contains the filename returned by write_file.\n        }]\n    });\n\nThis is a fairly trivial example, but to do this using the basic parallel and\nseries functions would look like this:\n\n    async.parallel([\n        function(callback){\n            // async code to get some data\n        },\n        function(callback){\n            // async code to create a directory to store a file in\n            // this is run at the same time as getting the data\n        }\n    ],\n    function(results){\n        async.series([\n            function(callback){\n                // once there is some data and the directory exists,\n                // write the data to a file in the directory\n            },\n            email_link: function(callback){\n                // once the file is written let's email a link to it...\n            }\n        ]);\n    });\n\nFor a complicated series of async tasks using the auto function makes adding\nnew tasks much easier and makes the code more readable.\n\n\n---------------------------------------\n\n\n### iterator(tasks)\n\nCreates an iterator function which calls the next function in the array,\nreturning a continuation to call the next one after that. Its also possible to\n'peek' the next iterator by doing iterator.next().\n\nThis function is used internally by the async module but can be useful when\nyou want to manually control the flow of functions in series.\n\n__Arguments__\n\n* tasks - An array of functions to run, each function is passed a callback it\n  must call on completion.\n\n__Example__\n\n    var iterator = async.iterator([\n        function(){ sys.p('one'); },\n        function(){ sys.p('two'); },\n        function(){ sys.p('three'); }\n    ]);\n\n    node> var iterator2 = iterator();\n    'one'\n    node> var iterator3 = iterator2();\n    'two'\n    node> iterator3();\n    'three'\n    node> var nextfn = iterator2.next();\n    node> nextfn();\n    'three'\n\n\n---------------------------------------\n\n\n### apply(function, arguments..)\n\nCreates a continuation function with some arguments already applied, a useful\nshorthand when combined with other control flow functions. Any arguments\npassed to the returned function are added to the arguments originally passed\nto apply.\n\n__Arguments__\n\n* function - The function you want to eventually apply all arguments to.\n* arguments... - Any number of arguments to automatically apply when the\n  continuation is called.\n\n__Example__\n\n    // using apply\n\n    async.parallel([\n        async.apply(fs.writeFile, 'testfile1', 'test1'),\n        async.apply(fs.writeFile, 'testfile2', 'test2'),\n    ]);\n\n\n    // the same process without using apply\n\n    async.parallel([\n        function(callback){\n            fs.writeFile('testfile1', 'test1', callback);\n        },\n        function(callback){\n            fs.writeFile('testfile2', 'test2', callback);\n        },\n    ]);\n\nIt's possible to pass any number of additional arguments when calling the\ncontinuation:\n\n    node> var fn = async.apply(sys.puts, 'one');\n    node> fn('two', 'three');\n    one\n    two\n    three\n\n---------------------------------------\n\n\n### nextTick(callback)\n\nCalls the callback on a later loop around the event loop. In node.js this just\ncalls process.nextTick, in the browser it falls back to setTimeout(callback, 0),\nwhich means other higher priority events may precede the execution of the callback.\n\nThis is used internally for browser-compatibility purposes.\n\n__Arguments__\n\n* callback - The function to call on a later loop around the event loop.\n\n__Example__\n\n    var call_order = [];\n    async.nextTick(function(){\n        call_order.push('two');\n        // call_order now equals ['one','two]\n    });\n    call_order.push('one')\n\n\n## Utils\n\n\n### memoize(fn, [hasher])\n\nCaches the results of an async function. When creating a hash to store function\nresults against, the callback is omitted from the hash and an optional hash\nfunction can be used.\n\n__Arguments__\n\n* fn - the function you to proxy and cache results from.\n* hasher - an optional function for generating a custom hash for storing\n  results, it has all the arguments applied to it apart from the callback, and\n  must be synchronous.\n\n__Example__\n\n    var slow_fn = function (name, callback) {\n        // do something\n        callback(null, result);\n    };\n    var fn = async.memoize(slow_fn);\n\n    // fn can now be used as if it were slow_fn\n    fn('some name', function () {\n        // callback\n    });\n\n\n### unmemoize(fn)\n\nUndoes a memoized function, reverting it to the original, unmemoized\nform. Comes handy in tests.\n\n__Arguments__\n\n* fn - the memoized function\n\n\n### log(function, arguments)\n\nLogs the result of an async function to the console. Only works in node.js or\nin browsers that support console.log and console.error (such as FF and Chrome).\nIf multiple arguments are returned from the async function, console.log is\ncalled on each argument in order.\n\n__Arguments__\n\n* function - The function you want to eventually apply all arguments to.\n* arguments... - Any number of arguments to apply to the function.\n\n__Example__\n\n    var hello = function(name, callback){\n        setTimeout(function(){\n            callback(null, 'hello ' + name);\n        }, 1000);\n    };\n\n    node> async.log(hello, 'world');\n    'hello world'\n\n\n---------------------------------------\n\n\n### dir(function, arguments)\n\nLogs the result of an async function to the console using console.dir to\ndisplay the properties of the resulting object. Only works in node.js or\nin browsers that support console.dir and console.error (such as FF and Chrome).\nIf multiple arguments are returned from the async function, console.dir is\ncalled on each argument in order.\n\n__Arguments__\n\n* function - The function you want to eventually apply all arguments to.\n* arguments... - Any number of arguments to apply to the function.\n\n__Example__\n\n    var hello = function(name, callback){\n        setTimeout(function(){\n            callback(null, {hello: name});\n        }, 1000);\n    };\n\n    node> async.dir(hello, 'world');\n    {hello: 'world'}\n\n\n---------------------------------------\n\n\n### noConflict()\n\nChanges the value of async back to its original value, returning a reference to the\nasync object.\n",
+  "_id": "async@0.1.18",
+  "_from": "async@0.1.18"
 }
diff --git a/node_modules/ejs/.gitmodules b/node_modules/ejs/.gitmodules
index 51ea138..e69de29 100644
--- a/node_modules/ejs/.gitmodules
+++ b/node_modules/ejs/.gitmodules
@@ -1,3 +0,0 @@
-[submodule "support/expresso"]
-	path = support/expresso
-	url = http://github.com/visionmedia/expresso.git
diff --git a/node_modules/ejs/.gitignore b/node_modules/ejs/.npmignore
similarity index 79%
rename from node_modules/ejs/.gitignore
rename to node_modules/ejs/.npmignore
index 99a4d6e..020ddac 100644
--- a/node_modules/ejs/.gitignore
+++ b/node_modules/ejs/.npmignore
@@ -1,3 +1,4 @@
 # ignore any vim files:
 *.sw[a-z]
 vim/.netrwhist
+node_modules
diff --git a/node_modules/ejs/.travis.yml b/node_modules/ejs/.travis.yml
new file mode 100644
index 0000000..8111245
--- /dev/null
+++ b/node_modules/ejs/.travis.yml
@@ -0,0 +1,4 @@
+language: node_js
+node_js:
+  - 0.6
+  - 0.8
\ No newline at end of file
diff --git a/node_modules/ejs/History.md b/node_modules/ejs/History.md
index 00d2b5b..4d4457e 100644
--- a/node_modules/ejs/History.md
+++ b/node_modules/ejs/History.md
@@ -1,4 +1,58 @@
 
+0.8.3 / 2012-09-13 
+==================
+
+  * allow pre-compiling into a standalone function [seanmonstar]
+
+0.8.2 / 2012-08-16 
+==================
+
+  * fix include "open" / "close" options. Closes #64
+
+0.8.1 / 2012-08-11 
+==================
+
+  * fix comments. Closes #62 [Nate Silva]
+
+0.8.0 / 2012-07-25 
+==================
+
+  * add `<% include file %>` support
+  * fix wrapping of custom require in build step. Closes #57
+
+0.7.3 / 2012-04-25 
+==================
+
+  * Added repository to package.json [isaacs]
+
+0.7.1 / 2012-03-26 
+==================
+
+  * Fixed exception when using express in production caused by typo. [slaskis]
+
+0.7.0 / 2012-03-24 
+==================
+
+  * Added newline consumption support (`-%>`) [whoatemydomain]
+
+0.6.1 / 2011-12-09 
+==================
+
+  * Fixed `ejs.renderFile()`
+
+0.6.0 / 2011-12-09 
+==================
+
+  * Changed: you no longer need `{ locals: {} }`
+
+0.5.0 / 2011-11-20 
+==================
+
+  * Added express 3.x support
+  * Added ejs.renderFile()
+  * Added 'json' filter
+  * Fixed tests for 0.5.x
+
 0.4.3 / 2011-06-20 
 ==================
 
diff --git a/node_modules/ejs/Makefile b/node_modules/ejs/Makefile
index 13c92d2..94ab5b2 100644
--- a/node_modules/ejs/Makefile
+++ b/node_modules/ejs/Makefile
@@ -1,8 +1,13 @@
+
 SRC = $(shell find lib -name "*.js" -type f)
 UGLIFY_FLAGS = --no-mangle 
 
+all: ejs.min.js
+
 test:
-	@./support/expresso/bin/expresso -I lib test/*.test.js
+	@./node_modules/.bin/mocha \
+		--require should \
+		--reporter spec
 
 ejs.js: $(SRC)
 	@node support/compile.js $^
diff --git a/node_modules/ejs/Readme.md b/node_modules/ejs/Readme.md
index 0577dfe..af17aeb 100644
--- a/node_modules/ejs/Readme.md
+++ b/node_modules/ejs/Readme.md
@@ -1,3 +1,4 @@
+[](http://travis-ci.org/visionmedia/ejs)
 
 # EJS
 
@@ -16,7 +17,9 @@ Embedded JavaScript templates.
   * Unescaped buffering with `<%- code %>`
   * Supports tag customization
   * Filter support for designer-friendly templates
+  * Includes
   * Client-side support
+  * Newline slurping with `<% code -%>` or `<% -%>` or `<%= code -%>` or `<%- code -%>`
 
 ## Example
 
@@ -34,17 +37,35 @@ Embedded JavaScript templates.
 
 ## Options
 
-  - `locals`          Local variables object
   - `cache`           Compiled functions are cached, requires `filename`
   - `filename`        Used by `cache` to key caches
   - `scope`           Function execution context
   - `debug`           Output generated function body
+  - `compileDebug`    When `false` no debug instrumentation is compiled
+  - `client`          Returns standalone compiled function
   - `open`            Open tag, defaulting to "<%"
   - `close`           Closing tag, defaulting to "%>"
+  - *                 All others are template-local variables
 
-## Custom Tags
+## Includes
 
-Custom tags can also be applied globally:
+ Includes are relative to the template with the `include` statement,
+ for example if you have "./views/users.ejs" and "./views/user/show.ejs"
+ you would use `<% include user/show %>`. The included file(s) are literally
+ included into the template, _no_ IO is performed after compilation, thus
+ local variables are available to these included templates.
+
+```
+
+  <% users.forEach(function(user){ %>
+    <% include user/show %>
+  <% }) %>
+
+```
+
+## Custom delimiters
+
+Custom delimiters can also be applied globally:
 
     var ejs = require('ejs');
     ejs.open = '{{';
@@ -72,20 +93,18 @@ Output:
 Render call:
 
     ejs.render(str, {
-        locals: {
-            users: [
-                { name: 'tj' },
-                { name: 'mape' },
-                { name: 'guillermo' }
-            ]
-        }
+        users: [
+          { name: 'tj' },
+          { name: 'mape' },
+          { name: 'guillermo' }
+        ]
     });
 
 Or perhaps capitalize the first user's name for display:<%=: users | first | capitalize %>
 
-## Filter List
+## Filter list
 
 Currently these filters are available:
 
@@ -112,6 +131,16 @@ Currently these filters are available:
   - reverse
   - get:'prop'
 
+## Adding filters
+
+ To add a filter simply add a method to the `.filters` object:
+ 
+```js
+ejs.filters.last = function(obj) {
+  return obj[obj.length - 1];
+};
+```
+
 ## client-side support
 
   include `./ejs.js` or `./ejs.min.js` and `require("ejs").compile(str)`.
diff --git a/node_modules/ejs/ejs.js b/node_modules/ejs/ejs.js
new file mode 100644
index 0000000..d910f11
--- /dev/null
+++ b/node_modules/ejs/ejs.js
@@ -0,0 +1,581 @@
+ejs = (function(){
+
+// CommonJS require()
+
+function require(p){
+    if ('fs' == p) return {};
+    var path = require.resolve(p)
+      , mod = require.modules[path];
+    if (!mod) throw new Error('failed to require "' + p + '"');
+    if (!mod.exports) {
+      mod.exports = {};
+      mod.call(mod.exports, mod, mod.exports, require.relative(path));
+    }
+    return mod.exports;
+  }
+
+require.modules = {};
+
+require.resolve = function (path){
+    var orig = path
+      , reg = path + '.js'
+      , index = path + '/index.js';
+    return require.modules[reg] && reg
+      || require.modules[index] && index
+      || orig;
+  };
+
+require.register = function (path, fn){
+    require.modules[path] = fn;
+  };
+
+require.relative = function (parent) {
+    return function(p){
+      if ('.' != p.substr(0, 1)) return require(p);
+      
+      var path = parent.split('/')
+        , segs = p.split('/');
+      path.pop();
+      
+      for (var i = 0; i < segs.length; i++) {
+        var seg = segs[i];
+        if ('..' == seg) path.pop();
+        else if ('.' != seg) path.push(seg);
+      }
+
+      return require(path.join('/'));
+    };
+  };
+
+
+require.register("ejs.js", function(module, exports, require){
+
+/*!
+ * EJS
+ * Copyright(c) 2012 TJ Holowaychuk 
+ * MIT Licensed
+ */
+
+/**
+ * Module dependencies.
+ */
+
+var utils = require('./utils')
+  , fs = require('fs');
+
+/**
+ * Library version.
+ */
+
+exports.version = '0.7.2';
+
+/**
+ * Filters.
+ * 
+ * @type Object
+ */
+
+var filters = exports.filters = require('./filters');
+
+/**
+ * Intermediate js cache.
+ * 
+ * @type Object
+ */
+
+var cache = {};
+
+/**
+ * Clear intermediate js cache.
+ *
+ * @api public
+ */
+
+exports.clearCache = function(){
+  cache = {};
+};
+
+/**
+ * Translate filtered code into function calls.
+ *
+ * @param {String} js
+ * @return {String}
+ * @api private
+ */
+
+function filtered(js) {
+  return js.substr(1).split('|').reduce(function(js, filter){
+    var parts = filter.split(':')
+      , name = parts.shift()
+      , args = parts.shift() || '';
+    if (args) args = ', ' + args;
+    return 'filters.' + name + '(' + js + args + ')';
+  });
+};
+
+/**
+ * Re-throw the given `err` in context to the
+ * `str` of ejs, `filename`, and `lineno`.
+ *
+ * @param {Error} err
+ * @param {String} str
+ * @param {String} filename
+ * @param {String} lineno
+ * @api private
+ */
+
+function rethrow(err, str, filename, lineno){
+  var lines = str.split('\n')
+    , start = Math.max(lineno - 3, 0)
+    , end = Math.min(lines.length, lineno + 3);
+
+  // Error context
+  var context = lines.slice(start, end).map(function(line, i){
+    var curr = i + start + 1;
+    return (curr == lineno ? ' >> ' : '    ')
+      + curr
+      + '| '
+      + line;
+  }).join('\n');
+
+  // Alter exception message
+  err.path = filename;
+  err.message = (filename || 'ejs') + ':' 
+    + lineno + '\n' 
+    + context + '\n\n' 
+    + err.message;
+  
+  throw err;
+}
+
+/**
+ * Parse the given `str` of ejs, returning the function body.
+ *
+ * @param {String} str
+ * @return {String}
+ * @api public
+ */
+
+var parse = exports.parse = function(str, options){
+  var options = options || {}
+    , open = options.open || exports.open || '<%'
+    , close = options.close || exports.close || '%>';
+
+  var buf = [
+      "var buf = [];"
+    , "\nwith (locals) {"
+    , "\n  buf.push('"
+  ];
+  
+  var lineno = 1;
+
+  var consumeEOL = false;
+  for (var i = 0, len = str.length; i < len; ++i) {
+    if (str.slice(i, open.length + i) == open) {
+      i += open.length
+  
+      var prefix, postfix, line = '__stack.lineno=' + lineno;
+      switch (str.substr(i, 1)) {
+        case '=':
+          prefix = "', escape((" + line + ', ';
+          postfix = ")), '";
+          ++i;
+          break;
+        case '-':
+          prefix = "', (" + line + ', ';
+          postfix = "), '";
+          ++i;
+          break;
+        default:
+          prefix = "');" + line + ';';
+          postfix = "; buf.push('";
+      }
+
+      var end = str.indexOf(close, i)
+        , js = str.substring(i, end)
+        , start = i
+        , n = 0;
+        
+      if ('-' == js[js.length-1]){
+        js = js.substring(0, js.length - 2);
+        consumeEOL = true;
+      }
+        
+      while (~(n = js.indexOf("\n", n))) n++, lineno++;
+      if (js.substr(0, 1) == ':') js = filtered(js);
+      buf.push(prefix, js, postfix);
+      i += end - start + close.length - 1;
+
+    } else if (str.substr(i, 1) == "\\") {
+      buf.push("\\\\");
+    } else if (str.substr(i, 1) == "'") {
+      buf.push("\\'");
+    } else if (str.substr(i, 1) == "\r") {
+      buf.push(" ");
+    } else if (str.substr(i, 1) == "\n") {
+      if (consumeEOL) {
+        consumeEOL = false;
+      } else {
+        buf.push("\\n");
+        lineno++;
+      }
+    } else {
+      buf.push(str.substr(i, 1));
+    }
+  }
+
+  buf.push("');\n}\nreturn buf.join('');");
+  return buf.join('');
+};
+
+/**
+ * Compile the given `str` of ejs into a `Function`.
+ *
+ * @param {String} str
+ * @param {Object} options
+ * @return {Function}
+ * @api public
+ */
+
+var compile = exports.compile = function(str, options){
+  options = options || {};
+  
+  var input = JSON.stringify(str)
+    , filename = options.filename
+        ? JSON.stringify(options.filename)
+        : 'undefined';
+  
+  // Adds the fancy stack trace meta info
+  str = [
+    'var __stack = { lineno: 1, input: ' + input + ', filename: ' + filename + ' };',
+    rethrow.toString(),
+    'try {',
+    exports.parse(str, options),
+    '} catch (err) {',
+    '  rethrow(err, __stack.input, __stack.filename, __stack.lineno);',
+    '}'
+  ].join("\n");
+  
+  if (options.debug) console.log(str);
+  var fn = new Function('locals, filters, escape', str);
+  return function(locals){
+    return fn.call(this, locals, filters, utils.escape);
+  }
+};
+
+/**
+ * Render the given `str` of ejs.
+ *
+ * Options:
+ *
+ *   - `locals`          Local variables object
+ *   - `cache`           Compiled functions are cached, requires `filename`
+ *   - `filename`        Used by `cache` to key caches
+ *   - `scope`           Function execution context
+ *   - `debug`           Output generated function body
+ *   - `open`            Open tag, defaulting to "<%"
+ *   - `close`           Closing tag, defaulting to "%>"
+ *
+ * @param {String} str
+ * @param {Object} options
+ * @return {String}
+ * @api public
+ */
+
+exports.render = function(str, options){
+  var fn
+    , options = options || {};
+
+  if (options.cache) {
+    if (options.filename) {
+      fn = cache[options.filename] || (cache[options.filename] = compile(str, options));
+    } else {
+      throw new Error('"cache" option requires "filename".');
+    }
+  } else {
+    fn = compile(str, options);
+  }
+
+  options.__proto__ = options.locals;
+  return fn.call(options.scope, options);
+};
+
+/**
+ * Render an EJS file at the given `path` and callback `fn(err, str)`.
+ *
+ * @param {String} path
+ * @param {Object|Function} options or callback
+ * @param {Function} fn
+ * @api public
+ */
+
+exports.renderFile = function(path, options, fn){
+  var key = path + ':string';
+
+  if ('function' == typeof options) {
+    fn = options, options = {};
+  }
+
+  options.filename = path;
+
+  try {
+    var str = options.cache
+      ? cache[key] || (cache[key] = fs.readFileSync(path, 'utf8'))
+      : fs.readFileSync(path, 'utf8');
+
+    fn(null, exports.render(str, options));
+  } catch (err) {
+    fn(err);
+  }
+};
+
+// express support
+
+exports.__express = exports.renderFile;
+
+/**
+ * Expose to require().
+ */
+
+if (require.extensions) {
+  require.extensions['.ejs'] = function(module, filename) {
+    source = require('fs').readFileSync(filename, 'utf-8');
+    module._compile(compile(source, {}), filename);
+  };
+} else if (require.registerExtension) {
+  require.registerExtension('.ejs', function(src) {
+    return compile(src, {});
+  });
+}
+
+}); // module: ejs.js
+
+require.register("filters.js", function(module, exports, require){
+
+/*!
+ * EJS - Filters
+ * Copyright(c) 2010 TJ Holowaychuk 
+ * MIT Licensed
+ */
+
+/**
+ * First element of the target `obj`.
+ */
+
+exports.first = function(obj) {
+  return obj[0];
+};
+
+/**
+ * Last element of the target `obj`.
+ */
+
+exports.last = function(obj) {
+  return obj[obj.length - 1];
+};
+
+/**
+ * Capitalize the first letter of the target `str`.
+ */
+
+exports.capitalize = function(str){
+  str = String(str);
+  return str[0].toUpperCase() + str.substr(1, str.length);
+};
+
+/**
+ * Downcase the target `str`.
+ */
+
+exports.downcase = function(str){
+  return String(str).toLowerCase();
+};
+
+/**
+ * Uppercase the target `str`.
+ */
+
+exports.upcase = function(str){
+  return String(str).toUpperCase();
+};
+
+/**
+ * Sort the target `obj`.
+ */
+
+exports.sort = function(obj){
+  return Object.create(obj).sort();
+};
+
+/**
+ * Sort the target `obj` by the given `prop` ascending.
+ */
+
+exports.sort_by = function(obj, prop){
+  return Object.create(obj).sort(function(a, b){
+    a = a[prop], b = b[prop];
+    if (a > b) return 1;
+    if (a < b) return -1;
+    return 0;
+  });
+};
+
+/**
+ * Size or length of the target `obj`.
+ */
+
+exports.size = exports.length = function(obj) {
+  return obj.length;
+};
+
+/**
+ * Add `a` and `b`.
+ */
+
+exports.plus = function(a, b){
+  return Number(a) + Number(b);
+};
+
+/**
+ * Subtract `b` from `a`.
+ */
+
+exports.minus = function(a, b){
+  return Number(a) - Number(b);
+};
+
+/**
+ * Multiply `a` by `b`.
+ */
+
+exports.times = function(a, b){
+  return Number(a) * Number(b);
+};
+
+/**
+ * Divide `a` by `b`.
+ */
+
+exports.divided_by = function(a, b){
+  return Number(a) / Number(b);
+};
+
+/**
+ * Join `obj` with the given `str`.
+ */
+
+exports.join = function(obj, str){
+  return obj.join(str || ', ');
+};
+
+/**
+ * Truncate `str` to `len`.
+ */
+
+exports.truncate = function(str, len){
+  str = String(str);
+  return str.substr(0, len);
+};
+
+/**
+ * Truncate `str` to `n` words.
+ */
+
+exports.truncate_words = function(str, n){
+  var str = String(str)
+    , words = str.split(/ +/);
+  return words.slice(0, n).join(' ');
+};
+
+/**
+ * Replace `pattern` with `substitution` in `str`.
+ */
+
+exports.replace = function(str, pattern, substitution){
+  return String(str).replace(pattern, substitution || '');
+};
+
+/**
+ * Prepend `val` to `obj`.
+ */
+
+exports.prepend = function(obj, val){
+  return Array.isArray(obj)
+    ? [val].concat(obj)
+    : val + obj;
+};
+
+/**
+ * Append `val` to `obj`.
+ */
+
+exports.append = function(obj, val){
+  return Array.isArray(obj)
+    ? obj.concat(val)
+    : obj + val;
+};
+
+/**
+ * Map the given `prop`.
+ */
+
+exports.map = function(arr, prop){
+  return arr.map(function(obj){
+    return obj[prop];
+  });
+};
+
+/**
+ * Reverse the given `obj`.
+ */
+
+exports.reverse = function(obj){
+  return Array.isArray(obj)
+    ? obj.reverse()
+    : String(obj).split('').reverse().join('');
+};
+
+/**
+ * Get `prop` of the given `obj`.
+ */
+
+exports.get = function(obj, prop){
+  return obj[prop];
+};
+
+/**
+ * Packs the given `obj` into json string
+ */
+exports.json = function(obj){
+  return JSON.stringify(obj);
+};
+}); // module: filters.js
+
+require.register("utils.js", function(module, exports, require){
+
+/*!
+ * EJS
+ * Copyright(c) 2010 TJ Holowaychuk 
+ * MIT Licensed
+ */
+
+/**
+ * Escape the given string of `html`.
+ *
+ * @param {String} html
+ * @return {String}
+ * @api private
+ */
+
+exports.escape = function(html){
+  return String(html)
+    .replace(/&(?!\w+;)/g, '&')
+    .replace(//g, '>')
+    .replace(/"/g, '"');
+};
+ 
+}); // module: utils.js
+
+ return require("ejs");
+})();
\ No newline at end of file
diff --git a/node_modules/ejs/ejs.min.js b/node_modules/ejs/ejs.min.js
new file mode 100644
index 0000000..611ee42
--- /dev/null
+++ b/node_modules/ejs/ejs.min.js
@@ -0,0 +1 @@
+ejs=function(){function require(p){if("fs"==p)return{};var path=require.resolve(p),mod=require.modules[path];if(!mod)throw new Error('failed to require "'+p+'"');return mod.exports||(mod.exports={},mod.call(mod.exports,mod,mod.exports,require.relative(path))),mod.exports}return require.modules={},require.resolve=function(path){var orig=path,reg=path+".js",index=path+"/index.js";return require.modules[reg]&®||require.modules[index]&&index||orig},require.register=function(path,fn){require.modules[path]=fn},require.relative=function(parent){return function(p){if("."!=p.substr(0,1))return require(p);var path=parent.split("/"),segs=p.split("/");path.pop();for(var i=0;i> ":"    ")+curr+"| "+line}).join("\n");throw err.path=filename,err.message=(filename||"ejs")+":"+lineno+"\n"+context+"\n\n"+err.message,err}var parse=exports.parse=function(str,options){var options=options||{},open=options.open||exports.open||"<%",close=options.close||exports.close||"%>",buf=["var buf = [];","\nwith (locals) {","\n  buf.push('"],lineno=1,consumeEOL=!1;for(var i=0,len=str.length;ib?1:a/g,">").replace(/"/g,""")}}),require("ejs")}();
\ No newline at end of file
diff --git a/node_modules/ejs/examples/client.html b/node_modules/ejs/examples/client.html
index 7081a04..30dfea9 100644
--- a/node_modules/ejs/examples/client.html
+++ b/node_modules/ejs/examples/client.html
@@ -1,5 +1,24 @@
 
   
     
+    
+    
   
+  
+  
 
\ No newline at end of file
diff --git a/node_modules/ejs/examples/list.js b/node_modules/ejs/examples/list.js
index 9cd7168..ec614ed 100644
--- a/node_modules/ejs/examples/list.js
+++ b/node_modules/ejs/examples/list.js
@@ -8,9 +8,7 @@ var ejs = require('../')
   , str = fs.readFileSync(__dirname + '/list.ejs', 'utf8');
 
 var ret = ejs.render(str, {
-  locals: {
-    names: ['foo', 'bar', 'baz']
-  }
+  names: ['foo', 'bar', 'baz']
 });
 
 console.log(ret);
\ No newline at end of file
diff --git a/node_modules/ejs/lib/ejs.js b/node_modules/ejs/lib/ejs.js
index 5b9b9b8..a7a5d0d 100644
--- a/node_modules/ejs/lib/ejs.js
+++ b/node_modules/ejs/lib/ejs.js
@@ -1,7 +1,7 @@
 
 /*!
  * EJS
- * Copyright(c) 2010 TJ Holowaychuk 
+ * Copyright(c) 2012 TJ Holowaychuk 
  * MIT Licensed
  */
 
@@ -9,13 +9,14 @@
  * Module dependencies.
  */
 
-var utils = require('./utils');
-
-/**
- * Library version.
- */
-
-exports.version = '0.4.3';
+var utils = require('./utils')
+  , path = require('path')
+  , basename = path.basename
+  , dirname = path.dirname
+  , extname = path.extname
+  , join = path.join
+  , fs = require('fs')
+  , read = fs.readFileSync;
 
 /**
  * Filters.
@@ -107,22 +108,24 @@ function rethrow(err, str, filename, lineno){
 var parse = exports.parse = function(str, options){
   var options = options || {}
     , open = options.open || exports.open || '<%'
-    , close = options.close || exports.close || '%>';
+    , close = options.close || exports.close || '%>'
+    , filename = options.filename
+    , compileDebug = options.compileDebug !== false
+    , buf = [];
+
+  buf.push('var buf = [];');
+  if (false !== options._with) buf.push('\nwith (locals || {}) {');
+  buf.push('\n buf.push(\'');
 
-  var buf = [
-      "var buf = [];"
-    , "\nwith (locals) {"
-    , "\n  buf.push('"
-  ];
-  
   var lineno = 1;
 
+  var consumeEOL = false;
   for (var i = 0, len = str.length; i < len; ++i) {
     if (str.slice(i, open.length + i) == open) {
       i += open.length
   
-      var prefix, postfix, line = '__stack.lineno=' + lineno;
-      switch (str[i]) {
+      var prefix, postfix, line = (compileDebug ? '__stack.lineno=' : '') + lineno;
+      switch (str.substr(i, 1)) {
         case '=':
           prefix = "', escape((" + line + ', ';
           postfix = ")), '";
@@ -141,28 +144,53 @@ var parse = exports.parse = function(str, options){
       var end = str.indexOf(close, i)
         , js = str.substring(i, end)
         , start = i
+        , include = null
         , n = 0;
 
+      if ('-' == js[js.length-1]){
+        js = js.substring(0, js.length - 2);
+        consumeEOL = true;
+      }
+
+      if (0 == js.trim().indexOf('include')) {
+        var name = js.trim().slice(7).trim();
+        if (!filename) throw new Error('filename option is required for includes');
+        var path = resolveInclude(name, filename);
+        include = read(path, 'utf8');
+        include = exports.parse(include, { filename: path, _with: false, open: open, close: close });
+        buf.push("' + (function(){" + include + "})() + '");
+        js = '';
+      }
+
       while (~(n = js.indexOf("\n", n))) n++, lineno++;
-      if (js[0] == ':') js = filtered(js);
-      buf.push(prefix, js, postfix);
+      if (js.substr(0, 1) == ':') js = filtered(js);
+      if (js) {
+        if (js.lastIndexOf('//') > js.lastIndexOf('\n')) js += '\n';
+        buf.push(prefix, js, postfix);
+      }
       i += end - start + close.length - 1;
 
-    } else if (str[i] == "\\") {
+    } else if (str.substr(i, 1) == "\\") {
       buf.push("\\\\");
-    } else if (str[i] == "'") {
+    } else if (str.substr(i, 1) == "'") {
       buf.push("\\'");
-    } else if (str[i] == "\r") {
+    } else if (str.substr(i, 1) == "\r") {
       buf.push(" ");
-    } else if (str[i] == "\n") {
-      buf.push("\\n");
-      lineno++;
+    } else if (str.substr(i, 1) == "\n") {
+      if (consumeEOL) {
+        consumeEOL = false;
+      } else {
+        buf.push("\\n");
+        lineno++;
+      }
     } else {
-      buf.push(str[i]);
+      buf.push(str.substr(i, 1));
     }
   }
 
-  buf.push("');\n}\nreturn buf.join('');");
+  if (false !== options._with) buf.push("');\n}\nreturn buf.join('');")
+  else buf.push("');\nreturn buf.join('');");
+
   return buf.join('');
 };
 
@@ -179,23 +207,34 @@ var compile = exports.compile = function(str, options){
   options = options || {};
   
   var input = JSON.stringify(str)
+    , compileDebug = options.compileDebug !== false
+    , client = options.client
     , filename = options.filename
         ? JSON.stringify(options.filename)
         : 'undefined';
   
-  // Adds the fancy stack trace meta info
-  str = [
-    'var __stack = { lineno: 1, input: ' + input + ', filename: ' + filename + ' };',
-    rethrow.toString(),
-    'try {',
-    exports.parse(str, options),
-    '} catch (err) {',
-    '  rethrow(err, __stack.input, __stack.filename, __stack.lineno);',
-    '}'
-  ].join("\n");
+  if (compileDebug) {
+    // Adds the fancy stack trace meta info
+    str = [
+      'var __stack = { lineno: 1, input: ' + input + ', filename: ' + filename + ' };',
+      rethrow.toString(),
+      'try {',
+      exports.parse(str, options),
+      '} catch (err) {',
+      '  rethrow(err, __stack.input, __stack.filename, __stack.lineno);',
+      '}'
+    ].join("\n");
+  } else {
+    str = exports.parse(str, options);
+  }
   
   if (options.debug) console.log(str);
+  if (client) str = 'escape = escape || ' + utils.escape.toString() + ';\n' + str;
+
   var fn = new Function('locals, filters, escape', str);
+
+  if (client) return fn;
+
   return function(locals){
     return fn.call(this, locals, filters, utils.escape);
   }
@@ -223,6 +262,7 @@ var compile = exports.compile = function(str, options){
 exports.render = function(str, options){
   var fn
     , options = options || {};
+
   if (options.cache) {
     if (options.filename) {
       fn = cache[options.filename] || (cache[options.filename] = compile(str, options));
@@ -232,9 +272,60 @@ exports.render = function(str, options){
   } else {
     fn = compile(str, options);
   }
-  return fn.call(options.scope, options.locals || {});
+
+  options.__proto__ = options.locals;
+  return fn.call(options.scope, options);
 };
 
+/**
+ * Render an EJS file at the given `path` and callback `fn(err, str)`.
+ *
+ * @param {String} path
+ * @param {Object|Function} options or callback
+ * @param {Function} fn
+ * @api public
+ */
+
+exports.renderFile = function(path, options, fn){
+  var key = path + ':string';
+
+  if ('function' == typeof options) {
+    fn = options, options = {};
+  }
+
+  options.filename = path;
+
+  try {
+    var str = options.cache
+      ? cache[key] || (cache[key] = read(path, 'utf8'))
+      : read(path, 'utf8');
+
+    fn(null, exports.render(str, options));
+  } catch (err) {
+    fn(err);
+  }
+};
+
+/**
+ * Resolve include `name` relative to `filename`.
+ *
+ * @param {String} name
+ * @param {String} filename
+ * @return {String}
+ * @api private
+ */
+
+function resolveInclude(name, filename) {
+  var path = join(dirname(filename), name);
+  var ext = extname(name);
+  if (!ext) path += '.ejs';
+  return path;
+}
+
+// express support
+
+exports.__express = exports.renderFile;
+
 /**
  * Expose to require().
  */
@@ -243,7 +334,7 @@ if (require.extensions) {
   require.extensions['.ejs'] = function(module, filename) {
     source = require('fs').readFileSync(filename, 'utf-8');
     module._compile(compile(source, {}), filename);
-   };
+  };
 } else if (require.registerExtension) {
   require.registerExtension('.ejs', function(src) {
     return compile(src, {});
diff --git a/node_modules/ejs/package.json b/node_modules/ejs/package.json
index 810e504..fd96d24 100644
--- a/node_modules/ejs/package.json
+++ b/node_modules/ejs/package.json
@@ -1,8 +1,26 @@
 {
   "name": "ejs",
   "description": "Embedded JavaScript templates",
-  "version": "0.4.3",
-  "author": "TJ Holowaychuk ",
-  "keywords": ["template", "engine", "ejs"],
-  "main": "./lib/ejs.js"
-}
\ No newline at end of file
+  "version": "0.8.3",
+  "author": {
+    "name": "TJ Holowaychuk",
+    "email": "tj@vision-media.ca"
+  },
+  "keywords": [
+    "template",
+    "engine",
+    "ejs"
+  ],
+  "devDependencies": {
+    "mocha": "*",
+    "should": "*"
+  },
+  "main": "./lib/ejs.js",
+  "repository": {
+    "type": "git",
+    "url": "git://github.com/visionmedia/ejs.git"
+  },
+  "readme": "[](http://travis-ci.org/visionmedia/ejs)\n\n# EJS\n\nEmbedded JavaScript templates.\n\n## Installation\n\n    $ npm install ejs\n\n## Features\n\n  * Complies with the [Express](http://expressjs.com) view system\n  * Static caching of intermediate JavaScript\n  * Unbuffered code for conditionals etc `<% code %>`\n  * Escapes html by default with `<%= code %>`\n  * Unescaped buffering with `<%- code %>`\n  * Supports tag customization\n  * Filter support for designer-friendly templates\n  * Includes\n  * Client-side support\n  * Newline slurping with `<% code -%>` or `<% -%>` or `<%= code -%>` or `<%- code -%>`\n\n## Example\n\n    <% if (user) { %>\n\t    <%= user.name %>
\n    <% } %>\n\n## Usage\n\n    ejs.compile(str, options);\n    // => Function\n\n    ejs.render(str, options);\n    // => str\n\n## Options\n\n  - `cache`           Compiled functions are cached, requires `filename`\n  - `filename`        Used by `cache` to key caches\n  - `scope`           Function execution context\n  - `debug`           Output generated function body\n  - `compileDebug`    When `false` no debug instrumentation is compiled\n  - `client`          Returns standalone compiled function\n  - `open`            Open tag, defaulting to \"<%\"\n  - `close`           Closing tag, defaulting to \"%>\"\n  - *                 All others are template-local variables\n\n## Includes\n\n Includes are relative to the template with the `include` statement,\n for example if you have \"./views/users.ejs\" and \"./views/user/show.ejs\"\n you would use `<% include user/show %>`. The included file(s) are literally\n included into the template, _no_ IO is performed after compilation, thus\n local variables are available to these included templates.\n\n```\n\n  <% users.forEach(function(user){ %>\n    <% include user/show %>\n  <% }) %>\n
\n```\n\n## Custom delimiters\n\nCustom delimiters can also be applied globally:\n\n    var ejs = require('ejs');\n    ejs.open = '{{';\n    ejs.close = '}}';\n\nWhich would make the following a valid template:\n\n{{= title }}
\n\n## Filters\n\nEJS conditionally supports the concept of \"filters\". A \"filter chain\"\nis a designer friendly api for manipulating data, without writing JavaScript.\n\nFilters can be applied by supplying the _:_ modifier, so for example if we wish to take the array `[{ name: 'tj' }, { name: 'mape' },  { name: 'guillermo' }]` and output a list of names we can do this simply with filters:\n\nTemplate:\n\n    <%=: users | map:'name' | join %>
\n\nOutput:\n\n    Tj, Mape, Guillermo
\n\nRender call:\n\n    ejs.render(str, {\n        users: [\n          { name: 'tj' },\n          { name: 'mape' },\n          { name: 'guillermo' }\n        ]\n    });\n\nOr perhaps capitalize the first user's name for display:\n\n    <%=: users | first | capitalize %>
\n\n## Filter list\n\nCurrently these filters are available:\n\n  - first\n  - last\n  - capitalize\n  - downcase\n  - upcase\n  - sort\n  - sort_by:'prop'\n  - size\n  - length\n  - plus:n\n  - minus:n\n  - times:n\n  - divided_by:n\n  - join:'val'\n  - truncate:n\n  - truncate_words:n\n  - replace:pattern,substitution\n  - prepend:val\n  - append:val\n  - map:'prop'\n  - reverse\n  - get:'prop'\n\n## Adding filters\n\n To add a filter simply add a method to the `.filters` object:\n \n```js\nejs.filters.last = function(obj) {\n  return obj[obj.length - 1];\n};\n```\n\n## client-side support\n\n  include `./ejs.js` or `./ejs.min.js` and `require(\"ejs\").compile(str)`.\n\n## License \n\n(The MIT License)\n\nCopyright (c) 2009-2010 TJ Holowaychuk <tj@vision-media.ca>\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",
+  "_id": "ejs@0.8.3",
+  "_from": "ejs@0.8.3"
+}
diff --git a/node_modules/ejs/support/compile.js b/node_modules/ejs/support/compile.js
index 0b419e0..497a1bb 100644
--- a/node_modules/ejs/support/compile.js
+++ b/node_modules/ejs/support/compile.js
@@ -88,6 +88,7 @@ function parseConditionals(js) {
 
 function compile() {
   var buf = '';
+  buf += 'ejs = (function(){\n';
   buf += '\n// CommonJS require()\n\n';
   buf += browser.require + '\n\n';
   buf += 'require.modules = {};\n\n';
@@ -101,6 +102,7 @@ function compile() {
     buf += js;
     buf += '\n}); // module: ' + file + '\n';
   });
+  buf += '\n return require("ejs");\n})();';
   fs.writeFile('ejs.js', buf, function(err){
     if (err) throw err;
     console.log('  \033[90m create : \033[0m\033[36m%s\033[0m', 'ejs.js');
@@ -118,6 +120,7 @@ var browser = {
    */
   
   require: function require(p){
+    if ('fs' == p) return {};
     var path = require.resolve(p)
       , mod = require.modules[path];
     if (!mod) throw new Error('failed to require "' + p + '"');
@@ -147,7 +150,7 @@ var browser = {
 
   relative: function(parent) {
     return function(p){
-      if ('.' != p[0]) return require(p);
+      if ('.' != p.substr(0, 1)) return require(p);
       
       var path = parent.split('/')
         , segs = p.split('/');
diff --git a/node_modules/ejs/support/expresso/.gitignore b/node_modules/ejs/support/expresso/.gitignore
deleted file mode 100644
index 432563f..0000000
--- a/node_modules/ejs/support/expresso/.gitignore
+++ /dev/null
@@ -1,3 +0,0 @@
-.DS_Store
-lib-cov
-*.seed
\ No newline at end of file
diff --git a/node_modules/ejs/support/expresso/.gitmodules b/node_modules/ejs/support/expresso/.gitmodules
deleted file mode 100644
index 191ddeb..0000000
--- a/node_modules/ejs/support/expresso/.gitmodules
+++ /dev/null
@@ -1,3 +0,0 @@
-[submodule "deps/jscoverage"]
-	path = deps/jscoverage
-	url = git://github.com/visionmedia/node-jscoverage.git
diff --git a/node_modules/ejs/support/expresso/History.md b/node_modules/ejs/support/expresso/History.md
deleted file mode 100644
index e3b0141..0000000
--- a/node_modules/ejs/support/expresso/History.md
+++ /dev/null
@@ -1,87 +0,0 @@
-
-0.6.2 / 2010-08-03
-==================
-
-  * Added `assert.type()`
-  * Renamed `assert.isNotUndefined()` to `assert.isDefined()`
-  * Fixed `assert.includes()` param ordering
-
-0.6.0 / 2010-07-31
-==================
-
-  * Added _docs/api.html_
-  * Added -w, --watch
-  * Added `Array` support to `assert.includes()`
-  * Added; outputting exceptions immediately. Closes #19
-  * Fixed `assert.includes()` param ordering
-  * Fixed `assert.length()` param ordering
-  * Fixed jscoverage links
-
-0.5.0 / 2010-07-16
-==================
-
-  * Added support for async exports
-  * Added timeout support to `assert.response()`. Closes #3
-  * Added 4th arg callback support to `assert.response()`
-  * Added `assert.length()`
-  * Added `assert.match()`
-  * Added `assert.isUndefined()`
-  * Added `assert.isNull()`
-  * Added `assert.includes()`
-  * Added growlnotify support via -g, --growl
-  * Added -o, --only TESTS. Ex: --only "test foo()" --only "test foo(), test bar()"
-  * Removed profanity
-
-0.4.0 / 2010-07-09
-==================
-
-  * Added reporting source coverage (respects --boring for color haters)
-  * Added callback to assert.response(). Closes #12
-  * Fixed; putting exceptions to stderr. Closes #13
-
-0.3.1 / 2010-06-28
-==================
-
-  * Faster assert.response()
-
-0.3.0 / 2010-06-28
-==================
-
-  * Added -p, --port NUM flags
-  * Added assert.response(). Closes #11
-
-0.2.1 / 2010-06-25
-==================
-
-  * Fixed issue with reporting object assertions
-
-0.2.0 / 2010-06-21
-==================
-
-  * Added `make uninstall`
-  * Added better readdir() failure message
-  * Fixed `make install` for kiwi
-
-0.1.0 / 2010-06-15
-==================
-
-  * Added better usage docs via --help
-  * Added better conditional color support
-  * Added pre exit assertion support
-
-0.0.3 / 2010-06-02
-==================
-
-  * Added more room for filenames in test coverage
-  * Added boring output support via --boring (suppress colored output)
-  * Fixed async failure exit status
-
-0.0.2 / 2010-05-30
-==================
-
-  * Fixed exit status for CI support
-
-0.0.1 / 2010-05-30
-==================
-
-  * Initial release
\ No newline at end of file
diff --git a/node_modules/ejs/support/expresso/Makefile b/node_modules/ejs/support/expresso/Makefile
deleted file mode 100644
index 9348bbd..0000000
--- a/node_modules/ejs/support/expresso/Makefile
+++ /dev/null
@@ -1,50 +0,0 @@
-
-BIN = bin/expresso
-PREFIX = /usr/local
-JSCOV = deps/jscoverage/node-jscoverage
-DOCS = docs/index.md
-HTMLDOCS = $(DOCS:.md=.html)
-
-test: $(BIN)
-	@./$(BIN) -I lib --growl $(TEST_FLAGS) test/*.test.js
-
-test-cov:
-	@./$(BIN) -I lib --cov $(TEST_FLAGS) test/*.test.js
-
-install: install-jscov install-expresso
-
-uninstall:
-	rm -f $(PREFIX)/bin/expresso
-	rm -f $(PREFIX)/bin/node-jscoverage
-
-install-jscov: $(JSCOV)
-	install $(JSCOV) $(PREFIX)/bin
-
-install-expresso:
-	install $(BIN) $(PREFIX)/bin
-
-$(JSCOV):
-	cd deps/jscoverage && ./configure && make && mv jscoverage node-jscoverage
-
-clean:
-	@cd deps/jscoverage && git clean -fd
-
-docs: docs/api.html $(HTMLDOCS)
-
-%.html: %.md
-	@echo "... $< > $@"
-	@ronn -5 --pipe --fragment $< \
-		| cat docs/layout/head.html - docs/layout/foot.html \
-		> $@
-
-docs/api.html: bin/expresso
-	dox \
-		--title "Expresso" \
-		--ribbon "http://github.com/visionmedia/expresso" \
-		--desc "Insanely fast TDD framework for [node](http://nodejs.org) featuring code coverage reporting." \
-		$< > $@
-
-docclean:
-	rm -f docs/*.html
-
-.PHONY: test test-cov install uninstall install-expresso install-jscov clean docs docclean
\ No newline at end of file
diff --git a/node_modules/ejs/support/expresso/Readme.md b/node_modules/ejs/support/expresso/Readme.md
deleted file mode 100644
index dcc1c85..0000000
--- a/node_modules/ejs/support/expresso/Readme.md
+++ /dev/null
@@ -1,39 +0,0 @@
-
-# Expresso
-
-  TDD framework for [nodejs](http://nodejs.org).
-  
-## Features
-
-  - light-weight
-  - intuitive async support
-  - intuitive test runner executable
-  - test coverage support and reporting
-  - uses the _assert_ module
-  - `assert.eql()` alias of `assert.deepEqual()`
-  - `assert.response()` http response utility
-  - `assert.includes()`
-  - `assert.type()`
-  - `assert.isNull()`
-  - `assert.isUndefined()`
-  - `assert.isNotNull()`
-  - `assert.isDefined()`
-  - `assert.match()`
-  - `assert.length()`
-
-## Installation
-
-To install both expresso _and_ node-jscoverage run:
-
-    $ make install
-
-To install expresso alone (no build required) run:
-
-    $ make install-expresso
-
-Install via npm:
-
-	$ npm install expresso
-
-
-
diff --git a/node_modules/ejs/support/expresso/bin/expresso b/node_modules/ejs/support/expresso/bin/expresso
deleted file mode 100755
index 96c7ff3..0000000
--- a/node_modules/ejs/support/expresso/bin/expresso
+++ /dev/null
@@ -1,775 +0,0 @@
-#!/usr/bin/env node
-
-/*!
- * Expresso
- * Copyright(c) TJ Holowaychuk 
- * (MIT Licensed)
- */
- 
-/**
- * Module dependencies.
- */
-
-var assert = require('assert'),
-    childProcess = require('child_process'),
-    http = require('http'),
-    path = require('path'),
-    sys = require('sys'),
-    cwd = process.cwd(),
-    fs = require('fs'),
-    defer;
-
-/**
- * Expresso version.
- */
-
-var version = '0.6.1';
-
-/**
- * Failure count.
- */
-
-var failures = 0;
-
-
-/**
- * Number of tests executed.
- */
-
-var testcount = 0;
-
-/**
- * Whitelist of tests to run.
- */
- 
-var only = [];
-
-/**
- * Boring output.
- */
- 
-var boring = false;
-
-/**
- * Growl notifications.
- */
-
-var growl = false;
-
-/**
- * Server port.
- */
-
-var port = 5555;
-
-/**
- * Watch mode.
- */
-
-var watch = false;
-
-/**
- * Usage documentation.
- */
-
-var usage = ''
-    + '[bold]{Usage}: expresso [options] '
-    + '\n'
-    + '\n[bold]{Options}:'
-    + '\n  -w, --watch          Watch for modifications and re-execute tests'
-    + '\n  -g, --growl          Enable growl notifications'
-    + '\n  -c, --coverage       Generate and report test coverage'
-    + '\n  -r, --require PATH   Require the given module path'
-    + '\n  -o, --only TESTS     Execute only the comma sperated TESTS (can be set several times)'
-    + '\n  -I, --include PATH   Unshift the given path to require.paths'
-    + '\n  -p, --port NUM       Port number for test servers, starts at 5555'
-    + '\n  -b, --boring         Suppress ansi-escape colors'
-    + '\n  -v, --version        Output version number'
-    + '\n  -h, --help           Display help information'
-    + '\n';
-
-// Parse arguments
-
-var files = [],
-    args = process.argv.slice(2);
-
-while (args.length) {
-    var arg = args.shift();
-    switch (arg) {
-        case '-h':
-        case '--help':
-            print(usage + '\n');
-            process.exit(1);
-            break;
-        case '-v':
-        case '--version':
-            sys.puts(version);
-            process.exit(1);
-            break;
-        case '-i':
-        case '-I':
-        case '--include':
-            if (arg = args.shift()) {
-                require.paths.unshift(arg);
-            } else {
-                throw new Error('--include requires a path');
-            }
-            break;
-        case '-o':
-        case '--only':
-            if (arg = args.shift()) {
-                only = only.concat(arg.split(/ *, */));
-            } else {
-                throw new Error('--only requires comma-separated test names');
-            }
-            break;
-        case '-p':
-        case '--port':
-            if (arg = args.shift()) {
-                port = parseInt(arg, 10);
-            } else {
-                throw new Error('--port requires a number');
-            }
-            break;
-        case '-r':
-        case '--require':
-            if (arg = args.shift()) {
-                require(arg);
-            } else {
-                throw new Error('--require requires a path');
-            }
-            break;
-        case '-c':
-        case '--cov':
-        case '--coverage':
-            defer = true;
-            childProcess.exec('rm -fr lib-cov && node-jscoverage lib lib-cov', function(err){
-                if (err) throw err;
-                require.paths.unshift('lib-cov');
-                run(files);
-            })
-            break;
-        case '-b':
-        case '--boring':
-        	boring = true;
-        	break;
-        case '-w':
-        case '--watch':
-            watch = true;
-            break;
-        case '--g':
-        case '--growl':
-            growl = true;
-            break;
-        default:
-            if (/\.js$/.test(arg)) {
-                files.push(arg);
-            }
-            break;
-    }
-}
-
-/**
- * Colorized sys.error().
- *
- * @param {String} str
- */
-
-function print(str){
-    sys.error(colorize(str));
-}
-
-/**
- * Colorize the given string using ansi-escape sequences.
- * Disabled when --boring is set.
- *
- * @param {String} str
- * @return {String}
- */
-
-function colorize(str){
-    var colors = { bold: 1, red: 31, green: 32, yellow: 33 };
-    return str.replace(/\[(\w+)\]\{([^]*?)\}/g, function(_, color, str){
-        return boring
-            ? str
-            : '\x1B[' + colors[color] + 'm' + str + '\x1B[0m';
-    });
-}
-
-// Alias deepEqual as eql for complex equality
-
-assert.eql = assert.deepEqual;
-
-/**
- * Assert that `val` is null.
- *
- * @param {Mixed} val
- * @param {String} msg
- */
-
-assert.isNull = function(val, msg) {
-    assert.strictEqual(null, val, msg);
-};
-
-/**
- * Assert that `val` is not null.
- *
- * @param {Mixed} val
- * @param {String} msg
- */
-
-assert.isNotNull = function(val, msg) {
-    assert.notStrictEqual(null, val, msg);
-};
-
-/**
- * Assert that `val` is undefined.
- *
- * @param {Mixed} val
- * @param {String} msg
- */
-
-assert.isUndefined = function(val, msg) {
-    assert.strictEqual(undefined, val, msg);
-};
-
-/**
- * Assert that `val` is not undefined.
- *
- * @param {Mixed} val
- * @param {String} msg
- */
-
-assert.isDefined = function(val, msg) {
-    assert.notStrictEqual(undefined, val, msg);
-};
-
-/**
- * Assert that `obj` is `type`.
- *
- * @param {Mixed} obj
- * @param {String} type
- * @api public
- */
-
-assert.type = function(obj, type, msg){
-    var real = typeof obj;
-    msg = msg || 'typeof ' + sys.inspect(obj) + ' is ' + real + ', expected ' + type;
-    assert.ok(type === real, msg);
-};
-
-/**
- * Assert that `str` matches `regexp`.
- *
- * @param {String} str
- * @param {RegExp} regexp
- * @param {String} msg
- */
-
-assert.match = function(str, regexp, msg) {
-    msg = msg || sys.inspect(str) + ' does not match ' + sys.inspect(regexp);
-    assert.ok(regexp.test(str), msg);
-};
-
-/**
- * Assert that `val` is within `obj`.
- *
- * Examples:
- *
- *    assert.includes('foobar', 'bar');
- *    assert.includes(['foo', 'bar'], 'foo');
- *
- * @param {String|Array} obj
- * @param {Mixed} val
- * @param {String} msg
- */
-
-assert.includes = function(obj, val, msg) {
-    msg = msg || sys.inspect(obj) + ' does not include ' + sys.inspect(val);
-    assert.ok(obj.indexOf(val) >= 0, msg);
-};
-
-/**
- * Assert length of `val` is `n`.
- *
- * @param {Mixed} val
- * @param {Number} n
- * @param {String} msg
- */
-
-assert.length = function(val, n, msg) {
-    msg = msg || sys.inspect(val) + ' has length of ' + val.length + ', expected ' + n;
-    assert.equal(n, val.length, msg);
-};
-
-/**
- * Assert response from `server` with
- * the given `req` object and `res` assertions object.
- *
- * @param {Server} server
- * @param {Object} req
- * @param {Object|Function} res
- * @param {String} msg
- */
-
-assert.response = function(server, req, res, msg){
-    // Callback as third or fourth arg
-    var callback = typeof res === 'function'
-        ? res
-        : typeof msg === 'function'
-            ? msg
-            : function(){};
-
-    // Default messate to test title
-    if (typeof msg === 'function') msg = null;
-    msg = msg || assert.testTitle;
-    msg += '. ';
-
-    // Pending responses
-    server.__pending = server.__pending || 0;
-    server.__pending++;
-
-    // Create client
-    if (!server.fd) {
-        server.listen(server.__port = port++);
-        server.client = http.createClient(server.__port);
-    }
-
-    // Issue request
-    var timer,
-        client = server.client,
-        method = req.method || 'GET',
-        status = res.status || res.statusCode,
-        data = req.data || req.body,
-        timeout = req.timeout || 0;
-
-    var request = client.request(method, req.url, req.headers);
-
-    // Timeout
-    if (timeout) {
-        timer = setTimeout(function(){
-            --server.__pending || server.close();
-            delete req.timeout;
-            assert.fail(msg + 'Request timed out after ' + timeout + 'ms.');
-        }, timeout);
-    }
-
-    if (data) request.write(data);
-    request.addListener('response', function(response){
-        response.body = '';
-        response.setEncoding('utf8');
-        response.addListener('data', function(chunk){ response.body += chunk; });
-        response.addListener('end', function(){
-            --server.__pending || server.close();
-            if (timer) clearTimeout(timer);
-
-            // Assert response body
-            if (res.body !== undefined) {
-                assert.equal(
-                    response.body,
-                    res.body,
-                    msg + 'Invalid response body.\n'
-                        + '    Expected: ' + sys.inspect(res.body) + '\n'
-                        + '    Got: ' + sys.inspect(response.body)
-                );
-            }
-
-            // Assert response status
-            if (typeof status === 'number') {
-                assert.equal(
-                    response.statusCode,
-                    status,
-                    msg + colorize('Invalid response status code.\n'
-                        + '    Expected: [green]{' + status + '}\n'
-                        + '    Got: [red]{' + response.statusCode + '}')
-                );
-            }
-
-            // Assert response headers
-            if (res.headers) {
-                var keys = Object.keys(res.headers);
-                for (var i = 0, len = keys.length; i < len; ++i) {
-                    var name = keys[i],
-                        actual = response.headers[name.toLowerCase()],
-                        expected = res.headers[name];
-                    assert.equal(
-                        actual,
-                        expected,
-                        msg + colorize('Invalid response header [bold]{' + name + '}.\n'
-                            + '    Expected: [green]{' + expected + '}\n'
-                            + '    Got: [red]{' + actual + '}')
-                    );
-                }
-            }
-
-            // Callback
-            callback(response);
-        });
-    });
-    request.end();
-};
-
-/**
- * Pad the given string to the maximum width provided.
- *
- * @param  {String} str
- * @param  {Number} width
- * @return {String}
- */
-
-function lpad(str, width) {
-    str = String(str);
-    var n = width - str.length;
-    if (n < 1) return str;
-    while (n--) str = ' ' + str;
-    return str;
-}
-
-/**
- * Pad the given string to the maximum width provided.
- *
- * @param  {String} str
- * @param  {Number} width
- * @return {String}
- */
-
-function rpad(str, width) {
-    str = String(str);
-    var n = width - str.length;
-    if (n < 1) return str;
-    while (n--) str = str + ' ';
-    return str;
-}
-
-/**
- * Report test coverage.
- *
- * @param  {Object} cov
- */
-
-function reportCoverage(cov) {
-    populateCoverage(cov);
-    // Stats
-    print('\n   [bold]{Test Coverage}\n');
-    var sep = '   +------------------------------------------+----------+------+------+--------+',
-        lastSep = '                                              +----------+------+------+--------+';
-    sys.puts(sep);
-    sys.puts('   | filename                                 | coverage | LOC  | SLOC | missed |');
-    sys.puts(sep);
-    for (var name in cov) {
-        var file = cov[name];
-        if (Array.isArray(file)) {
-            sys.print('   | ' + rpad(name, 40));
-            sys.print(' | ' + lpad(file.coverage.toFixed(2), 8));
-            sys.print(' | ' + lpad(file.LOC, 4));
-            sys.print(' | ' + lpad(file.SLOC, 4));
-            sys.print(' | ' + lpad(file.totalMisses, 6));
-            sys.print(' |\n');
-        }
-    }
-    sys.puts(sep);
-    sys.print('     ' + rpad('', 40));
-    sys.print(' | ' + lpad(cov.coverage.toFixed(2), 8));
-    sys.print(' | ' + lpad(cov.LOC, 4));
-    sys.print(' | ' + lpad(cov.SLOC, 4));
-    sys.print(' | ' + lpad(cov.totalMisses, 6));
-    sys.print(' |\n');
-    sys.puts(lastSep);
-    // Source
-    for (var name in cov) {
-        if (name.match(/\.js$/)) {
-            var file = cov[name];
-            print('\n   [bold]{' + name + '}:');
-            print(file.source);
-            sys.print('\n');
-        }
-    }
-}
-
-/**
- * Populate code coverage data.
- *
- * @param  {Object} cov
- */
-
-function populateCoverage(cov) {
-    cov.LOC = 
-    cov.SLOC =
-    cov.totalFiles =
-    cov.totalHits =
-    cov.totalMisses = 
-    cov.coverage = 0;
-    for (var name in cov) {
-        var file = cov[name];
-        if (Array.isArray(file)) {
-            // Stats
-            ++cov.totalFiles;
-            cov.totalHits += file.totalHits = coverage(file, true);
-            cov.totalMisses += file.totalMisses = coverage(file, false);
-            file.totalLines = file.totalHits + file.totalMisses;
-            cov.SLOC += file.SLOC = file.totalLines;
-            cov.LOC += file.LOC = file.source.length;
-            file.coverage = (file.totalHits / file.totalLines) * 100;
-            // Source
-            var width = file.source.length.toString().length;
-            file.source = file.source.map(function(line, i){
-                ++i;
-                var hits = file[i] === 0 ? 0 : (file[i] || ' ');
-                if (!boring) {
-                    if (hits === 0) {
-                        hits = '\x1b[31m' + hits + '\x1b[0m';
-                        line = '\x1b[41m' + line + '\x1b[0m';
-                    } else {
-                        hits = '\x1b[32m' + hits + '\x1b[0m';
-                    }
-                }
-                return '\n     ' + lpad(i, width) + ' | ' + hits + ' | ' + line;
-            }).join('');
-        }
-    }
-    cov.coverage = (cov.totalHits / cov.SLOC) * 100;
-}
-
-/**
- * Total coverage for the given file data.
- *
- * @param  {Array} data
- * @return {Type}
- */
-
-function coverage(data, val) {
-    var n = 0;
-    for (var i = 0, len = data.length; i < len; ++i) {
-        if (data[i] !== undefined && data[i] == val) ++n;
-    }
-    return n;  
-}
-
-/**
- * Run the given test `files`, or try _test/*_.
- *
- * @param  {Array} files
- */
-
-function run(files) {
-    if (!files.length) {
-        try {
-            files = fs.readdirSync('test').map(function(file){
-                return 'test/' + file;
-            });
-        } catch (err) {
-            print('\n  failed to load tests in [bold]{./test}\n');
-            ++failures;
-            process.exit(1);
-        }
-    }
-    if (watch) watchFiles(files);
-    runFiles(files);
-}
-
-/**
- * Show the cursor when `show` is true, otherwise hide it.
- *
- * @param {Boolean} show
- */
-
-function cursor(show) {
-    if (show) {
-        sys.print('\x1b[?25h');
-    } else {
-        sys.print('\x1b[?25l');
-    }
-}
-
-/**
- * Run the given test `files`.
- *
- * @param {Array} files
- */
-
-function runFiles(files) {
-    files.forEach(runFile);
-}
-
-/**
- * Run tests for the given `file`.
- *
- * @param {String} file
- */
-
-function runFile(file) {
-    if (file.match(/\.js$/)) {
-        var title = path.basename(file),
-            file = path.join(cwd, file),
-            mod = require(file.replace(/\.js$/, ''));
-        (function check(){
-           var len = Object.keys(mod).length;
-           if (len) {
-               runSuite(title, mod);
-           } else {
-               setTimeout(check, 20);
-           }
-        })();
-    }
-}
-
-/**
- * Clear the module cache for the given `file`.
- *
- * @param {String} file
- */
-
-function clearCache(file) {
-    var keys = Object.keys(module.moduleCache);
-    for (var i = 0, len = keys.length; i < len; ++i) {
-        var key = keys[i];
-        if (key.indexOf(file) === key.length - file.length) {
-            delete module.moduleCache[key];
-        }
-    }
-}
-
-/**
- * Watch the given `files` for changes.
- *
- * @param {Array} files
- */
-
-function watchFiles(files) {
-    var p = 0,
-        c = ['▫   ', '▫▫  ', '▫▫▫ ', ' ▫▫▫',
-             '  ▫▫', '   ▫', '   ▫', '  ▫▫',
-             '▫▫▫ ', '▫▫  ', '▫   '],
-        l = c.length;
-    cursor(false);
-    setInterval(function(){
-        sys.print(colorize('  [green]{' + c[p++ % l] + '} watching\r'));
-    }, 100);
-    files.forEach(function(file){
-        fs.watchFile(file, { interval: 100 }, function(curr, prev){
-            if (curr.mtime > prev.mtime) {
-                print('  [yellow]{◦} ' + file);
-                clearCache(file);
-                runFile(file);
-            }
-        });
-    });
-}
-
-/**
- * Report `err` for the given `test` and `suite`.
- *
- * @param {String} suite
- * @param {String} test
- * @param {Error} err
- */
-
-function error(suite, test, err) {
-    ++failures;
-    var name = err.name,
-        stack = err.stack.replace(err.name, ''),
-        label = test === 'uncaught'
-            ? test
-            : suite + ' ' + test;
-    print('\n   [bold]{' + label + '}: [red]{' + name + '}' + stack + '\n');
-    if (watch) notify(label + ' failed');
-}
-
-/**
- * Run the given tests.
- *
- * @param  {String} title
- * @param  {Object} tests
- */
-
-function runSuite(title, tests) {
-    var keys = only.length
-        ? only.slice(0)
-        : Object.keys(tests);
-    (function next(){
-        if (keys.length) {
-            var key,
-                test = tests[key = keys.shift()];
-            if (test) {
-                try {
-                    ++testcount;
-                    assert.testTitle = key;
-                    test(assert, function(fn){
-                        process.addListener('beforeExit', function(){
-                            try {
-                                fn();
-                            } catch (err) {
-                                error(title, key, err);
-                            }
-                        });
-                    });
-                } catch (err) {
-                    error(title, key, err);
-                }
-            }
-            next();
-        }
-    })();
-}
-
-/**
- * Report exceptions.
- */
-
-function report() {
-    process.emit('beforeExit');
-    if (failures) {
-        print('\n   [bold]{Failures}: [red]{' + failures + '}\n\n');
-        notify('Failures: ' + failures);
-    } else {
-        print('\n   [green]{100%} ' + testcount + ' tests\n');
-        notify('100% ok');
-    }
-    if (typeof _$jscoverage === 'object') {
-        reportCoverage(_$jscoverage);
-    }
-}
-
-/**
- * Growl notify the given `msg`.
- *
- * @param {String} msg
- */
-
-function notify(msg) {
-    if (growl) {
-        childProcess.exec('growlnotify -name Expresso -m "' + msg + '"');
-    }
-}
-
-// Report uncaught exceptions
-
-process.addListener('uncaughtException', function(err){
-    error('uncaught', 'uncaught', err);
-});
-
-// Show cursor
-
-['INT', 'TERM', 'QUIT'].forEach(function(sig){
-    process.addListener('SIG' + sig, function(){
-        cursor(true);
-        process.exit(1);
-    });
-});
-
-// Report test coverage when available
-// and emit "beforeExit" event to perform
-// final assertions
-
-var orig = process.emit;
-process.emit = function(event){
-    if (event === 'exit') {
-        report();
-        process.reallyExit(failures);
-    }
-    orig.apply(this, arguments);
-};
-
-// Run test files
-
-if (!defer) run(files);
diff --git a/node_modules/ejs/support/expresso/docs/api.html b/node_modules/ejs/support/expresso/docs/api.html
deleted file mode 100644
index 4496371..0000000
--- a/node_modules/ejs/support/expresso/docs/api.html
+++ /dev/null
@@ -1,989 +0,0 @@
- -	
-		Expresso
-		
-		
-		
-	
-	
-
-	
-		Expresso
-		
-		
-		
-	
-	
-| ExpressoInsanely fast TDD framework for node featuring code coverage reporting. |  | 
|  | bin/expresso | 
-| - -!/usr/bin/env node- | - --!
- * Expresso
- * Copyright(c) TJ Holowaychuk <tj@vision-media.ca>
- * (MIT Licensed)
- 
 | 
-
-| - -Module dependencies.
- - | - --var assert = require('assert'),
-    childProcess = require('child_process'),
-    http = require('http'),
-    path = require('path'),
-    sys = require('sys'),
-    cwd = process.cwd(),
-    fs = require('fs'),
-    defer;
 | 
-
-| - -Expresso version.
- - | - --var version = '0.6.0';
 | 
-
-| - -Failure count.
- - | - --var failures = 0;
 | 
-
-| - -Whitelist of tests to run.
- - | - --var only = [];
 | 
-
-| - -Boring output.
- - | - --var boring = false;
 | 
-
-| - -Growl notifications.
- - | - --var growl = false;
 | 
-
-| - -Server port.
- - | - --var port = 5555;
 | 
-
-| - -Watch mode.
- - | - --var watch = false;
 | 
-
-| - -Usage documentation.
- - | - --var usage = ''
-    + '[bold]{Usage}: expresso [options] <file ...>'
-    + '\n'
-    + '\n[bold]{Options}:'
-    + '\n  -w, --watch          Watch for modifications and re-execute tests'
-    + '\n  -g, --growl          Enable growl notifications'
-    + '\n  -c, --coverage       Generate and report test coverage'
-    + '\n  -r, --require PATH   Require the given module path'
-    + '\n  -o, --only TESTS     Execute only the comma sperated TESTS (can be set several times)'
-    + '\n  -I, --include PATH   Unshift the given path to require.paths'
-    + '\n  -p, --port NUM       Port number for test servers, starts at 5555'
-    + '\n  -b, --boring         Suppress ansi-escape colors'
-    + '\n  -v, --version        Output version number'
-    + '\n  -h, --help           Display help information'
-    + '\n';
-
-
-
-var files = [],
-    args = process.argv.slice(2);
-
-while (args.length) {
-    var arg = args.shift();
-    switch (arg) {
-        case '-h':
-        case '--help':
-            print(usage + '\n');
-            process.exit(1);
-            break;
-        case '-v':
-        case '--version':
-            sys.puts(version);
-            process.exit(1);
-            break;
-        case '-i':
-        case '-I':
-        case '--include':
-            if (arg = args.shift()) {
-                require.paths.unshift(arg);
-            } else {
-                throw new Error('--include requires a path');
-            }
-            break;
-        case '-o':
-        case '--only':
-            if (arg = args.shift()) {
-                only = only.concat(arg.split(/ *, */));
-            } else {
-                throw new Error('--only requires comma-separated test names');
-            }
-            break;
-        case '-p':
-        case '--port':
-            if (arg = args.shift()) {
-                port = parseInt(arg, 10);
-            } else {
-                throw new Error('--port requires a number');
-            }
-            break;
-        case '-r':
-        case '--require':
-            if (arg = args.shift()) {
-                require(arg);
-            } else {
-                throw new Error('--require requires a path');
-            }
-            break;
-        case '-c':
-        case '--cov':
-        case '--coverage':
-            defer = true;
-            childProcess.exec('rm -fr lib-cov && node-jscoverage lib lib-cov', function(err){
-                if (err) throw err;
-                require.paths.unshift('lib-cov');
-                run(files);
-            })
-            break;
-        case '-b':
-        case '--boring':
-        	boring = true;
-        	break;
-        case '-w':
-        case '--watch':
-            watch = true;
-            break;
-        case '--g':
-        case '--growl':
-            growl = true;
-            break;
-        default:
-            if (/\.js$/.test(arg)) {
-                files.push(arg);
-            }
-            break;
-    }
-}
 | 
-
-| - -Colorized sys.error().-
-
-
-
- | - --function print(str){
-    sys.error(colorize(str));
-}
 | 
-
-| - -Colorize the given string using ansi-escape sequences.
-Disabled when --boring is set.-
-
-
- -param: String  strreturn: String 
 | - --function colorize(str){
-    var colors = { bold: 1, red: 31, green: 32, yellow: 33 };
-    return str.replace(/\[(\w+)\]\{([^]*?)\}/g, function(_, color, str){
-        return boring
-            ? str
-            : '\x1B[' + colors[color] + 'm' + str + '\x1B[0m';
-    });
-}
-
-
-
-assert.eql = assert.deepEqual;
 | 
-
-| - -Assert that -
-
-
-valis null. -param: Mixed  valparam: String  msg
 | - --assert.isNull = function(val, msg) {
-    assert.strictEqual(null, val, msg);
-};
 | 
-
-| - -Assert that -
-
-
-valis not null. -param: Mixed  valparam: String  msg
 | - --assert.isNotNull = function(val, msg) {
-    assert.notStrictEqual(null, val, msg);
-};
 | 
-
-| - -Assert that -
-
-
-valis undefined. -param: Mixed  valparam: String  msg
 | - --assert.isUndefined = function(val, msg) {
-    assert.strictEqual(undefined, val, msg);
-};
 | 
-
-| - -Assert that -
-
-
-valis not undefined. -param: Mixed  valparam: String  msg
 | - --assert.isDefined = function(val, msg) {
-    assert.notStrictEqual(undefined, val, msg);
-};
 | 
-
-| - -Assert that -
-
-
-objistype. -param: Mixed  objparam: String  typeapi: public
 | - --assert.type = function(obj, type, msg){
-    var real = typeof obj;
-    msg = msg || 'typeof ' + sys.inspect(obj) + ' is ' + real + ', expected ' + type;
-    assert.ok(type === real, msg);
-};
 | 
-
-| - -Assert that -
-
-
-strmatchesregexp. -param: String  strparam: RegExp  regexpparam: String  msg
 | - --assert.match = function(str, regexp, msg) {
-    msg = msg || sys.inspect(str) + ' does not match ' + sys.inspect(regexp);
-    assert.ok(regexp.test(str), msg);
-};
 | 
-
-| - -Assert that -
-valis withinobj. Examples-
-   assert.includes('foobar', 'bar');
-   assert.includes(['foo', 'bar'], 'foo');-
-
-
-
- | - --assert.includes = function(obj, val, msg) {
-    msg = msg || sys.inspect(obj) + ' does not include ' + sys.inspect(val);
-    assert.ok(obj.indexOf(val) >= 0, msg);
-};
 | 
-
-| - -Assert length of -
-
-
-valisn. -param: Mixed  valparam: Number  nparam: String  msg
 | - --assert.length = function(val, n, msg) {
-    msg = msg || sys.inspect(val) + ' has length of ' + val.length + ', expected ' + n;
-    assert.equal(n, val.length, msg);
-};
 | 
-
-| - -Assert response from -
-
-
-
-serverwith
-the givenreqobject andresassertions object. | - --assert.response = function(server, req, res, msg){
-    
-    var callback = typeof res === 'function'
-        ? res
-        : typeof msg === 'function'
-            ? msg
-            : function(){};
-
-    
-    msg = msg || assert.testTitle;
-    msg += '. ';
-
-    
-    server.__pending = server.__pending || 0;
-    server.__pending++;
-
-    
-    if (!server.fd) {
-        server.listen(server.__port = port++);
-        server.client = http.createClient(server.__port);
-    }
-
-    
-    var timer,
-        client = server.client,
-        method = req.method || 'GET',
-        status = res.status || res.statusCode,
-        data = req.data || req.body,
-        timeout = req.timeout || 0;
-
-    var request = client.request(method, req.url, req.headers);
-
-    
-    if (timeout) {
-        timer = setTimeout(function(){
-            --server.__pending || server.close();
-            delete req.timeout;
-            assert.fail(msg + 'Request timed out after ' + timeout + 'ms.');
-        }, timeout);
-    }
-
-    if (data) request.write(data);
-    request.addListener('response', function(response){
-        response.body = '';
-        response.setEncoding('utf8');
-        response.addListener('data', function(chunk){ response.body += chunk; });
-        response.addListener('end', function(){
-            --server.__pending || server.close();
-            if (timer) clearTimeout(timer);
-
-            
-            if (res.body !== undefined) {
-                assert.equal(
-                    response.body,
-                    res.body,
-                    msg + 'Invalid response body.\n'
-                        + '    Expected: ' + sys.inspect(res.body) + '\n'
-                        + '    Got: ' + sys.inspect(response.body)
-                );
-            }
-
-            
-            if (typeof status === 'number') {
-                assert.equal(
-                    response.statusCode,
-                    status,
-                    msg + colorize('Invalid response status code.\n'
-                        + '    Expected: [green]{' + status + '}\n'
-                        + '    Got: [red]{' + response.statusCode + '}')
-                );
-            }
-
-            
-            if (res.headers) {
-                var keys = Object.keys(res.headers);
-                for (var i = 0, len = keys.length; i < len; ++i) {
-                    var name = keys[i],
-                        actual = response.headers[name.toLowerCase()],
-                        expected = res.headers[name];
-                    assert.equal(
-                        actual,
-                        expected,
-                        msg + colorize('Invalid response header [bold]{' + name + '}.\n'
-                            + '    Expected: [green]{' + expected + '}\n'
-                            + '    Got: [red]{' + actual + '}')
-                    );
-                }
-            }
-
-            
-            callback(response);
-        });
-    });
-    request.end();
-};
 | 
-
-| - -Pad the given string to the maximum width provided.-
-
-
- -param: String  strparam: Number  widthreturn: String 
 | - --function lpad(str, width) {
-    str = String(str);
-    var n = width - str.length;
-    if (n < 1) return str;
-    while (n--) str = ' ' + str;
-    return str;
-}
 | 
-
-| - -Pad the given string to the maximum width provided.-
-
-
- -param: String  strparam: Number  widthreturn: String 
 | - --function rpad(str, width) {
-    str = String(str);
-    var n = width - str.length;
-    if (n < 1) return str;
-    while (n--) str = str + ' ';
-    return str;
-}
 | 
-
-| - -Report test coverage.-
-
-
-
- | - --function reportCoverage(cov) {
-    populateCoverage(cov);
-    
-    print('\n   [bold]{Test Coverage}\n');
-    var sep = '   +------------------------------------------+----------+------+------+--------+',
-        lastSep = '                                              +----------+------+------+--------+';
-    sys.puts(sep);
-    sys.puts('   | filename                                 | coverage | LOC  | SLOC | missed |');
-    sys.puts(sep);
-    for (var name in cov) {
-        var file = cov[name];
-        if (Array.isArray(file)) {
-            sys.print('   | ' + rpad(name, 40));
-            sys.print(' | ' + lpad(file.coverage.toFixed(2), 8));
-            sys.print(' | ' + lpad(file.LOC, 4));
-            sys.print(' | ' + lpad(file.SLOC, 4));
-            sys.print(' | ' + lpad(file.totalMisses, 6));
-            sys.print(' |\n');
-        }
-    }
-    sys.puts(sep);
-    sys.print('     ' + rpad('', 40));
-    sys.print(' | ' + lpad(cov.coverage.toFixed(2), 8));
-    sys.print(' | ' + lpad(cov.LOC, 4));
-    sys.print(' | ' + lpad(cov.SLOC, 4));
-    sys.print(' | ' + lpad(cov.totalMisses, 6));
-    sys.print(' |\n');
-    sys.puts(lastSep);
-    
-    for (var name in cov) {
-        if (name.match(/\.js$/)) {
-            var file = cov[name];
-            print('\n   [bold]{' + name + '}:');
-            print(file.source);
-            sys.print('\n');
-        }
-    }
-}
 | 
-
-| - -Populate code coverage data.-
-
-
-
- | - --function populateCoverage(cov) {
-    cov.LOC = 
-    cov.SLOC =
-    cov.totalFiles =
-    cov.totalHits =
-    cov.totalMisses = 
-    cov.coverage = 0;
-    for (var name in cov) {
-        var file = cov[name];
-        if (Array.isArray(file)) {
-            
-            ++cov.totalFiles;
-            cov.totalHits += file.totalHits = coverage(file, true);
-            cov.totalMisses += file.totalMisses = coverage(file, false);
-            file.totalLines = file.totalHits + file.totalMisses;
-            cov.SLOC += file.SLOC = file.totalLines;
-            cov.LOC += file.LOC = file.source.length;
-            file.coverage = (file.totalHits / file.totalLines) * 100;
-            
-            var width = file.source.length.toString().length;
-            file.source = file.source.map(function(line, i){
-                ++i;
-                var hits = file[i] === 0 ? 0 : (file[i] || ' ');
-                if (!boring) {
-                    if (hits === 0) {
-                        hits = '\x1b[31m' + hits + '\x1b[0m';
-                        line = '\x1b[41m' + line + '\x1b[0m';
-                    } else {
-                        hits = '\x1b[32m' + hits + '\x1b[0m';
-                    }
-                }
-                return '\n     ' + lpad(i, width) + ' | ' + hits + ' | ' + line;
-            }).join('');
-        }
-    }
-    cov.coverage = (cov.totalHits / cov.SLOC) * 100;
-}
 | 
-
-| - -Total coverage for the given file data.-
-
-
- -param: Array  datareturn: Type 
 | - --function coverage(data, val) {
-    var n = 0;
-    for (var i = 0, len = data.length; i < len; ++i) {
-        if (data[i] !== undefined && data[i] == val) ++n;
-    }
-    return n;  
-}
 | 
-
-| - -Run the given test -
-
-
-
-files, or try test/*. | - --function run(files) {
-    if (!files.length) {
-        try {
-            files = fs.readdirSync('test').map(function(file){
-                return 'test/' + file;
-            });
-        } catch (err) {
-            print('\n  failed to load tests in [bold]{./test}\n');
-            ++failures;
-            process.exit(1);
-        }
-    }
-    if (watch) watchFiles(files);
-    runFiles(files);
-}
 | 
-
-| - -Show the cursor when -
-
-
-
-showis true, otherwise hide it. | - --function cursor(show) {
-    if (show) {
-        sys.print('\x1b[?25h');
-    } else {
-        sys.print('\x1b[?25l');
-    }
-}
 | 
-
-| - -Run the given test -
-
-
-
-files. | - --function runFiles(files) {
-    files.forEach(runFile);
-}
 | 
-
-| - -Run tests for the given -
-
-
-
-file. | - --function runFile(file) {
-    if (file.match(/\.js$/)) {
-        var title = path.basename(file),
-            file = path.join(cwd, file),
-            mod = require(file.replace(/\.js$/, ''));
-        (function check(){
-           var len = Object.keys(mod).length;
-           if (len) {
-               runSuite(title, mod);
-           } else {
-               setTimeout(check, 20);
-           }
-        })();
-    }
-}
 | 
-
-| - -Clear the module cache for the given -
-
-
-
-file. | - --function clearCache(file) {
-    var keys = Object.keys(module.moduleCache);
-    for (var i = 0, len = keys.length; i < len; ++i) {
-        var key = keys[i];
-        if (key.indexOf(file) === key.length - file.length) {
-            delete module.moduleCache[key];
-        }
-    }
-}
 | 
-
-| - -Watch the given -
-
-
-
-filesfor changes. | - --function watchFiles(files) {
-    var p = 0,
-        c = ['▫   ', '▫▫  ', '▫▫▫ ', ' ▫▫▫',
-             '  ▫▫', '   ▫', '   ▫', '  ▫▫',
-             '▫▫▫ ', '▫▫  ', '▫   '],
-        l = c.length;
-    cursor(false);
-    setInterval(function(){
-        sys.print(colorize('  [green]{' + c[p++ % l] + '} watching\r'));
-    }, 100);
-    files.forEach(function(file){
-        fs.watchFile(file, { interval: 100 }, function(curr, prev){
-            if (curr.mtime > prev.mtime) {
-                print('  [yellow]{◦} ' + file);
-                clearCache(file);
-                runFile(file);
-            }
-        });
-    });
-}
 | 
-
-| - -Report -
-
-
-errfor the giventestandsuite. -param: String  suiteparam: String  testparam: Error  err
 | - --function error(suite, test, err) {
-    ++failures;
-    var name = err.name,
-        stack = err.stack.replace(err.name, ''),
-        label = test === 'uncaught'
-            ? test
-            : suite + ' ' + test;
-    print('\n   [bold]{' + label + '}: [red]{' + name + '}' + stack + '\n');
-    if (watch) notify(label + ' failed');
-}
 | 
-
-| - -Run the given tests.-
-
-
- -param: String  titleparam: Object  tests
 | - --function runSuite(title, tests) {
-    var keys = only.length
-        ? only.slice(0)
-        : Object.keys(tests);
-    (function next(){
-        if (keys.length) {
-            var key,
-                test = tests[key = keys.shift()];
-            if (test) {
-                try {
-                    assert.testTitle = key;
-                    test(assert, function(fn){
-                        process.addListener('beforeExit', function(){
-                            try {
-                                fn();
-                            } catch (err) {
-                                error(title, key, err);
-                            }
-                        });
-                    });
-                } catch (err) {
-                    error(title, key, err);
-                }
-            }
-            next();
-        }
-    })();
-}
 | 
-
-| - -Report exceptions.
- - | - --function report() {
-    process.emit('beforeExit');
-    if (failures) {
-        print('\n   [bold]{Failures}: [red]{' + failures + '}\n\n');
-        notify('Failures: ' + failures);
-    } else {
-    	print('\n   [green]{100%} ok\n');
-    	notify('100% ok');
-    }
-    if (typeof _$jscoverage === 'object') {
-        reportCoverage(_$jscoverage);
-    }
-}
 | 
-
-| - -Growl notify the given -
-
-
-
-msg. | - --function notify(msg) {
-    if (growl) {
-        childProcess.exec('growlnotify -name Expresso -m "' + msg + '"');
-    }
-}
-
-
-
-process.addListener('uncaughtException', function(err){
-    error('uncaught', 'uncaught', err);
-});
-
-
-
-['INT', 'TERM', 'QUIT'].forEach(function(sig){
-    process.addListener('SIG' + sig, function(){
-        cursor(true);
-        process.exit(1);
-    });
-});
-
-
-
-
-
-var orig = process.emit;
-process.emit = function(event){
-    if (event === 'exit') {
-        report();
-        process.reallyExit(failures);
-    }
-    orig.apply(this, arguments);
-};
-
-
-
-if (!defer) run(files);
-
 | 
	
-
\ No newline at end of file
diff --git a/node_modules/ejs/support/expresso/docs/index.html b/node_modules/ejs/support/expresso/docs/index.html
deleted file mode 100644
index 5ae18ab..0000000
--- a/node_modules/ejs/support/expresso/docs/index.html
+++ /dev/null
@@ -1,380 +0,0 @@
-
-	
-		Expresso - TDD Framework For Node
-		
-	
-	
-		
-			 -		
-		
-
-		
-		
-		
-			
Expresso
-
-
Expresso is a JavaScript TDD framework written for nodejs. Expresso is extremely fast, and is packed with features such as additional assertion methods, code coverage reporting, CI support, and more.
-
-
Features
-
-
-- light-weight-
- intuitive async support-
- intuitive test runner executable-
- test coverage support and reporting via node-jscoverage-
- uses and extends the core assert module-
- assert.eql()alias of- assert.deepEqual()
-- assert.response()http response utility
-- assert.includes()
-- assert.isNull()
-- assert.isUndefined()
-- assert.isNotNull()
-- assert.isDefined()
-- assert.match()
-- assert.length()
-
-
-
-
Installation
-
-
To install both expresso and node-jscoverage run
-the command below, which will first compile node-jscoverage:
-
-
$ make install
-
-
-
To install expresso alone without coverage reporting run:
-
-
$ make install-expresso
-
-
-
Install via npm:
-
-
$ npm install expresso
-
-
-
Examples
-
-
Examples
-
-
To define tests we simply export several functions:
-
-
exports['test String#length'] = function(assert){
-    assert.equal(6, 'foobar'.length);
-};
-
-
-
Alternatively for large numbers of tests you may want to
-export your own object containing the tests, however this
-is essentially the as above:
-
-
module.exports = {
-    'test String#length': function(assert){
-        assert.equal(6, 'foobar'.length);
-    }
-};
-
-
-
If you prefer not to use quoted keys:
-
-
exports.testsStringLength = function(assert){
-    assert.equal(6, 'foobar'.length);
-};
-
-
-
The second argument passed to each callback is beforeExit,
-which is typically used to assert that callbacks have been
-invoked.
-
-
exports.testAsync = function(assert, beforeExit){
-    var n = 0;
-    setTimeout(function(){
-        ++n;
-        assert.ok(true);
-    }, 200);
-    setTimeout(function(){
-        ++n;
-        assert.ok(true);
-    }, 200);
-    beforeExit(function(){
-        assert.equal(2, n, 'Ensure both timeouts are called');
-    });
-};
-
-
-
Assert Utilities
-
-
assert.isNull(val[, msg])
-
-
Asserts that the given val is null.
-
-
assert.isNull(null);
-
-
-
assert.isNotNull(val[, msg])
-
-
Asserts that the given val is not null.
-
-
assert.isNotNull(undefined);
-assert.isNotNull(false);
-
-
-
assert.isUndefined(val[, msg])
-
-
Asserts that the given val is undefined.
-
-
assert.isUndefined(undefined);
-
-
-
assert.isDefined(val[, msg])
-
-
Asserts that the given val is not undefined.
-
-
assert.isDefined(null);
-assert.isDefined(false);
-
-
-
assert.match(str, regexp[, msg])
-
-
Asserts that the given str matches regexp.
-
-
assert.match('foobar', /^foo(bar)?/);
-assert.match('foo', /^foo(bar)?/);
-
-
-
assert.length(val, n[, msg])
-
-
Assert that the given val has a length of n.
-
-
assert.length([1,2,3], 3);
-assert.length('foo', 3);
-
-
-
assert.type(obj, type[, msg])
-
-
Assert that the given obj is typeof type.
-
-
assert.type(3, 'number');
-
-
-
assert.eql(a, b[, msg])
-
-
Assert that object b is equal to object a. This is an
-alias for the core assert.deepEqual() method which does complex
-comparisons, opposed to assert.equal() which uses ==.
-
-
assert.eql('foo', 'foo');
-assert.eql([1,2], [1,2]);
-assert.eql({ foo: 'bar' }, { foo: 'bar' });
-
-
-
assert.includes(obj, val[, msg])
-
-
Assert that obj is within val. This method supports Array_s
-and Strings_s.
-
-
assert.includes([1,2,3], 3);
-assert.includes('foobar', 'foo');
-assert.includes('foobar', 'bar');
-
-
-
assert.response(server, req, res|fn[, msg|fn])
-
-
Performs assertions on the given server, which should not call
-listen(), as this is handled internally by expresso and the server
-is killed after all responses have completed. This method works with
-any http.Server instance, so Connect and Express servers will work
-as well.
-
-
The req object may contain:
-
-
-- url request url-
- timeout timeout in milliseconds-
- method HTTP method-
- data request body-
- headers headers object-
-
-
-
The res object may be a callback function which
-receives the response for assertions, or an object
-which is then used to perform several assertions
-on the response with the following properties:
-
-
-- body assert response body-
- status assert response status code-
- header assert that all given headers match (unspecified are ignored)-
-
-
-
When providing res you may then also pass a callback function
-as the fourth argument for additional assertions.
-
-
Below are some examples:
-
-
assert.response(server, {
-    url: '/', timeout: 500
-}, {
-    body: 'foobar'
-});
-
-assert.response(server, {
-    url: '/',
-    method: 'GET'
-},{
-    body: '{"name":"tj"}',
-    status: 200,
-    headers: {
-        'Content-Type': 'application/json; charset=utf8',
-        'X-Foo': 'bar'
-    }
-});
-
-assert.response(server, {
-    url: '/foo',
-    method: 'POST',
-    data: 'bar baz'
-},{
-    body: '/foo bar baz',
-    status: 200
-}, 'Test POST');
-
-assert.response(server, {
-    url: '/foo',
-    method: 'POST',
-    data: 'bar baz'
-},{
-    body: '/foo bar baz',
-    status: 200
-}, function(res){
-    // All done, do some more tests if needed
-});
-
-assert.response(server, {
-    url: '/'
-}, function(res){
-    assert.ok(res.body.indexOf('tj') >= 0, 'Test assert.response() callback');
-});
-
-
-
expresso(1)
-
-
To run a single test suite (file) run:
-
-
$ expresso test/a.test.js
-
-
-
To run several suites we may simply append another:
-
-
$ expresso test/a.test.js test/b.test.js
-
-
-
We can also pass a whitelist of tests to run within all suites:
-
-
$ expresso --only "foo()" --only "bar()"
-
-
-
Or several with one call:
-
-
$ expresso --only "foo(), bar()"
-
-
-
Globbing is of course possible as well:
-
-
$ expresso test/*
-
-
-
When expresso is called without any files, test/* is the default,
-so the following is equivalent to the command above:
-
-
$ expresso
-
-
-
If you wish to unshift a path to require.paths before
-running tests, you may use the -I or --include flag.
-
-
$ expresso --include lib test/*
-
-
-
The previous example is typically what I would recommend, since expresso
-supports test coverage via node-jscoverage (bundled with expresso),
-so you will need to expose an instrumented version of you library.
-
-
To instrument your library, simply run node-jscoverage,
-passing the src and dest directories:
-
-
$ node-jscoverage lib lib-cov
-
-
-
Now we can run our tests again, using the lib-cov directory that has been
-instrumented with coverage statements:
-
-
$ expresso -I lib-cov test/*
-
-
-
The output will look similar to below, depending on your test coverage of course :)
-
-

-
-
To make this process easier expresso has the -c or --cov which essentially
-does the same as the two commands above. The following two commands will
-run the same tests, however one will auto-instrument, and unshift lib-cov,
-and the other will run tests normally:
-
-
$ expresso -I lib test/*
-$ expresso -I lib --cov test/*
-
-
-
Currently coverage is bound to the lib directory, however in the
-future --cov will most likely accept a path.
-
-
Async Exports
-
-
Sometimes it is useful to postpone running of tests until a callback or event has fired, currently the exports.foo = function(){}; syntax is supported for this:
-
-
setTimeout(function(){
-    exports['test async exports'] = function(assert){
-        assert.ok('wahoo');
-    };
-}, 100);
-
-
-
-