mirror of
https://github.com/atlanticbiomedical/biomedjs.git
synced 2025-07-02 00:47:26 -04:00
Added node-modules
This commit is contained in:
1
node_modules/less/node_modules/.bin/ycssmin
generated
vendored
Symbolic link
1
node_modules/less/node_modules/.bin/ycssmin
generated
vendored
Symbolic link
@ -0,0 +1 @@
|
||||
../ycssmin/bin/cssmin
|
19
node_modules/less/node_modules/mime/LICENSE
generated
vendored
Normal file
19
node_modules/less/node_modules/mime/LICENSE
generated
vendored
Normal file
@ -0,0 +1,19 @@
|
||||
Copyright (c) 2010 Benjamin Thomas, Robert Kieffer
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy
|
||||
of this software and associated documentation files (the "Software"), to deal
|
||||
in the Software without restriction, including without limitation the rights
|
||||
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||
copies of the Software, and to permit persons to whom the Software is
|
||||
furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in
|
||||
all copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
||||
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
||||
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
||||
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
||||
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
|
||||
THE SOFTWARE.
|
63
node_modules/less/node_modules/mime/README.md
generated
vendored
Normal file
63
node_modules/less/node_modules/mime/README.md
generated
vendored
Normal file
@ -0,0 +1,63 @@
|
||||
# mime
|
||||
|
||||
Comprehensive MIME type mapping API. Includes all 600+ types and 800+ extensions defined by the Apache project, plus additional types submitted by the node.js community.
|
||||
|
||||
## Install
|
||||
|
||||
Install with [npm](http://github.com/isaacs/npm):
|
||||
|
||||
npm install mime
|
||||
|
||||
## API - Queries
|
||||
|
||||
### mime.lookup(path)
|
||||
Get the mime type associated with a file. Performs a case-insensitive lookup using the extension in `path` (the substring after the last '/' or '.'). E.g.
|
||||
|
||||
var mime = require('mime');
|
||||
|
||||
mime.lookup('/path/to/file.txt'); // => 'text/plain'
|
||||
mime.lookup('file.txt'); // => 'text/plain'
|
||||
mime.lookup('.TXT'); // => 'text/plain'
|
||||
mime.lookup('htm'); // => 'text/html'
|
||||
|
||||
### mime.extension(type)
|
||||
Get the default extension for `type`
|
||||
|
||||
mime.extension('text/html'); // => 'html'
|
||||
mime.extension('application/octet-stream'); // => 'bin'
|
||||
|
||||
### mime.charsets.lookup()
|
||||
|
||||
Map mime-type to charset
|
||||
|
||||
mime.charsets.lookup('text/plain'); // => 'UTF-8'
|
||||
|
||||
(The logic for charset lookups is pretty rudimentary. Feel free to suggest improvements.)
|
||||
|
||||
## API - Defining Custom Types
|
||||
|
||||
The following APIs allow you to add your own type mappings within your project. If you feel a type should be included as part of node-mime, see [requesting new types](https://github.com/broofa/node-mime/wiki/Requesting-New-Types).
|
||||
|
||||
### mime.define()
|
||||
|
||||
Add custom mime/extension mappings
|
||||
|
||||
mime.define({
|
||||
'text/x-some-format': ['x-sf', 'x-sft', 'x-sfml'],
|
||||
'application/x-my-type': ['x-mt', 'x-mtt'],
|
||||
// etc ...
|
||||
});
|
||||
|
||||
mime.lookup('x-sft'); // => 'text/x-some-format'
|
||||
|
||||
The first entry in the extensions array is returned by `mime.extension()`. E.g.
|
||||
|
||||
mime.extension('text/x-some-format'); // => 'x-sf'
|
||||
|
||||
### mime.load(filepath)
|
||||
|
||||
Load mappings from an Apache ".types" format file
|
||||
|
||||
mime.load('./my_project.types');
|
||||
|
||||
The .types file format is simple - See the `types` dir for examples.
|
113
node_modules/less/node_modules/mime/mime.js
generated
vendored
Normal file
113
node_modules/less/node_modules/mime/mime.js
generated
vendored
Normal file
@ -0,0 +1,113 @@
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
|
||||
function Mime() {
|
||||
// Map of extension -> mime type
|
||||
this.types = Object.create(null);
|
||||
|
||||
// Map of mime type -> extension
|
||||
this.extensions = Object.create(null);
|
||||
}
|
||||
|
||||
/**
|
||||
* Define mimetype -> extension mappings. Each key is a mime-type that maps
|
||||
* to an array of extensions associated with the type. The first extension is
|
||||
* used as the default extension for the type.
|
||||
*
|
||||
* e.g. mime.define({'audio/ogg', ['oga', 'ogg', 'spx']});
|
||||
*
|
||||
* @param map (Object) type definitions
|
||||
*/
|
||||
Mime.prototype.define = function (map) {
|
||||
for (var type in map) {
|
||||
var exts = map[type];
|
||||
|
||||
for (var i = 0; i < exts.length; i++) {
|
||||
if (process.env.DEBUG_MIME && this.types[exts]) {
|
||||
console.warn(this._loading.replace(/.*\//, ''), 'changes "' + exts[i] + '" extension type from ' +
|
||||
this.types[exts] + ' to ' + type);
|
||||
}
|
||||
|
||||
this.types[exts[i]] = type;
|
||||
}
|
||||
|
||||
// Default extension is the first one we encounter
|
||||
if (!this.extensions[type]) {
|
||||
this.extensions[type] = exts[0];
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
/**
|
||||
* Load an Apache2-style ".types" file
|
||||
*
|
||||
* This may be called multiple times (it's expected). Where files declare
|
||||
* overlapping types/extensions, the last file wins.
|
||||
*
|
||||
* @param file (String) path of file to load.
|
||||
*/
|
||||
Mime.prototype.load = function(file) {
|
||||
|
||||
this._loading = file;
|
||||
// Read file and split into lines
|
||||
var map = {},
|
||||
content = fs.readFileSync(file, 'ascii'),
|
||||
lines = content.split(/[\r\n]+/);
|
||||
|
||||
lines.forEach(function(line) {
|
||||
// Clean up whitespace/comments, and split into fields
|
||||
var fields = line.replace(/\s*#.*|^\s*|\s*$/g, '').split(/\s+/);
|
||||
map[fields.shift()] = fields;
|
||||
});
|
||||
|
||||
this.define(map);
|
||||
|
||||
this._loading = null;
|
||||
};
|
||||
|
||||
/**
|
||||
* Lookup a mime type based on extension
|
||||
*/
|
||||
Mime.prototype.lookup = function(path, fallback) {
|
||||
var ext = path.replace(/.*[\.\/]/, '').toLowerCase();
|
||||
|
||||
return this.types[ext] || fallback || this.default_type;
|
||||
};
|
||||
|
||||
/**
|
||||
* Return file extension associated with a mime type
|
||||
*/
|
||||
Mime.prototype.extension = function(mimeType) {
|
||||
return this.extensions[mimeType];
|
||||
};
|
||||
|
||||
// Default instance
|
||||
var mime = new Mime();
|
||||
|
||||
// Load local copy of
|
||||
// http://svn.apache.org/repos/asf/httpd/httpd/trunk/docs/conf/mime.types
|
||||
mime.load(path.join(__dirname, 'types/mime.types'));
|
||||
|
||||
// Load additional types from node.js community
|
||||
mime.load(path.join(__dirname, 'types/node.types'));
|
||||
|
||||
// Default type
|
||||
mime.default_type = mime.lookup('bin');
|
||||
|
||||
//
|
||||
// Additional API specific to the default instance
|
||||
//
|
||||
|
||||
mime.Mime = Mime;
|
||||
|
||||
/**
|
||||
* Lookup a charset based on mime type.
|
||||
*/
|
||||
mime.charsets = {
|
||||
lookup: function(mimeType, fallback) {
|
||||
// Assume text types are utf8
|
||||
return (/^text\//).test(mimeType) ? 'UTF-8' : fallback;
|
||||
}
|
||||
};
|
||||
|
||||
module.exports = mime;
|
37
node_modules/less/node_modules/mime/package.json
generated
vendored
Normal file
37
node_modules/less/node_modules/mime/package.json
generated
vendored
Normal file
@ -0,0 +1,37 @@
|
||||
{
|
||||
"author": {
|
||||
"name": "Robert Kieffer",
|
||||
"email": "robert@broofa.com",
|
||||
"url": "http://github.com/broofa"
|
||||
},
|
||||
"contributors": [
|
||||
{
|
||||
"name": "Benjamin Thomas",
|
||||
"email": "benjamin@benjaminthomas.org",
|
||||
"url": "http://github.com/bentomas"
|
||||
}
|
||||
],
|
||||
"dependencies": {},
|
||||
"description": "A comprehensive library for mime-type mapping",
|
||||
"devDependencies": {},
|
||||
"keywords": [
|
||||
"util",
|
||||
"mime"
|
||||
],
|
||||
"main": "mime.js",
|
||||
"name": "mime",
|
||||
"repository": {
|
||||
"url": "https://github.com/broofa/node-mime",
|
||||
"type": "git"
|
||||
},
|
||||
"version": "1.2.9",
|
||||
"readme": "# mime\n\nComprehensive MIME type mapping API. Includes all 600+ types and 800+ extensions defined by the Apache project, plus additional types submitted by the node.js community.\n\n## Install\n\nInstall with [npm](http://github.com/isaacs/npm):\n\n npm install mime\n\n## API - Queries\n\n### mime.lookup(path)\nGet the mime type associated with a file. Performs a case-insensitive lookup using the extension in `path` (the substring after the last '/' or '.'). E.g.\n\n var mime = require('mime');\n\n mime.lookup('/path/to/file.txt'); // => 'text/plain'\n mime.lookup('file.txt'); // => 'text/plain'\n mime.lookup('.TXT'); // => 'text/plain'\n mime.lookup('htm'); // => 'text/html'\n\n### mime.extension(type)\nGet the default extension for `type`\n\n mime.extension('text/html'); // => 'html'\n mime.extension('application/octet-stream'); // => 'bin'\n\n### mime.charsets.lookup()\n\nMap mime-type to charset\n\n mime.charsets.lookup('text/plain'); // => 'UTF-8'\n\n(The logic for charset lookups is pretty rudimentary. Feel free to suggest improvements.)\n\n## API - Defining Custom Types\n\nThe following APIs allow you to add your own type mappings within your project. If you feel a type should be included as part of node-mime, see [requesting new types](https://github.com/broofa/node-mime/wiki/Requesting-New-Types).\n\n### mime.define()\n\nAdd custom mime/extension mappings\n\n mime.define({\n 'text/x-some-format': ['x-sf', 'x-sft', 'x-sfml'],\n 'application/x-my-type': ['x-mt', 'x-mtt'],\n // etc ...\n });\n\n mime.lookup('x-sft'); // => 'text/x-some-format'\n\nThe first entry in the extensions array is returned by `mime.extension()`. E.g.\n\n mime.extension('text/x-some-format'); // => 'x-sf'\n\n### mime.load(filepath)\n\nLoad mappings from an Apache \".types\" format file\n\n mime.load('./my_project.types');\n\nThe .types file format is simple - See the `types` dir for examples.\n",
|
||||
"readmeFilename": "README.md",
|
||||
"_id": "mime@1.2.9",
|
||||
"dist": {
|
||||
"shasum": "6f8536a3e7a8f480de324a720ff9f2e6e557b2b6"
|
||||
},
|
||||
"_from": "mime@1.2.x",
|
||||
"_resolved": "https://registry.npmjs.org/mime/-/mime-1.2.9.tgz",
|
||||
"scripts": {}
|
||||
}
|
55
node_modules/less/node_modules/mime/test.js
generated
vendored
Normal file
55
node_modules/less/node_modules/mime/test.js
generated
vendored
Normal file
@ -0,0 +1,55 @@
|
||||
/**
|
||||
* Usage: node test.js
|
||||
*/
|
||||
|
||||
var mime = require('./mime');
|
||||
var assert = require('assert');
|
||||
|
||||
function eq(a, b) {
|
||||
console.log('Test: ' + a + ' === ' + b);
|
||||
assert.strictEqual.apply(null, arguments);
|
||||
}
|
||||
|
||||
console.log(Object.keys(mime.extensions).length + ' types');
|
||||
console.log(Object.keys(mime.types).length + ' extensions\n');
|
||||
|
||||
//
|
||||
// Test mime lookups
|
||||
//
|
||||
|
||||
eq('text/plain', mime.lookup('text.txt'));
|
||||
eq('text/plain', mime.lookup('.text.txt'));
|
||||
eq('text/plain', mime.lookup('.txt'));
|
||||
eq('text/plain', mime.lookup('txt'));
|
||||
eq('application/octet-stream', mime.lookup('text.nope'));
|
||||
eq('fallback', mime.lookup('text.fallback', 'fallback'));
|
||||
eq('application/octet-stream', mime.lookup('constructor'));
|
||||
eq('text/plain', mime.lookup('TEXT.TXT'));
|
||||
eq('text/event-stream', mime.lookup('text/event-stream'));
|
||||
eq('application/x-web-app-manifest+json', mime.lookup('text.webapp'));
|
||||
|
||||
//
|
||||
// Test extensions
|
||||
//
|
||||
|
||||
eq('txt', mime.extension(mime.types.text));
|
||||
eq('html', mime.extension(mime.types.htm));
|
||||
eq('bin', mime.extension('application/octet-stream'));
|
||||
eq(undefined, mime.extension('constructor'));
|
||||
|
||||
//
|
||||
// Test node types
|
||||
//
|
||||
|
||||
eq('application/octet-stream', mime.lookup('file.buffer'));
|
||||
eq('audio/mp4', mime.lookup('file.m4a'));
|
||||
|
||||
//
|
||||
// Test charsets
|
||||
//
|
||||
|
||||
eq('UTF-8', mime.charsets.lookup('text/plain'));
|
||||
eq(undefined, mime.charsets.lookup(mime.types.js));
|
||||
eq('fallback', mime.charsets.lookup('application/octet-stream', 'fallback'));
|
||||
|
||||
console.log('\nOK');
|
1588
node_modules/less/node_modules/mime/types/mime.types
generated
vendored
Normal file
1588
node_modules/less/node_modules/mime/types/mime.types
generated
vendored
Normal file
File diff suppressed because it is too large
Load Diff
60
node_modules/less/node_modules/mime/types/node.types
generated
vendored
Normal file
60
node_modules/less/node_modules/mime/types/node.types
generated
vendored
Normal file
@ -0,0 +1,60 @@
|
||||
# What: WebVTT
|
||||
# Why: To allow formats intended for marking up external text track resources.
|
||||
# http://dev.w3.org/html5/webvtt/
|
||||
# Added by: niftylettuce
|
||||
text/vtt vtt
|
||||
|
||||
# What: Google Chrome Extension
|
||||
# Why: To allow apps to (work) be served with the right content type header.
|
||||
# http://codereview.chromium.org/2830017
|
||||
# Added by: niftylettuce
|
||||
application/x-chrome-extension crx
|
||||
|
||||
# What: HTC support
|
||||
# Why: To properly render .htc files such as CSS3PIE
|
||||
# Added by: niftylettuce
|
||||
text/x-component htc
|
||||
|
||||
# What: HTML5 application cache manifest
|
||||
# Why: De-facto standard. Required by Mozilla browser when serving HTML5 apps
|
||||
# per https://developer.mozilla.org/en/offline_resources_in_firefox
|
||||
# Added by: louisremi
|
||||
text/cache-manifest appcache manifest
|
||||
|
||||
# What: node binary buffer format
|
||||
# Why: semi-standard extension w/in the node community
|
||||
# Added by: tootallnate
|
||||
application/octet-stream buffer
|
||||
|
||||
# What: The "protected" MP-4 formats used by iTunes.
|
||||
# Why: Required for streaming music to browsers (?)
|
||||
# Added by: broofa
|
||||
application/mp4 m4p
|
||||
audio/mp4 m4a
|
||||
|
||||
# What: Video format, Part of RFC1890
|
||||
# Why: See https://github.com/bentomas/node-mime/pull/6
|
||||
# Added by: mjrusso
|
||||
video/MP2T ts
|
||||
|
||||
# What: EventSource mime type
|
||||
# Why: mime type of Server-Sent Events stream
|
||||
# http://www.w3.org/TR/eventsource/#text-event-stream
|
||||
# Added by: francois2metz
|
||||
text/event-stream event-stream
|
||||
|
||||
# What: Mozilla App manifest mime type
|
||||
# Why: https://developer.mozilla.org/en/Apps/Manifest#Serving_manifests
|
||||
# Added by: ednapiranha
|
||||
application/x-web-app-manifest+json webapp
|
||||
|
||||
# What: Lua file types
|
||||
# Why: Googling around shows de-facto consensus on these
|
||||
# Added by: creationix (Issue #45)
|
||||
text/x-lua lua
|
||||
application/x-lua-bytecode luac
|
||||
|
||||
# What: Markdown files, as per http://daringfireball.net/projects/markdown/syntax
|
||||
# Why: http://stackoverflow.com/questions/10701983/what-is-the-mime-type-for-markdown
|
||||
# Added by: avoidwork
|
||||
text/x-markdown markdown md mkd
|
2
node_modules/less/node_modules/mkdirp/.npmignore
generated
vendored
Normal file
2
node_modules/less/node_modules/mkdirp/.npmignore
generated
vendored
Normal file
@ -0,0 +1,2 @@
|
||||
node_modules/
|
||||
npm-debug.log
|
5
node_modules/less/node_modules/mkdirp/.travis.yml
generated
vendored
Normal file
5
node_modules/less/node_modules/mkdirp/.travis.yml
generated
vendored
Normal file
@ -0,0 +1,5 @@
|
||||
language: node_js
|
||||
node_js:
|
||||
- 0.6
|
||||
- 0.8
|
||||
- 0.9
|
21
node_modules/less/node_modules/mkdirp/LICENSE
generated
vendored
Normal file
21
node_modules/less/node_modules/mkdirp/LICENSE
generated
vendored
Normal file
@ -0,0 +1,21 @@
|
||||
Copyright 2010 James Halliday (mail@substack.net)
|
||||
|
||||
This project is free software released under the MIT/X11 license:
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy
|
||||
of this software and associated documentation files (the "Software"), to deal
|
||||
in the Software without restriction, including without limitation the rights
|
||||
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||
copies of the Software, and to permit persons to whom the Software is
|
||||
furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in
|
||||
all copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
||||
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
||||
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
||||
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
||||
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
|
||||
THE SOFTWARE.
|
6
node_modules/less/node_modules/mkdirp/examples/pow.js
generated
vendored
Normal file
6
node_modules/less/node_modules/mkdirp/examples/pow.js
generated
vendored
Normal file
@ -0,0 +1,6 @@
|
||||
var mkdirp = require('mkdirp');
|
||||
|
||||
mkdirp('/tmp/foo/bar/baz', function (err) {
|
||||
if (err) console.error(err)
|
||||
else console.log('pow!')
|
||||
});
|
82
node_modules/less/node_modules/mkdirp/index.js
generated
vendored
Normal file
82
node_modules/less/node_modules/mkdirp/index.js
generated
vendored
Normal file
@ -0,0 +1,82 @@
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
|
||||
module.exports = mkdirP.mkdirp = mkdirP.mkdirP = mkdirP;
|
||||
|
||||
function mkdirP (p, mode, f, made) {
|
||||
if (typeof mode === 'function' || mode === undefined) {
|
||||
f = mode;
|
||||
mode = 0777 & (~process.umask());
|
||||
}
|
||||
if (!made) made = null;
|
||||
|
||||
var cb = f || function () {};
|
||||
if (typeof mode === 'string') mode = parseInt(mode, 8);
|
||||
p = path.resolve(p);
|
||||
|
||||
fs.mkdir(p, mode, function (er) {
|
||||
if (!er) {
|
||||
made = made || p;
|
||||
return cb(null, made);
|
||||
}
|
||||
switch (er.code) {
|
||||
case 'ENOENT':
|
||||
mkdirP(path.dirname(p), mode, function (er, made) {
|
||||
if (er) cb(er, made);
|
||||
else mkdirP(p, mode, cb, made);
|
||||
});
|
||||
break;
|
||||
|
||||
// In the case of any other error, just see if there's a dir
|
||||
// there already. If so, then hooray! If not, then something
|
||||
// is borked.
|
||||
default:
|
||||
fs.stat(p, function (er2, stat) {
|
||||
// if the stat fails, then that's super weird.
|
||||
// let the original error be the failure reason.
|
||||
if (er2 || !stat.isDirectory()) cb(er, made)
|
||||
else cb(null, made);
|
||||
});
|
||||
break;
|
||||
}
|
||||
});
|
||||
}
|
||||
|
||||
mkdirP.sync = function sync (p, mode, made) {
|
||||
if (mode === undefined) {
|
||||
mode = 0777 & (~process.umask());
|
||||
}
|
||||
if (!made) made = null;
|
||||
|
||||
if (typeof mode === 'string') mode = parseInt(mode, 8);
|
||||
p = path.resolve(p);
|
||||
|
||||
try {
|
||||
fs.mkdirSync(p, mode);
|
||||
made = made || p;
|
||||
}
|
||||
catch (err0) {
|
||||
switch (err0.code) {
|
||||
case 'ENOENT' :
|
||||
made = sync(path.dirname(p), mode, made);
|
||||
sync(p, mode, made);
|
||||
break;
|
||||
|
||||
// In the case of any other error, just see if there's a dir
|
||||
// there already. If so, then hooray! If not, then something
|
||||
// is borked.
|
||||
default:
|
||||
var stat;
|
||||
try {
|
||||
stat = fs.statSync(p);
|
||||
}
|
||||
catch (err1) {
|
||||
throw err0;
|
||||
}
|
||||
if (!stat.isDirectory()) throw err0;
|
||||
break;
|
||||
}
|
||||
}
|
||||
|
||||
return made;
|
||||
};
|
34
node_modules/less/node_modules/mkdirp/package.json
generated
vendored
Normal file
34
node_modules/less/node_modules/mkdirp/package.json
generated
vendored
Normal file
@ -0,0 +1,34 @@
|
||||
{
|
||||
"name": "mkdirp",
|
||||
"description": "Recursively mkdir, like `mkdir -p`",
|
||||
"version": "0.3.5",
|
||||
"author": {
|
||||
"name": "James Halliday",
|
||||
"email": "mail@substack.net",
|
||||
"url": "http://substack.net"
|
||||
},
|
||||
"main": "./index",
|
||||
"keywords": [
|
||||
"mkdir",
|
||||
"directory"
|
||||
],
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "http://github.com/substack/node-mkdirp.git"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "tap test/*.js"
|
||||
},
|
||||
"devDependencies": {
|
||||
"tap": "~0.4.0"
|
||||
},
|
||||
"license": "MIT",
|
||||
"readme": "# mkdirp\n\nLike `mkdir -p`, but in node.js!\n\n[](http://travis-ci.org/substack/node-mkdirp)\n\n# example\n\n## pow.js\n\n```js\nvar mkdirp = require('mkdirp');\n \nmkdirp('/tmp/foo/bar/baz', function (err) {\n if (err) console.error(err)\n else console.log('pow!')\n});\n```\n\nOutput\n\n```\npow!\n```\n\nAnd now /tmp/foo/bar/baz exists, huzzah!\n\n# methods\n\n```js\nvar mkdirp = require('mkdirp');\n```\n\n## mkdirp(dir, mode, cb)\n\nCreate a new directory and any necessary subdirectories at `dir` with octal\npermission string `mode`.\n\nIf `mode` isn't specified, it defaults to `0777 & (~process.umask())`.\n\n`cb(err, made)` fires with the error or the first directory `made`\nthat had to be created, if any.\n\n## mkdirp.sync(dir, mode)\n\nSynchronously create a new directory and any necessary subdirectories at `dir`\nwith octal permission string `mode`.\n\nIf `mode` isn't specified, it defaults to `0777 & (~process.umask())`.\n\nReturns the first directory that had to be created, if any.\n\n# install\n\nWith [npm](http://npmjs.org) do:\n\n```\nnpm install mkdirp\n```\n\n# license\n\nMIT\n",
|
||||
"readmeFilename": "readme.markdown",
|
||||
"_id": "mkdirp@0.3.5",
|
||||
"dist": {
|
||||
"shasum": "e1874873d66a4e5111525f997f020d53f8311fdb"
|
||||
},
|
||||
"_from": "mkdirp@~0.3.4",
|
||||
"_resolved": "https://registry.npmjs.org/mkdirp/-/mkdirp-0.3.5.tgz"
|
||||
}
|
63
node_modules/less/node_modules/mkdirp/readme.markdown
generated
vendored
Normal file
63
node_modules/less/node_modules/mkdirp/readme.markdown
generated
vendored
Normal file
@ -0,0 +1,63 @@
|
||||
# mkdirp
|
||||
|
||||
Like `mkdir -p`, but in node.js!
|
||||
|
||||
[](http://travis-ci.org/substack/node-mkdirp)
|
||||
|
||||
# example
|
||||
|
||||
## pow.js
|
||||
|
||||
```js
|
||||
var mkdirp = require('mkdirp');
|
||||
|
||||
mkdirp('/tmp/foo/bar/baz', function (err) {
|
||||
if (err) console.error(err)
|
||||
else console.log('pow!')
|
||||
});
|
||||
```
|
||||
|
||||
Output
|
||||
|
||||
```
|
||||
pow!
|
||||
```
|
||||
|
||||
And now /tmp/foo/bar/baz exists, huzzah!
|
||||
|
||||
# methods
|
||||
|
||||
```js
|
||||
var mkdirp = require('mkdirp');
|
||||
```
|
||||
|
||||
## mkdirp(dir, mode, cb)
|
||||
|
||||
Create a new directory and any necessary subdirectories at `dir` with octal
|
||||
permission string `mode`.
|
||||
|
||||
If `mode` isn't specified, it defaults to `0777 & (~process.umask())`.
|
||||
|
||||
`cb(err, made)` fires with the error or the first directory `made`
|
||||
that had to be created, if any.
|
||||
|
||||
## mkdirp.sync(dir, mode)
|
||||
|
||||
Synchronously create a new directory and any necessary subdirectories at `dir`
|
||||
with octal permission string `mode`.
|
||||
|
||||
If `mode` isn't specified, it defaults to `0777 & (~process.umask())`.
|
||||
|
||||
Returns the first directory that had to be created, if any.
|
||||
|
||||
# install
|
||||
|
||||
With [npm](http://npmjs.org) do:
|
||||
|
||||
```
|
||||
npm install mkdirp
|
||||
```
|
||||
|
||||
# license
|
||||
|
||||
MIT
|
38
node_modules/less/node_modules/mkdirp/test/chmod.js
generated
vendored
Normal file
38
node_modules/less/node_modules/mkdirp/test/chmod.js
generated
vendored
Normal file
@ -0,0 +1,38 @@
|
||||
var mkdirp = require('../').mkdirp;
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
var ps = [ '', 'tmp' ];
|
||||
|
||||
for (var i = 0; i < 25; i++) {
|
||||
var dir = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
ps.push(dir);
|
||||
}
|
||||
|
||||
var file = ps.join('/');
|
||||
|
||||
test('chmod-pre', function (t) {
|
||||
var mode = 0744
|
||||
mkdirp(file, mode, function (er) {
|
||||
t.ifError(er, 'should not error');
|
||||
fs.stat(file, function (er, stat) {
|
||||
t.ifError(er, 'should exist');
|
||||
t.ok(stat && stat.isDirectory(), 'should be directory');
|
||||
t.equal(stat && stat.mode & 0777, mode, 'should be 0744');
|
||||
t.end();
|
||||
});
|
||||
});
|
||||
});
|
||||
|
||||
test('chmod', function (t) {
|
||||
var mode = 0755
|
||||
mkdirp(file, mode, function (er) {
|
||||
t.ifError(er, 'should not error');
|
||||
fs.stat(file, function (er, stat) {
|
||||
t.ifError(er, 'should exist');
|
||||
t.ok(stat && stat.isDirectory(), 'should be directory');
|
||||
t.end();
|
||||
});
|
||||
});
|
||||
});
|
37
node_modules/less/node_modules/mkdirp/test/clobber.js
generated
vendored
Normal file
37
node_modules/less/node_modules/mkdirp/test/clobber.js
generated
vendored
Normal file
@ -0,0 +1,37 @@
|
||||
var mkdirp = require('../').mkdirp;
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
var ps = [ '', 'tmp' ];
|
||||
|
||||
for (var i = 0; i < 25; i++) {
|
||||
var dir = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
ps.push(dir);
|
||||
}
|
||||
|
||||
var file = ps.join('/');
|
||||
|
||||
// a file in the way
|
||||
var itw = ps.slice(0, 3).join('/');
|
||||
|
||||
|
||||
test('clobber-pre', function (t) {
|
||||
console.error("about to write to "+itw)
|
||||
fs.writeFileSync(itw, 'I AM IN THE WAY, THE TRUTH, AND THE LIGHT.');
|
||||
|
||||
fs.stat(itw, function (er, stat) {
|
||||
t.ifError(er)
|
||||
t.ok(stat && stat.isFile(), 'should be file')
|
||||
t.end()
|
||||
})
|
||||
})
|
||||
|
||||
test('clobber', function (t) {
|
||||
t.plan(2);
|
||||
mkdirp(file, 0755, function (err) {
|
||||
t.ok(err);
|
||||
t.equal(err.code, 'ENOTDIR');
|
||||
t.end();
|
||||
});
|
||||
});
|
28
node_modules/less/node_modules/mkdirp/test/mkdirp.js
generated
vendored
Normal file
28
node_modules/less/node_modules/mkdirp/test/mkdirp.js
generated
vendored
Normal file
@ -0,0 +1,28 @@
|
||||
var mkdirp = require('../');
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
test('woo', function (t) {
|
||||
t.plan(2);
|
||||
var x = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var y = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var z = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
|
||||
var file = '/tmp/' + [x,y,z].join('/');
|
||||
|
||||
mkdirp(file, 0755, function (err) {
|
||||
if (err) t.fail(err);
|
||||
else path.exists(file, function (ex) {
|
||||
if (!ex) t.fail('file not created')
|
||||
else fs.stat(file, function (err, stat) {
|
||||
if (err) t.fail(err)
|
||||
else {
|
||||
t.equal(stat.mode & 0777, 0755);
|
||||
t.ok(stat.isDirectory(), 'target not a directory');
|
||||
t.end();
|
||||
}
|
||||
})
|
||||
})
|
||||
});
|
||||
});
|
32
node_modules/less/node_modules/mkdirp/test/perm.js
generated
vendored
Normal file
32
node_modules/less/node_modules/mkdirp/test/perm.js
generated
vendored
Normal file
@ -0,0 +1,32 @@
|
||||
var mkdirp = require('../');
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
test('async perm', function (t) {
|
||||
t.plan(2);
|
||||
var file = '/tmp/' + (Math.random() * (1<<30)).toString(16);
|
||||
|
||||
mkdirp(file, 0755, function (err) {
|
||||
if (err) t.fail(err);
|
||||
else path.exists(file, function (ex) {
|
||||
if (!ex) t.fail('file not created')
|
||||
else fs.stat(file, function (err, stat) {
|
||||
if (err) t.fail(err)
|
||||
else {
|
||||
t.equal(stat.mode & 0777, 0755);
|
||||
t.ok(stat.isDirectory(), 'target not a directory');
|
||||
t.end();
|
||||
}
|
||||
})
|
||||
})
|
||||
});
|
||||
});
|
||||
|
||||
test('async root perm', function (t) {
|
||||
mkdirp('/tmp', 0755, function (err) {
|
||||
if (err) t.fail(err);
|
||||
t.end();
|
||||
});
|
||||
t.end();
|
||||
});
|
39
node_modules/less/node_modules/mkdirp/test/perm_sync.js
generated
vendored
Normal file
39
node_modules/less/node_modules/mkdirp/test/perm_sync.js
generated
vendored
Normal file
@ -0,0 +1,39 @@
|
||||
var mkdirp = require('../');
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
test('sync perm', function (t) {
|
||||
t.plan(2);
|
||||
var file = '/tmp/' + (Math.random() * (1<<30)).toString(16) + '.json';
|
||||
|
||||
mkdirp.sync(file, 0755);
|
||||
path.exists(file, function (ex) {
|
||||
if (!ex) t.fail('file not created')
|
||||
else fs.stat(file, function (err, stat) {
|
||||
if (err) t.fail(err)
|
||||
else {
|
||||
t.equal(stat.mode & 0777, 0755);
|
||||
t.ok(stat.isDirectory(), 'target not a directory');
|
||||
t.end();
|
||||
}
|
||||
})
|
||||
});
|
||||
});
|
||||
|
||||
test('sync root perm', function (t) {
|
||||
t.plan(1);
|
||||
|
||||
var file = '/tmp';
|
||||
mkdirp.sync(file, 0755);
|
||||
path.exists(file, function (ex) {
|
||||
if (!ex) t.fail('file not created')
|
||||
else fs.stat(file, function (err, stat) {
|
||||
if (err) t.fail(err)
|
||||
else {
|
||||
t.ok(stat.isDirectory(), 'target not a directory');
|
||||
t.end();
|
||||
}
|
||||
})
|
||||
});
|
||||
});
|
41
node_modules/less/node_modules/mkdirp/test/race.js
generated
vendored
Normal file
41
node_modules/less/node_modules/mkdirp/test/race.js
generated
vendored
Normal file
@ -0,0 +1,41 @@
|
||||
var mkdirp = require('../').mkdirp;
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
test('race', function (t) {
|
||||
t.plan(4);
|
||||
var ps = [ '', 'tmp' ];
|
||||
|
||||
for (var i = 0; i < 25; i++) {
|
||||
var dir = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
ps.push(dir);
|
||||
}
|
||||
var file = ps.join('/');
|
||||
|
||||
var res = 2;
|
||||
mk(file, function () {
|
||||
if (--res === 0) t.end();
|
||||
});
|
||||
|
||||
mk(file, function () {
|
||||
if (--res === 0) t.end();
|
||||
});
|
||||
|
||||
function mk (file, cb) {
|
||||
mkdirp(file, 0755, function (err) {
|
||||
if (err) t.fail(err);
|
||||
else path.exists(file, function (ex) {
|
||||
if (!ex) t.fail('file not created')
|
||||
else fs.stat(file, function (err, stat) {
|
||||
if (err) t.fail(err)
|
||||
else {
|
||||
t.equal(stat.mode & 0777, 0755);
|
||||
t.ok(stat.isDirectory(), 'target not a directory');
|
||||
if (cb) cb();
|
||||
}
|
||||
})
|
||||
})
|
||||
});
|
||||
}
|
||||
});
|
32
node_modules/less/node_modules/mkdirp/test/rel.js
generated
vendored
Normal file
32
node_modules/less/node_modules/mkdirp/test/rel.js
generated
vendored
Normal file
@ -0,0 +1,32 @@
|
||||
var mkdirp = require('../');
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
test('rel', function (t) {
|
||||
t.plan(2);
|
||||
var x = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var y = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var z = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
|
||||
var cwd = process.cwd();
|
||||
process.chdir('/tmp');
|
||||
|
||||
var file = [x,y,z].join('/');
|
||||
|
||||
mkdirp(file, 0755, function (err) {
|
||||
if (err) t.fail(err);
|
||||
else path.exists(file, function (ex) {
|
||||
if (!ex) t.fail('file not created')
|
||||
else fs.stat(file, function (err, stat) {
|
||||
if (err) t.fail(err)
|
||||
else {
|
||||
process.chdir(cwd);
|
||||
t.equal(stat.mode & 0777, 0755);
|
||||
t.ok(stat.isDirectory(), 'target not a directory');
|
||||
t.end();
|
||||
}
|
||||
})
|
||||
})
|
||||
});
|
||||
});
|
25
node_modules/less/node_modules/mkdirp/test/return.js
generated
vendored
Normal file
25
node_modules/less/node_modules/mkdirp/test/return.js
generated
vendored
Normal file
@ -0,0 +1,25 @@
|
||||
var mkdirp = require('../');
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
test('return value', function (t) {
|
||||
t.plan(4);
|
||||
var x = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var y = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var z = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
|
||||
var file = '/tmp/' + [x,y,z].join('/');
|
||||
|
||||
// should return the first dir created.
|
||||
// By this point, it would be profoundly surprising if /tmp didn't
|
||||
// already exist, since every other test makes things in there.
|
||||
mkdirp(file, function (err, made) {
|
||||
t.ifError(err);
|
||||
t.equal(made, '/tmp/' + x);
|
||||
mkdirp(file, function (err, made) {
|
||||
t.ifError(err);
|
||||
t.equal(made, null);
|
||||
});
|
||||
});
|
||||
});
|
24
node_modules/less/node_modules/mkdirp/test/return_sync.js
generated
vendored
Normal file
24
node_modules/less/node_modules/mkdirp/test/return_sync.js
generated
vendored
Normal file
@ -0,0 +1,24 @@
|
||||
var mkdirp = require('../');
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
test('return value', function (t) {
|
||||
t.plan(2);
|
||||
var x = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var y = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var z = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
|
||||
var file = '/tmp/' + [x,y,z].join('/');
|
||||
|
||||
// should return the first dir created.
|
||||
// By this point, it would be profoundly surprising if /tmp didn't
|
||||
// already exist, since every other test makes things in there.
|
||||
// Note that this will throw on failure, which will fail the test.
|
||||
var made = mkdirp.sync(file);
|
||||
t.equal(made, '/tmp/' + x);
|
||||
|
||||
// making the same file again should have no effect.
|
||||
made = mkdirp.sync(file);
|
||||
t.equal(made, null);
|
||||
});
|
18
node_modules/less/node_modules/mkdirp/test/root.js
generated
vendored
Normal file
18
node_modules/less/node_modules/mkdirp/test/root.js
generated
vendored
Normal file
@ -0,0 +1,18 @@
|
||||
var mkdirp = require('../');
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
test('root', function (t) {
|
||||
// '/' on unix, 'c:/' on windows.
|
||||
var file = path.resolve('/');
|
||||
|
||||
mkdirp(file, 0755, function (err) {
|
||||
if (err) throw err
|
||||
fs.stat(file, function (er, stat) {
|
||||
if (er) throw er
|
||||
t.ok(stat.isDirectory(), 'target is a directory');
|
||||
t.end();
|
||||
})
|
||||
});
|
||||
});
|
32
node_modules/less/node_modules/mkdirp/test/sync.js
generated
vendored
Normal file
32
node_modules/less/node_modules/mkdirp/test/sync.js
generated
vendored
Normal file
@ -0,0 +1,32 @@
|
||||
var mkdirp = require('../');
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
test('sync', function (t) {
|
||||
t.plan(2);
|
||||
var x = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var y = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var z = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
|
||||
var file = '/tmp/' + [x,y,z].join('/');
|
||||
|
||||
try {
|
||||
mkdirp.sync(file, 0755);
|
||||
} catch (err) {
|
||||
t.fail(err);
|
||||
return t.end();
|
||||
}
|
||||
|
||||
path.exists(file, function (ex) {
|
||||
if (!ex) t.fail('file not created')
|
||||
else fs.stat(file, function (err, stat) {
|
||||
if (err) t.fail(err)
|
||||
else {
|
||||
t.equal(stat.mode & 0777, 0755);
|
||||
t.ok(stat.isDirectory(), 'target not a directory');
|
||||
t.end();
|
||||
}
|
||||
});
|
||||
});
|
||||
});
|
28
node_modules/less/node_modules/mkdirp/test/umask.js
generated
vendored
Normal file
28
node_modules/less/node_modules/mkdirp/test/umask.js
generated
vendored
Normal file
@ -0,0 +1,28 @@
|
||||
var mkdirp = require('../');
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
test('implicit mode from umask', function (t) {
|
||||
t.plan(2);
|
||||
var x = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var y = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var z = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
|
||||
var file = '/tmp/' + [x,y,z].join('/');
|
||||
|
||||
mkdirp(file, function (err) {
|
||||
if (err) t.fail(err);
|
||||
else path.exists(file, function (ex) {
|
||||
if (!ex) t.fail('file not created')
|
||||
else fs.stat(file, function (err, stat) {
|
||||
if (err) t.fail(err)
|
||||
else {
|
||||
t.equal(stat.mode & 0777, 0777 & (~process.umask()));
|
||||
t.ok(stat.isDirectory(), 'target not a directory');
|
||||
t.end();
|
||||
}
|
||||
})
|
||||
})
|
||||
});
|
||||
});
|
32
node_modules/less/node_modules/mkdirp/test/umask_sync.js
generated
vendored
Normal file
32
node_modules/less/node_modules/mkdirp/test/umask_sync.js
generated
vendored
Normal file
@ -0,0 +1,32 @@
|
||||
var mkdirp = require('../');
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var test = require('tap').test;
|
||||
|
||||
test('umask sync modes', function (t) {
|
||||
t.plan(2);
|
||||
var x = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var y = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
var z = Math.floor(Math.random() * Math.pow(16,4)).toString(16);
|
||||
|
||||
var file = '/tmp/' + [x,y,z].join('/');
|
||||
|
||||
try {
|
||||
mkdirp.sync(file);
|
||||
} catch (err) {
|
||||
t.fail(err);
|
||||
return t.end();
|
||||
}
|
||||
|
||||
path.exists(file, function (ex) {
|
||||
if (!ex) t.fail('file not created')
|
||||
else fs.stat(file, function (err, stat) {
|
||||
if (err) t.fail(err)
|
||||
else {
|
||||
t.equal(stat.mode & 0777, (0777 & (~process.umask())));
|
||||
t.ok(stat.isDirectory(), 'target not a directory');
|
||||
t.end();
|
||||
}
|
||||
});
|
||||
});
|
||||
});
|
55
node_modules/less/node_modules/request/LICENSE
generated
vendored
Normal file
55
node_modules/less/node_modules/request/LICENSE
generated
vendored
Normal file
@ -0,0 +1,55 @@
|
||||
Apache License
|
||||
|
||||
Version 2.0, January 2004
|
||||
|
||||
http://www.apache.org/licenses/
|
||||
|
||||
TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
|
||||
|
||||
1. Definitions.
|
||||
|
||||
"License" shall mean the terms and conditions for use, reproduction, and distribution as defined by Sections 1 through 9 of this document.
|
||||
|
||||
"Licensor" shall mean the copyright owner or entity authorized by the copyright owner that is granting the License.
|
||||
|
||||
"Legal Entity" shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity. For the purposes of this definition, "control" means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity.
|
||||
|
||||
"You" (or "Your") shall mean an individual or Legal Entity exercising permissions granted by this License.
|
||||
|
||||
"Source" form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files.
|
||||
|
||||
"Object" form shall mean any form resulting from mechanical transformation or translation of a Source form, including but not limited to compiled object code, generated documentation, and conversions to other media types.
|
||||
|
||||
"Work" shall mean the work of authorship, whether in Source or Object form, made available under the License, as indicated by a copyright notice that is included in or attached to the work (an example is provided in the Appendix below).
|
||||
|
||||
"Derivative Works" shall mean any work, whether in Source or Object form, that is based on (or derived from) the Work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship. For the purposes of this License, Derivative Works shall not include works that remain separable from, or merely link (or bind by name) to the interfaces of, the Work and Derivative Works thereof.
|
||||
|
||||
"Contribution" shall mean any work of authorship, including the original version of the Work and any modifications or additions to that Work or Derivative Works thereof, that is intentionally submitted to Licensor for inclusion in the Work by the copyright owner or by an individual or Legal Entity authorized to submit on behalf of the copyright owner. For the purposes of this definition, "submitted" means any form of electronic, verbal, or written communication sent to the Licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the Licensor for the purpose of discussing and improving the Work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as "Not a Contribution."
|
||||
|
||||
"Contributor" shall mean Licensor and any individual or Legal Entity on behalf of whom a Contribution has been received by Licensor and subsequently incorporated within the Work.
|
||||
|
||||
2. Grant of Copyright License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare Derivative Works of, publicly display, publicly perform, sublicense, and distribute the Work and such Derivative Works in Source or Object form.
|
||||
|
||||
3. Grant of Patent License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable (except as stated in this section) patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the Work, where such license applies only to those patent claims licensable by such Contributor that are necessarily infringed by their Contribution(s) alone or by combination of their Contribution(s) with the Work to which such Contribution(s) was submitted. If You institute patent litigation against any entity (including a cross-claim or counterclaim in a lawsuit) alleging that the Work or a Contribution incorporated within the Work constitutes direct or contributory patent infringement, then any patent licenses granted to You under this License for that Work shall terminate as of the date such litigation is filed.
|
||||
|
||||
4. Redistribution. You may reproduce and distribute copies of the Work or Derivative Works thereof in any medium, with or without modifications, and in Source or Object form, provided that You meet the following conditions:
|
||||
|
||||
You must give any other recipients of the Work or Derivative Works a copy of this License; and
|
||||
|
||||
You must cause any modified files to carry prominent notices stating that You changed the files; and
|
||||
|
||||
You must retain, in the Source form of any Derivative Works that You distribute, all copyright, patent, trademark, and attribution notices from the Source form of the Work, excluding those notices that do not pertain to any part of the Derivative Works; and
|
||||
|
||||
If the Work includes a "NOTICE" text file as part of its distribution, then any Derivative Works that You distribute must include a readable copy of the attribution notices contained within such NOTICE file, excluding those notices that do not pertain to any part of the Derivative Works, in at least one of the following places: within a NOTICE text file distributed as part of the Derivative Works; within the Source form or documentation, if provided along with the Derivative Works; or, within a display generated by the Derivative Works, if and wherever such third-party notices normally appear. The contents of the NOTICE file are for informational purposes only and do not modify the License. You may add Your own attribution notices within Derivative Works that You distribute, alongside or as an addendum to the NOTICE text from the Work, provided that such additional attribution notices cannot be construed as modifying the License. You may add Your own copyright statement to Your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of Your modifications, or for any such Derivative Works as a whole, provided Your use, reproduction, and distribution of the Work otherwise complies with the conditions stated in this License.
|
||||
|
||||
5. Submission of Contributions. Unless You explicitly state otherwise, any Contribution intentionally submitted for inclusion in the Work by You to the Licensor shall be under the terms and conditions of this License, without any additional terms or conditions. Notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with Licensor regarding such Contributions.
|
||||
|
||||
6. Trademarks. This License does not grant permission to use the trade names, trademarks, service marks, or product names of the Licensor, except as required for reasonable and customary use in describing the origin of the Work and reproducing the content of the NOTICE file.
|
||||
|
||||
7. Disclaimer of Warranty. Unless required by applicable law or agreed to in writing, Licensor provides the Work (and each Contributor provides its Contributions) on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, including, without limitation, any warranties or conditions of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are solely responsible for determining the appropriateness of using or redistributing the Work and assume any risks associated with Your exercise of permissions under this License.
|
||||
|
||||
8. Limitation of Liability. In no event and under no legal theory, whether in tort (including negligence), contract, or otherwise, unless required by applicable law (such as deliberate and grossly negligent acts) or agreed to in writing, shall any Contributor be liable to You for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this License or out of the use or inability to use the Work (including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses), even if such Contributor has been advised of the possibility of such damages.
|
||||
|
||||
9. Accepting Warranty or Additional Liability. While redistributing the Work or Derivative Works thereof, You may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this License. However, in accepting such obligations, You may act only on Your own behalf and on Your sole responsibility, not on behalf of any other Contributor, and only if You agree to indemnify, defend, and hold each Contributor harmless for any liability incurred by, or claims asserted against, such Contributor by reason of your accepting any such warranty or additional liability.
|
||||
|
||||
END OF TERMS AND CONDITIONS
|
344
node_modules/less/node_modules/request/README.md
generated
vendored
Normal file
344
node_modules/less/node_modules/request/README.md
generated
vendored
Normal file
@ -0,0 +1,344 @@
|
||||
# Request -- Simplified HTTP request method
|
||||
|
||||
## Install
|
||||
|
||||
<pre>
|
||||
npm install request
|
||||
</pre>
|
||||
|
||||
Or from source:
|
||||
|
||||
<pre>
|
||||
git clone git://github.com/mikeal/request.git
|
||||
cd request
|
||||
npm link
|
||||
</pre>
|
||||
|
||||
## Super simple to use
|
||||
|
||||
Request is designed to be the simplest way possible to make http calls. It supports HTTPS and follows redirects by default.
|
||||
|
||||
```javascript
|
||||
var request = require('request');
|
||||
request('http://www.google.com', function (error, response, body) {
|
||||
if (!error && response.statusCode == 200) {
|
||||
console.log(body) // Print the google web page.
|
||||
}
|
||||
})
|
||||
```
|
||||
|
||||
## Streaming
|
||||
|
||||
You can stream any response to a file stream.
|
||||
|
||||
```javascript
|
||||
request('http://google.com/doodle.png').pipe(fs.createWriteStream('doodle.png'))
|
||||
```
|
||||
|
||||
You can also stream a file to a PUT or POST request. This method will also check the file extension against a mapping of file extensions to content-types, in this case `application/json`, and use the proper content-type in the PUT request if one is not already provided in the headers.
|
||||
|
||||
```javascript
|
||||
fs.createReadStream('file.json').pipe(request.put('http://mysite.com/obj.json'))
|
||||
```
|
||||
|
||||
Request can also pipe to itself. When doing so the content-type and content-length will be preserved in the PUT headers.
|
||||
|
||||
```javascript
|
||||
request.get('http://google.com/img.png').pipe(request.put('http://mysite.com/img.png'))
|
||||
```
|
||||
|
||||
Now let's get fancy.
|
||||
|
||||
```javascript
|
||||
http.createServer(function (req, resp) {
|
||||
if (req.url === '/doodle.png') {
|
||||
if (req.method === 'PUT') {
|
||||
req.pipe(request.put('http://mysite.com/doodle.png'))
|
||||
} else if (req.method === 'GET' || req.method === 'HEAD') {
|
||||
request.get('http://mysite.com/doodle.png').pipe(resp)
|
||||
}
|
||||
}
|
||||
})
|
||||
```
|
||||
|
||||
You can also pipe() from a http.ServerRequest instance and to a http.ServerResponse instance. The HTTP method and headers will be sent as well as the entity-body data. Which means that, if you don't really care about security, you can do:
|
||||
|
||||
```javascript
|
||||
http.createServer(function (req, resp) {
|
||||
if (req.url === '/doodle.png') {
|
||||
var x = request('http://mysite.com/doodle.png')
|
||||
req.pipe(x)
|
||||
x.pipe(resp)
|
||||
}
|
||||
})
|
||||
```
|
||||
|
||||
And since pipe() returns the destination stream in node 0.5.x you can do one line proxying :)
|
||||
|
||||
```javascript
|
||||
req.pipe(request('http://mysite.com/doodle.png')).pipe(resp)
|
||||
```
|
||||
|
||||
Also, none of this new functionality conflicts with requests previous features, it just expands them.
|
||||
|
||||
```javascript
|
||||
var r = request.defaults({'proxy':'http://localproxy.com'})
|
||||
|
||||
http.createServer(function (req, resp) {
|
||||
if (req.url === '/doodle.png') {
|
||||
r.get('http://google.com/doodle.png').pipe(resp)
|
||||
}
|
||||
})
|
||||
```
|
||||
You can still use intermediate proxies, the requests will still follow HTTP forwards, etc.
|
||||
|
||||
## Forms
|
||||
|
||||
`request` supports `application/x-www-form-urlencoded` and `multipart/form-data` form uploads. For `multipart/related` refer to the `multipart` API.
|
||||
|
||||
Url encoded forms are simple
|
||||
|
||||
```javascript
|
||||
request.post('http://service.com/upload', {form:{key:'value'}})
|
||||
// or
|
||||
request.post('http://service.com/upload').form({key:'value'})
|
||||
```
|
||||
|
||||
For `multipart/form-data` we use the [form-data](https://github.com/felixge/node-form-data) library by [@felixge](https://github.com/felixge). You don't need to worry about piping the form object or setting the headers, `request` will handle that for you.
|
||||
|
||||
```javascript
|
||||
var r = request.post('http://service.com/upload')
|
||||
var form = r.form()
|
||||
form.append('my_field', 'my_value')
|
||||
form.append('my_buffer', new Buffer([1, 2, 3]))
|
||||
form.append('my_file', fs.createReadStream(path.join(__dirname, 'doodle.png'))
|
||||
form.append('remote_file', request('http://google.com/doodle.png'))
|
||||
```
|
||||
|
||||
## HTTP Authentication
|
||||
|
||||
```javascript
|
||||
request.get('http://some.server.com/').auth('username', 'password', false);
|
||||
// or
|
||||
request.get('http://some.server.com/', {
|
||||
'auth': {
|
||||
'user': 'username',
|
||||
'pass': 'password',
|
||||
'sendImmediately': false
|
||||
}
|
||||
});
|
||||
```
|
||||
|
||||
If passed as an option, `auth` should be a hash containing values `user` || `username`, `password` || `pass`, and `sendImmediately` (optional). The method form takes parameters `auth(username, password, sendImmediately)`.
|
||||
|
||||
`sendImmediately` defaults to true, which will cause a basic authentication header to be sent. If `sendImmediately` is `false`, then `request` will retry with a proper authentication header after receiving a 401 response from the server (which must contain a `WWW-Authenticate` header indicating the required authentication method).
|
||||
|
||||
Digest authentication is supported, but it only works with `sendImmediately` set to `false` (otherwise `request` will send basic authentication on the initial request, which will probably cause the request to fail).
|
||||
|
||||
## OAuth Signing
|
||||
|
||||
```javascript
|
||||
// Twitter OAuth
|
||||
var qs = require('querystring')
|
||||
, oauth =
|
||||
{ callback: 'http://mysite.com/callback/'
|
||||
, consumer_key: CONSUMER_KEY
|
||||
, consumer_secret: CONSUMER_SECRET
|
||||
}
|
||||
, url = 'https://api.twitter.com/oauth/request_token'
|
||||
;
|
||||
request.post({url:url, oauth:oauth}, function (e, r, body) {
|
||||
// Ideally, you would take the body in the response
|
||||
// and construct a URL that a user clicks on (like a sign in button).
|
||||
// The verifier is only available in the response after a user has
|
||||
// verified with twitter that they are authorizing your app.
|
||||
var access_token = qs.parse(body)
|
||||
, oauth =
|
||||
{ consumer_key: CONSUMER_KEY
|
||||
, consumer_secret: CONSUMER_SECRET
|
||||
, token: access_token.oauth_token
|
||||
, verifier: access_token.oauth_verifier
|
||||
}
|
||||
, url = 'https://api.twitter.com/oauth/access_token'
|
||||
;
|
||||
request.post({url:url, oauth:oauth}, function (e, r, body) {
|
||||
var perm_token = qs.parse(body)
|
||||
, oauth =
|
||||
{ consumer_key: CONSUMER_KEY
|
||||
, consumer_secret: CONSUMER_SECRET
|
||||
, token: perm_token.oauth_token
|
||||
, token_secret: perm_token.oauth_token_secret
|
||||
}
|
||||
, url = 'https://api.twitter.com/1/users/show.json?'
|
||||
, params =
|
||||
{ screen_name: perm_token.screen_name
|
||||
, user_id: perm_token.user_id
|
||||
}
|
||||
;
|
||||
url += qs.stringify(params)
|
||||
request.get({url:url, oauth:oauth, json:true}, function (e, r, user) {
|
||||
console.log(user)
|
||||
})
|
||||
})
|
||||
})
|
||||
```
|
||||
|
||||
|
||||
|
||||
### request(options, callback)
|
||||
|
||||
The first argument can be either a url or an options object. The only required option is uri, all others are optional.
|
||||
|
||||
* `uri` || `url` - fully qualified uri or a parsed url object from url.parse()
|
||||
* `qs` - object containing querystring values to be appended to the uri
|
||||
* `method` - http method, defaults to GET
|
||||
* `headers` - http headers, defaults to {}
|
||||
* `body` - entity body for PATCH, POST and PUT requests. Must be buffer or string.
|
||||
* `form` - when passed an object this will set `body` but to a querystring representation of value and adds `Content-type: application/x-www-form-urlencoded; charset=utf-8` header. When passed no option a FormData instance is returned that will be piped to request.
|
||||
* `auth` - A hash containing values `user` || `username`, `password` || `pass`, and `sendImmediately` (optional). See documentation above.
|
||||
* `json` - sets `body` but to JSON representation of value and adds `Content-type: application/json` header. Additionally, parses the response body as json.
|
||||
* `multipart` - (experimental) array of objects which contains their own headers and `body` attribute. Sends `multipart/related` request. See example below.
|
||||
* `followRedirect` - follow HTTP 3xx responses as redirects. defaults to true.
|
||||
* `followAllRedirects` - follow non-GET HTTP 3xx responses as redirects. defaults to false.
|
||||
* `maxRedirects` - the maximum number of redirects to follow, defaults to 10.
|
||||
* `encoding` - Encoding to be used on `setEncoding` of response data. If set to `null`, the body is returned as a Buffer.
|
||||
* `pool` - A hash object containing the agents for these requests. If omitted this request will use the global pool which is set to node's default maxSockets.
|
||||
* `pool.maxSockets` - Integer containing the maximum amount of sockets in the pool.
|
||||
* `timeout` - Integer containing the number of milliseconds to wait for a request to respond before aborting the request
|
||||
* `proxy` - An HTTP proxy to be used. Support proxy Auth with Basic Auth the same way it's supported with the `url` parameter by embedding the auth info in the uri.
|
||||
* `oauth` - Options for OAuth HMAC-SHA1 signing, see documentation above.
|
||||
* `hawk` - Options for [Hawk signing](https://github.com/hueniverse/hawk). The `credentials` key must contain the necessary signing info, [see hawk docs for details](https://github.com/hueniverse/hawk#usage-example).
|
||||
* `strictSSL` - Set to `true` to require that SSL certificates be valid. Note: to use your own certificate authority, you need to specify an agent that was created with that ca as an option.
|
||||
* `jar` - Set to `false` if you don't want cookies to be remembered for future use or define your custom cookie jar (see examples section)
|
||||
* `aws` - object containing aws signing information, should have the properties `key` and `secret` as well as `bucket` unless you're specifying your bucket as part of the path, or you are making a request that doesn't use a bucket (i.e. GET Services)
|
||||
* `httpSignature` - Options for the [HTTP Signature Scheme](https://github.com/joyent/node-http-signature/blob/master/http_signing.md) using [Joyent's library](https://github.com/joyent/node-http-signature). The `keyId` and `key` properties must be specified. See the docs for other options.
|
||||
* `localAddress` - Local interface to bind for network connections.
|
||||
|
||||
|
||||
The callback argument gets 3 arguments. The first is an error when applicable (usually from the http.Client option not the http.ClientRequest object). The second in an http.ClientResponse object. The third is the response body String or Buffer.
|
||||
|
||||
## Convenience methods
|
||||
|
||||
There are also shorthand methods for different HTTP METHODs and some other conveniences.
|
||||
|
||||
### request.defaults(options)
|
||||
|
||||
This method returns a wrapper around the normal request API that defaults to whatever options you pass in to it.
|
||||
|
||||
### request.put
|
||||
|
||||
Same as request() but defaults to `method: "PUT"`.
|
||||
|
||||
```javascript
|
||||
request.put(url)
|
||||
```
|
||||
|
||||
### request.patch
|
||||
|
||||
Same as request() but defaults to `method: "PATCH"`.
|
||||
|
||||
```javascript
|
||||
request.patch(url)
|
||||
```
|
||||
|
||||
### request.post
|
||||
|
||||
Same as request() but defaults to `method: "POST"`.
|
||||
|
||||
```javascript
|
||||
request.post(url)
|
||||
```
|
||||
|
||||
### request.head
|
||||
|
||||
Same as request() but defaults to `method: "HEAD"`.
|
||||
|
||||
```javascript
|
||||
request.head(url)
|
||||
```
|
||||
|
||||
### request.del
|
||||
|
||||
Same as request() but defaults to `method: "DELETE"`.
|
||||
|
||||
```javascript
|
||||
request.del(url)
|
||||
```
|
||||
|
||||
### request.get
|
||||
|
||||
Alias to normal request method for uniformity.
|
||||
|
||||
```javascript
|
||||
request.get(url)
|
||||
```
|
||||
### request.cookie
|
||||
|
||||
Function that creates a new cookie.
|
||||
|
||||
```javascript
|
||||
request.cookie('cookie_string_here')
|
||||
```
|
||||
### request.jar
|
||||
|
||||
Function that creates a new cookie jar.
|
||||
|
||||
```javascript
|
||||
request.jar()
|
||||
```
|
||||
|
||||
|
||||
## Examples:
|
||||
|
||||
```javascript
|
||||
var request = require('request')
|
||||
, rand = Math.floor(Math.random()*100000000).toString()
|
||||
;
|
||||
request(
|
||||
{ method: 'PUT'
|
||||
, uri: 'http://mikeal.iriscouch.com/testjs/' + rand
|
||||
, multipart:
|
||||
[ { 'content-type': 'application/json'
|
||||
, body: JSON.stringify({foo: 'bar', _attachments: {'message.txt': {follows: true, length: 18, 'content_type': 'text/plain' }}})
|
||||
}
|
||||
, { body: 'I am an attachment' }
|
||||
]
|
||||
}
|
||||
, function (error, response, body) {
|
||||
if(response.statusCode == 201){
|
||||
console.log('document saved as: http://mikeal.iriscouch.com/testjs/'+ rand)
|
||||
} else {
|
||||
console.log('error: '+ response.statusCode)
|
||||
console.log(body)
|
||||
}
|
||||
}
|
||||
)
|
||||
```
|
||||
Cookies are enabled by default (so they can be used in subsequent requests). To disable cookies set jar to false (either in defaults or in the options sent).
|
||||
|
||||
```javascript
|
||||
var request = request.defaults({jar: false})
|
||||
request('http://www.google.com', function () {
|
||||
request('http://images.google.com')
|
||||
})
|
||||
```
|
||||
|
||||
If you to use a custom cookie jar (instead of letting request use its own global cookie jar) you do so by setting the jar default or by specifying it as an option:
|
||||
|
||||
```javascript
|
||||
var j = request.jar()
|
||||
var request = request.defaults({jar:j})
|
||||
request('http://www.google.com', function () {
|
||||
request('http://images.google.com')
|
||||
})
|
||||
```
|
||||
OR
|
||||
|
||||
```javascript
|
||||
var j = request.jar()
|
||||
var cookie = request.cookie('your_cookie_here')
|
||||
j.add(cookie)
|
||||
request({url: 'http://www.google.com', jar: j}, function () {
|
||||
request('http://images.google.com')
|
||||
})
|
||||
```
|
1377
node_modules/less/node_modules/request/index.js
generated
vendored
Executable file
1377
node_modules/less/node_modules/request/index.js
generated
vendored
Executable file
File diff suppressed because it is too large
Load Diff
55
node_modules/less/node_modules/request/node_modules/aws-sign/LICENSE
generated
vendored
Normal file
55
node_modules/less/node_modules/request/node_modules/aws-sign/LICENSE
generated
vendored
Normal file
@ -0,0 +1,55 @@
|
||||
Apache License
|
||||
|
||||
Version 2.0, January 2004
|
||||
|
||||
http://www.apache.org/licenses/
|
||||
|
||||
TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
|
||||
|
||||
1. Definitions.
|
||||
|
||||
"License" shall mean the terms and conditions for use, reproduction, and distribution as defined by Sections 1 through 9 of this document.
|
||||
|
||||
"Licensor" shall mean the copyright owner or entity authorized by the copyright owner that is granting the License.
|
||||
|
||||
"Legal Entity" shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity. For the purposes of this definition, "control" means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity.
|
||||
|
||||
"You" (or "Your") shall mean an individual or Legal Entity exercising permissions granted by this License.
|
||||
|
||||
"Source" form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files.
|
||||
|
||||
"Object" form shall mean any form resulting from mechanical transformation or translation of a Source form, including but not limited to compiled object code, generated documentation, and conversions to other media types.
|
||||
|
||||
"Work" shall mean the work of authorship, whether in Source or Object form, made available under the License, as indicated by a copyright notice that is included in or attached to the work (an example is provided in the Appendix below).
|
||||
|
||||
"Derivative Works" shall mean any work, whether in Source or Object form, that is based on (or derived from) the Work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship. For the purposes of this License, Derivative Works shall not include works that remain separable from, or merely link (or bind by name) to the interfaces of, the Work and Derivative Works thereof.
|
||||
|
||||
"Contribution" shall mean any work of authorship, including the original version of the Work and any modifications or additions to that Work or Derivative Works thereof, that is intentionally submitted to Licensor for inclusion in the Work by the copyright owner or by an individual or Legal Entity authorized to submit on behalf of the copyright owner. For the purposes of this definition, "submitted" means any form of electronic, verbal, or written communication sent to the Licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the Licensor for the purpose of discussing and improving the Work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as "Not a Contribution."
|
||||
|
||||
"Contributor" shall mean Licensor and any individual or Legal Entity on behalf of whom a Contribution has been received by Licensor and subsequently incorporated within the Work.
|
||||
|
||||
2. Grant of Copyright License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare Derivative Works of, publicly display, publicly perform, sublicense, and distribute the Work and such Derivative Works in Source or Object form.
|
||||
|
||||
3. Grant of Patent License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable (except as stated in this section) patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the Work, where such license applies only to those patent claims licensable by such Contributor that are necessarily infringed by their Contribution(s) alone or by combination of their Contribution(s) with the Work to which such Contribution(s) was submitted. If You institute patent litigation against any entity (including a cross-claim or counterclaim in a lawsuit) alleging that the Work or a Contribution incorporated within the Work constitutes direct or contributory patent infringement, then any patent licenses granted to You under this License for that Work shall terminate as of the date such litigation is filed.
|
||||
|
||||
4. Redistribution. You may reproduce and distribute copies of the Work or Derivative Works thereof in any medium, with or without modifications, and in Source or Object form, provided that You meet the following conditions:
|
||||
|
||||
You must give any other recipients of the Work or Derivative Works a copy of this License; and
|
||||
|
||||
You must cause any modified files to carry prominent notices stating that You changed the files; and
|
||||
|
||||
You must retain, in the Source form of any Derivative Works that You distribute, all copyright, patent, trademark, and attribution notices from the Source form of the Work, excluding those notices that do not pertain to any part of the Derivative Works; and
|
||||
|
||||
If the Work includes a "NOTICE" text file as part of its distribution, then any Derivative Works that You distribute must include a readable copy of the attribution notices contained within such NOTICE file, excluding those notices that do not pertain to any part of the Derivative Works, in at least one of the following places: within a NOTICE text file distributed as part of the Derivative Works; within the Source form or documentation, if provided along with the Derivative Works; or, within a display generated by the Derivative Works, if and wherever such third-party notices normally appear. The contents of the NOTICE file are for informational purposes only and do not modify the License. You may add Your own attribution notices within Derivative Works that You distribute, alongside or as an addendum to the NOTICE text from the Work, provided that such additional attribution notices cannot be construed as modifying the License. You may add Your own copyright statement to Your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of Your modifications, or for any such Derivative Works as a whole, provided Your use, reproduction, and distribution of the Work otherwise complies with the conditions stated in this License.
|
||||
|
||||
5. Submission of Contributions. Unless You explicitly state otherwise, any Contribution intentionally submitted for inclusion in the Work by You to the Licensor shall be under the terms and conditions of this License, without any additional terms or conditions. Notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with Licensor regarding such Contributions.
|
||||
|
||||
6. Trademarks. This License does not grant permission to use the trade names, trademarks, service marks, or product names of the Licensor, except as required for reasonable and customary use in describing the origin of the Work and reproducing the content of the NOTICE file.
|
||||
|
||||
7. Disclaimer of Warranty. Unless required by applicable law or agreed to in writing, Licensor provides the Work (and each Contributor provides its Contributions) on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, including, without limitation, any warranties or conditions of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are solely responsible for determining the appropriateness of using or redistributing the Work and assume any risks associated with Your exercise of permissions under this License.
|
||||
|
||||
8. Limitation of Liability. In no event and under no legal theory, whether in tort (including negligence), contract, or otherwise, unless required by applicable law (such as deliberate and grossly negligent acts) or agreed to in writing, shall any Contributor be liable to You for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this License or out of the use or inability to use the Work (including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses), even if such Contributor has been advised of the possibility of such damages.
|
||||
|
||||
9. Accepting Warranty or Additional Liability. While redistributing the Work or Derivative Works thereof, You may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this License. However, in accepting such obligations, You may act only on Your own behalf and on Your sole responsibility, not on behalf of any other Contributor, and only if You agree to indemnify, defend, and hold each Contributor harmless for any liability incurred by, or claims asserted against, such Contributor by reason of your accepting any such warranty or additional liability.
|
||||
|
||||
END OF TERMS AND CONDITIONS
|
4
node_modules/less/node_modules/request/node_modules/aws-sign/README.md
generated
vendored
Normal file
4
node_modules/less/node_modules/request/node_modules/aws-sign/README.md
generated
vendored
Normal file
@ -0,0 +1,4 @@
|
||||
aws-sign
|
||||
========
|
||||
|
||||
AWS signing. Originally pulled from LearnBoost/knox, maintained as vendor in request, now a standalone module.
|
202
node_modules/less/node_modules/request/node_modules/aws-sign/index.js
generated
vendored
Normal file
202
node_modules/less/node_modules/request/node_modules/aws-sign/index.js
generated
vendored
Normal file
@ -0,0 +1,202 @@
|
||||
|
||||
/*!
|
||||
* knox - auth
|
||||
* Copyright(c) 2010 LearnBoost <dev@learnboost.com>
|
||||
* MIT Licensed
|
||||
*/
|
||||
|
||||
/**
|
||||
* Module dependencies.
|
||||
*/
|
||||
|
||||
var crypto = require('crypto')
|
||||
, parse = require('url').parse
|
||||
;
|
||||
|
||||
/**
|
||||
* Valid keys.
|
||||
*/
|
||||
|
||||
var keys =
|
||||
[ 'acl'
|
||||
, 'location'
|
||||
, 'logging'
|
||||
, 'notification'
|
||||
, 'partNumber'
|
||||
, 'policy'
|
||||
, 'requestPayment'
|
||||
, 'torrent'
|
||||
, 'uploadId'
|
||||
, 'uploads'
|
||||
, 'versionId'
|
||||
, 'versioning'
|
||||
, 'versions'
|
||||
, 'website'
|
||||
]
|
||||
|
||||
/**
|
||||
* Return an "Authorization" header value with the given `options`
|
||||
* in the form of "AWS <key>:<signature>"
|
||||
*
|
||||
* @param {Object} options
|
||||
* @return {String}
|
||||
* @api private
|
||||
*/
|
||||
|
||||
function authorization (options) {
|
||||
return 'AWS ' + options.key + ':' + sign(options)
|
||||
}
|
||||
|
||||
module.exports = authorization
|
||||
module.exports.authorization = authorization
|
||||
|
||||
/**
|
||||
* Simple HMAC-SHA1 Wrapper
|
||||
*
|
||||
* @param {Object} options
|
||||
* @return {String}
|
||||
* @api private
|
||||
*/
|
||||
|
||||
function hmacSha1 (options) {
|
||||
return crypto.createHmac('sha1', options.secret).update(options.message).digest('base64')
|
||||
}
|
||||
|
||||
module.exports.hmacSha1 = hmacSha1
|
||||
|
||||
/**
|
||||
* Create a base64 sha1 HMAC for `options`.
|
||||
*
|
||||
* @param {Object} options
|
||||
* @return {String}
|
||||
* @api private
|
||||
*/
|
||||
|
||||
function sign (options) {
|
||||
options.message = stringToSign(options)
|
||||
return hmacSha1(options)
|
||||
}
|
||||
module.exports.sign = sign
|
||||
|
||||
/**
|
||||
* Create a base64 sha1 HMAC for `options`.
|
||||
*
|
||||
* Specifically to be used with S3 presigned URLs
|
||||
*
|
||||
* @param {Object} options
|
||||
* @return {String}
|
||||
* @api private
|
||||
*/
|
||||
|
||||
function signQuery (options) {
|
||||
options.message = queryStringToSign(options)
|
||||
return hmacSha1(options)
|
||||
}
|
||||
module.exports.signQuery= signQuery
|
||||
|
||||
/**
|
||||
* Return a string for sign() with the given `options`.
|
||||
*
|
||||
* Spec:
|
||||
*
|
||||
* <verb>\n
|
||||
* <md5>\n
|
||||
* <content-type>\n
|
||||
* <date>\n
|
||||
* [headers\n]
|
||||
* <resource>
|
||||
*
|
||||
* @param {Object} options
|
||||
* @return {String}
|
||||
* @api private
|
||||
*/
|
||||
|
||||
function stringToSign (options) {
|
||||
var headers = options.amazonHeaders || ''
|
||||
if (headers) headers += '\n'
|
||||
var r =
|
||||
[ options.verb
|
||||
, options.md5
|
||||
, options.contentType
|
||||
, options.date.toUTCString()
|
||||
, headers + options.resource
|
||||
]
|
||||
return r.join('\n')
|
||||
}
|
||||
module.exports.queryStringToSign = stringToSign
|
||||
|
||||
/**
|
||||
* Return a string for sign() with the given `options`, but is meant exclusively
|
||||
* for S3 presigned URLs
|
||||
*
|
||||
* Spec:
|
||||
*
|
||||
* <date>\n
|
||||
* <resource>
|
||||
*
|
||||
* @param {Object} options
|
||||
* @return {String}
|
||||
* @api private
|
||||
*/
|
||||
|
||||
function queryStringToSign (options){
|
||||
return 'GET\n\n\n' + options.date + '\n' + options.resource
|
||||
}
|
||||
module.exports.queryStringToSign = queryStringToSign
|
||||
|
||||
/**
|
||||
* Perform the following:
|
||||
*
|
||||
* - ignore non-amazon headers
|
||||
* - lowercase fields
|
||||
* - sort lexicographically
|
||||
* - trim whitespace between ":"
|
||||
* - join with newline
|
||||
*
|
||||
* @param {Object} headers
|
||||
* @return {String}
|
||||
* @api private
|
||||
*/
|
||||
|
||||
function canonicalizeHeaders (headers) {
|
||||
var buf = []
|
||||
, fields = Object.keys(headers)
|
||||
;
|
||||
for (var i = 0, len = fields.length; i < len; ++i) {
|
||||
var field = fields[i]
|
||||
, val = headers[field]
|
||||
, field = field.toLowerCase()
|
||||
;
|
||||
if (0 !== field.indexOf('x-amz')) continue
|
||||
buf.push(field + ':' + val)
|
||||
}
|
||||
return buf.sort().join('\n')
|
||||
}
|
||||
module.exports.canonicalizeHeaders = canonicalizeHeaders
|
||||
|
||||
/**
|
||||
* Perform the following:
|
||||
*
|
||||
* - ignore non sub-resources
|
||||
* - sort lexicographically
|
||||
*
|
||||
* @param {String} resource
|
||||
* @return {String}
|
||||
* @api private
|
||||
*/
|
||||
|
||||
function canonicalizeResource (resource) {
|
||||
var url = parse(resource, true)
|
||||
, path = url.pathname
|
||||
, buf = []
|
||||
;
|
||||
|
||||
Object.keys(url.query).forEach(function(key){
|
||||
if (!~keys.indexOf(key)) return
|
||||
var val = '' == url.query[key] ? '' : '=' + encodeURIComponent(url.query[key])
|
||||
buf.push(key + val)
|
||||
})
|
||||
|
||||
return path + (buf.length ? '?' + buf.sort().join('&') : '')
|
||||
}
|
||||
module.exports.canonicalizeResource = canonicalizeResource
|
28
node_modules/less/node_modules/request/node_modules/aws-sign/package.json
generated
vendored
Normal file
28
node_modules/less/node_modules/request/node_modules/aws-sign/package.json
generated
vendored
Normal file
@ -0,0 +1,28 @@
|
||||
{
|
||||
"author": {
|
||||
"name": "Mikeal Rogers",
|
||||
"email": "mikeal.rogers@gmail.com",
|
||||
"url": "http://www.futurealoof.com"
|
||||
},
|
||||
"name": "aws-sign",
|
||||
"description": "AWS signing. Originally pulled from LearnBoost/knox, maintained as vendor in request, now a standalone module.",
|
||||
"version": "0.3.0",
|
||||
"repository": {
|
||||
"url": "https://github.com/mikeal/aws-sign"
|
||||
},
|
||||
"main": "index.js",
|
||||
"dependencies": {},
|
||||
"devDependencies": {},
|
||||
"optionalDependencies": {},
|
||||
"engines": {
|
||||
"node": "*"
|
||||
},
|
||||
"readme": "aws-sign\n========\n\nAWS signing. Originally pulled from LearnBoost/knox, maintained as vendor in request, now a standalone module.\n",
|
||||
"readmeFilename": "README.md",
|
||||
"_id": "aws-sign@0.3.0",
|
||||
"dist": {
|
||||
"shasum": "aa65e4f24a38ac5bad9897a0220305b90084f97f"
|
||||
},
|
||||
"_from": "aws-sign@~0.3.0",
|
||||
"_resolved": "https://registry.npmjs.org/aws-sign/-/aws-sign-0.3.0.tgz"
|
||||
}
|
55
node_modules/less/node_modules/request/node_modules/cookie-jar/LICENSE
generated
vendored
Normal file
55
node_modules/less/node_modules/request/node_modules/cookie-jar/LICENSE
generated
vendored
Normal file
@ -0,0 +1,55 @@
|
||||
Apache License
|
||||
|
||||
Version 2.0, January 2004
|
||||
|
||||
http://www.apache.org/licenses/
|
||||
|
||||
TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
|
||||
|
||||
1. Definitions.
|
||||
|
||||
"License" shall mean the terms and conditions for use, reproduction, and distribution as defined by Sections 1 through 9 of this document.
|
||||
|
||||
"Licensor" shall mean the copyright owner or entity authorized by the copyright owner that is granting the License.
|
||||
|
||||
"Legal Entity" shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity. For the purposes of this definition, "control" means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity.
|
||||
|
||||
"You" (or "Your") shall mean an individual or Legal Entity exercising permissions granted by this License.
|
||||
|
||||
"Source" form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files.
|
||||
|
||||
"Object" form shall mean any form resulting from mechanical transformation or translation of a Source form, including but not limited to compiled object code, generated documentation, and conversions to other media types.
|
||||
|
||||
"Work" shall mean the work of authorship, whether in Source or Object form, made available under the License, as indicated by a copyright notice that is included in or attached to the work (an example is provided in the Appendix below).
|
||||
|
||||
"Derivative Works" shall mean any work, whether in Source or Object form, that is based on (or derived from) the Work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship. For the purposes of this License, Derivative Works shall not include works that remain separable from, or merely link (or bind by name) to the interfaces of, the Work and Derivative Works thereof.
|
||||
|
||||
"Contribution" shall mean any work of authorship, including the original version of the Work and any modifications or additions to that Work or Derivative Works thereof, that is intentionally submitted to Licensor for inclusion in the Work by the copyright owner or by an individual or Legal Entity authorized to submit on behalf of the copyright owner. For the purposes of this definition, "submitted" means any form of electronic, verbal, or written communication sent to the Licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the Licensor for the purpose of discussing and improving the Work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as "Not a Contribution."
|
||||
|
||||
"Contributor" shall mean Licensor and any individual or Legal Entity on behalf of whom a Contribution has been received by Licensor and subsequently incorporated within the Work.
|
||||
|
||||
2. Grant of Copyright License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare Derivative Works of, publicly display, publicly perform, sublicense, and distribute the Work and such Derivative Works in Source or Object form.
|
||||
|
||||
3. Grant of Patent License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable (except as stated in this section) patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the Work, where such license applies only to those patent claims licensable by such Contributor that are necessarily infringed by their Contribution(s) alone or by combination of their Contribution(s) with the Work to which such Contribution(s) was submitted. If You institute patent litigation against any entity (including a cross-claim or counterclaim in a lawsuit) alleging that the Work or a Contribution incorporated within the Work constitutes direct or contributory patent infringement, then any patent licenses granted to You under this License for that Work shall terminate as of the date such litigation is filed.
|
||||
|
||||
4. Redistribution. You may reproduce and distribute copies of the Work or Derivative Works thereof in any medium, with or without modifications, and in Source or Object form, provided that You meet the following conditions:
|
||||
|
||||
You must give any other recipients of the Work or Derivative Works a copy of this License; and
|
||||
|
||||
You must cause any modified files to carry prominent notices stating that You changed the files; and
|
||||
|
||||
You must retain, in the Source form of any Derivative Works that You distribute, all copyright, patent, trademark, and attribution notices from the Source form of the Work, excluding those notices that do not pertain to any part of the Derivative Works; and
|
||||
|
||||
If the Work includes a "NOTICE" text file as part of its distribution, then any Derivative Works that You distribute must include a readable copy of the attribution notices contained within such NOTICE file, excluding those notices that do not pertain to any part of the Derivative Works, in at least one of the following places: within a NOTICE text file distributed as part of the Derivative Works; within the Source form or documentation, if provided along with the Derivative Works; or, within a display generated by the Derivative Works, if and wherever such third-party notices normally appear. The contents of the NOTICE file are for informational purposes only and do not modify the License. You may add Your own attribution notices within Derivative Works that You distribute, alongside or as an addendum to the NOTICE text from the Work, provided that such additional attribution notices cannot be construed as modifying the License. You may add Your own copyright statement to Your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of Your modifications, or for any such Derivative Works as a whole, provided Your use, reproduction, and distribution of the Work otherwise complies with the conditions stated in this License.
|
||||
|
||||
5. Submission of Contributions. Unless You explicitly state otherwise, any Contribution intentionally submitted for inclusion in the Work by You to the Licensor shall be under the terms and conditions of this License, without any additional terms or conditions. Notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with Licensor regarding such Contributions.
|
||||
|
||||
6. Trademarks. This License does not grant permission to use the trade names, trademarks, service marks, or product names of the Licensor, except as required for reasonable and customary use in describing the origin of the Work and reproducing the content of the NOTICE file.
|
||||
|
||||
7. Disclaimer of Warranty. Unless required by applicable law or agreed to in writing, Licensor provides the Work (and each Contributor provides its Contributions) on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, including, without limitation, any warranties or conditions of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are solely responsible for determining the appropriateness of using or redistributing the Work and assume any risks associated with Your exercise of permissions under this License.
|
||||
|
||||
8. Limitation of Liability. In no event and under no legal theory, whether in tort (including negligence), contract, or otherwise, unless required by applicable law (such as deliberate and grossly negligent acts) or agreed to in writing, shall any Contributor be liable to You for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this License or out of the use or inability to use the Work (including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses), even if such Contributor has been advised of the possibility of such damages.
|
||||
|
||||
9. Accepting Warranty or Additional Liability. While redistributing the Work or Derivative Works thereof, You may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this License. However, in accepting such obligations, You may act only on Your own behalf and on Your sole responsibility, not on behalf of any other Contributor, and only if You agree to indemnify, defend, and hold each Contributor harmless for any liability incurred by, or claims asserted against, such Contributor by reason of your accepting any such warranty or additional liability.
|
||||
|
||||
END OF TERMS AND CONDITIONS
|
4
node_modules/less/node_modules/request/node_modules/cookie-jar/README.md
generated
vendored
Normal file
4
node_modules/less/node_modules/request/node_modules/cookie-jar/README.md
generated
vendored
Normal file
@ -0,0 +1,4 @@
|
||||
cookie-jar
|
||||
==========
|
||||
|
||||
Cookie Jar. Originally pulled from LearnBoost/tobi, maintained as vendor in request, now a standalone module.
|
67
node_modules/less/node_modules/request/node_modules/cookie-jar/index.js
generated
vendored
Normal file
67
node_modules/less/node_modules/request/node_modules/cookie-jar/index.js
generated
vendored
Normal file
@ -0,0 +1,67 @@
|
||||
/*!
|
||||
* Tobi - Cookie
|
||||
* Copyright(c) 2010 LearnBoost <dev@learnboost.com>
|
||||
* MIT Licensed
|
||||
*/
|
||||
|
||||
/**
|
||||
* Module dependencies.
|
||||
*/
|
||||
|
||||
var url = require('url');
|
||||
|
||||
/**
|
||||
* Initialize a new `Cookie` with the given cookie `str` and `req`.
|
||||
*
|
||||
* @param {String} str
|
||||
* @param {IncomingRequest} req
|
||||
* @api private
|
||||
*/
|
||||
|
||||
var Cookie = exports = module.exports = function Cookie(str, req) {
|
||||
this.str = str;
|
||||
|
||||
// Map the key/val pairs
|
||||
str.split(/ *; */).reduce(function(obj, pair){
|
||||
var p = pair.indexOf('=');
|
||||
var key = p > 0 ? pair.substring(0, p).trim() : pair.trim();
|
||||
var lowerCasedKey = key.toLowerCase();
|
||||
var value = p > 0 ? pair.substring(p + 1).trim() : true;
|
||||
|
||||
if (!obj.name) {
|
||||
// First key is the name
|
||||
obj.name = key;
|
||||
obj.value = value;
|
||||
}
|
||||
else if (lowerCasedKey === 'httponly') {
|
||||
obj.httpOnly = value;
|
||||
}
|
||||
else {
|
||||
obj[lowerCasedKey] = value;
|
||||
}
|
||||
return obj;
|
||||
}, this);
|
||||
|
||||
// Expires
|
||||
this.expires = this.expires
|
||||
? new Date(this.expires)
|
||||
: Infinity;
|
||||
|
||||
// Default or trim path
|
||||
this.path = this.path
|
||||
? this.path.trim(): req
|
||||
? url.parse(req.url).pathname: '/';
|
||||
};
|
||||
|
||||
/**
|
||||
* Return the original cookie string.
|
||||
*
|
||||
* @return {String}
|
||||
* @api public
|
||||
*/
|
||||
|
||||
Cookie.prototype.toString = function(){
|
||||
return this.str;
|
||||
};
|
||||
|
||||
module.exports.Jar = require('./jar')
|
72
node_modules/less/node_modules/request/node_modules/cookie-jar/jar.js
generated
vendored
Normal file
72
node_modules/less/node_modules/request/node_modules/cookie-jar/jar.js
generated
vendored
Normal file
@ -0,0 +1,72 @@
|
||||
/*!
|
||||
* Tobi - CookieJar
|
||||
* Copyright(c) 2010 LearnBoost <dev@learnboost.com>
|
||||
* MIT Licensed
|
||||
*/
|
||||
|
||||
/**
|
||||
* Module dependencies.
|
||||
*/
|
||||
|
||||
var url = require('url');
|
||||
|
||||
/**
|
||||
* Initialize a new `CookieJar`.
|
||||
*
|
||||
* @api private
|
||||
*/
|
||||
|
||||
var CookieJar = exports = module.exports = function CookieJar() {
|
||||
this.cookies = [];
|
||||
};
|
||||
|
||||
/**
|
||||
* Add the given `cookie` to the jar.
|
||||
*
|
||||
* @param {Cookie} cookie
|
||||
* @api private
|
||||
*/
|
||||
|
||||
CookieJar.prototype.add = function(cookie){
|
||||
this.cookies = this.cookies.filter(function(c){
|
||||
// Avoid duplication (same path, same name)
|
||||
return !(c.name == cookie.name && c.path == cookie.path);
|
||||
});
|
||||
this.cookies.push(cookie);
|
||||
};
|
||||
|
||||
/**
|
||||
* Get cookies for the given `req`.
|
||||
*
|
||||
* @param {IncomingRequest} req
|
||||
* @return {Array}
|
||||
* @api private
|
||||
*/
|
||||
|
||||
CookieJar.prototype.get = function(req){
|
||||
var path = url.parse(req.url).pathname
|
||||
, now = new Date
|
||||
, specificity = {};
|
||||
return this.cookies.filter(function(cookie){
|
||||
if (0 == path.indexOf(cookie.path) && now < cookie.expires
|
||||
&& cookie.path.length > (specificity[cookie.name] || 0))
|
||||
return specificity[cookie.name] = cookie.path.length;
|
||||
});
|
||||
};
|
||||
|
||||
/**
|
||||
* Return Cookie string for the given `req`.
|
||||
*
|
||||
* @param {IncomingRequest} req
|
||||
* @return {String}
|
||||
* @api private
|
||||
*/
|
||||
|
||||
CookieJar.prototype.cookieString = function(req){
|
||||
var cookies = this.get(req);
|
||||
if (cookies.length) {
|
||||
return cookies.map(function(cookie){
|
||||
return cookie.name + '=' + cookie.value;
|
||||
}).join('; ');
|
||||
}
|
||||
};
|
31
node_modules/less/node_modules/request/node_modules/cookie-jar/package.json
generated
vendored
Normal file
31
node_modules/less/node_modules/request/node_modules/cookie-jar/package.json
generated
vendored
Normal file
@ -0,0 +1,31 @@
|
||||
{
|
||||
"author": {
|
||||
"name": "Mikeal Rogers",
|
||||
"email": "mikeal.rogers@gmail.com",
|
||||
"url": "http://www.futurealoof.com"
|
||||
},
|
||||
"name": "cookie-jar",
|
||||
"description": "Cookie Jar. Originally pulled form tobi, maintained as vendor in request, now a standalone module.",
|
||||
"version": "0.3.0",
|
||||
"repository": {
|
||||
"url": "https://github.com/mikeal/cookie-jar"
|
||||
},
|
||||
"main": "index.js",
|
||||
"scripts": {
|
||||
"test": "node tests/run.js"
|
||||
},
|
||||
"dependencies": {},
|
||||
"devDependencies": {},
|
||||
"optionalDependencies": {},
|
||||
"engines": {
|
||||
"node": "*"
|
||||
},
|
||||
"readme": "cookie-jar\n==========\n\nCookie Jar. Originally pulled from LearnBoost/tobi, maintained as vendor in request, now a standalone module.\n",
|
||||
"readmeFilename": "README.md",
|
||||
"_id": "cookie-jar@0.3.0",
|
||||
"dist": {
|
||||
"shasum": "5aa3a51a44a57280f1d482f08d1d2fbb0da91c47"
|
||||
},
|
||||
"_from": "cookie-jar@~0.3.0",
|
||||
"_resolved": "https://registry.npmjs.org/cookie-jar/-/cookie-jar-0.3.0.tgz"
|
||||
}
|
40
node_modules/less/node_modules/request/node_modules/cookie-jar/tests/run.js
generated
vendored
Normal file
40
node_modules/less/node_modules/request/node_modules/cookie-jar/tests/run.js
generated
vendored
Normal file
@ -0,0 +1,40 @@
|
||||
var spawn = require('child_process').spawn
|
||||
, exitCode = 0
|
||||
, timeout = 10000
|
||||
, fs = require('fs')
|
||||
;
|
||||
|
||||
fs.readdir(__dirname, function (e, files) {
|
||||
if (e) throw e
|
||||
|
||||
var tests = files.filter(function (f) {return f.slice(0, 'test-'.length) === 'test-'})
|
||||
|
||||
var next = function () {
|
||||
if (tests.length === 0) process.exit(exitCode);
|
||||
|
||||
var file = tests.shift()
|
||||
console.log(file)
|
||||
var proc = spawn('node', [ 'tests/' + file ])
|
||||
|
||||
var killed = false
|
||||
var t = setTimeout(function () {
|
||||
proc.kill()
|
||||
exitCode += 1
|
||||
console.error(file + ' timeout')
|
||||
killed = true
|
||||
}, timeout)
|
||||
|
||||
proc.stdout.pipe(process.stdout)
|
||||
proc.stderr.pipe(process.stderr)
|
||||
proc.on('exit', function (code) {
|
||||
if (code && !killed) console.error(file + ' failed')
|
||||
exitCode += code || 0
|
||||
clearTimeout(t)
|
||||
next()
|
||||
})
|
||||
}
|
||||
next()
|
||||
|
||||
})
|
||||
|
||||
|
29
node_modules/less/node_modules/request/node_modules/cookie-jar/tests/test-cookie.js
generated
vendored
Normal file
29
node_modules/less/node_modules/request/node_modules/cookie-jar/tests/test-cookie.js
generated
vendored
Normal file
@ -0,0 +1,29 @@
|
||||
var Cookie = require('../index')
|
||||
, assert = require('assert');
|
||||
|
||||
var str = 'Sid="s543qactge.wKE61E01Bs%2BKhzmxrwrnug="; Path=/; httpOnly; Expires=Sat, 04 Dec 2010 23:27:28 GMT';
|
||||
var cookie = new Cookie(str);
|
||||
|
||||
// test .toString()
|
||||
assert.equal(cookie.toString(), str);
|
||||
|
||||
// test .path
|
||||
assert.equal(cookie.path, '/');
|
||||
|
||||
// test .httpOnly
|
||||
assert.equal(cookie.httpOnly, true);
|
||||
|
||||
// test .name
|
||||
assert.equal(cookie.name, 'Sid');
|
||||
|
||||
// test .value
|
||||
assert.equal(cookie.value, '"s543qactge.wKE61E01Bs%2BKhzmxrwrnug="');
|
||||
|
||||
// test .expires
|
||||
assert.equal(cookie.expires instanceof Date, true);
|
||||
|
||||
// test .path default
|
||||
var cookie = new Cookie('foo=bar', { url: 'http://foo.com/bar' });
|
||||
assert.equal(cookie.path, '/bar');
|
||||
|
||||
console.log('All tests passed');
|
90
node_modules/less/node_modules/request/node_modules/cookie-jar/tests/test-cookiejar.js
generated
vendored
Normal file
90
node_modules/less/node_modules/request/node_modules/cookie-jar/tests/test-cookiejar.js
generated
vendored
Normal file
@ -0,0 +1,90 @@
|
||||
var Cookie = require('../index')
|
||||
, Jar = Cookie.Jar
|
||||
, assert = require('assert');
|
||||
|
||||
function expires(ms) {
|
||||
return new Date(Date.now() + ms).toUTCString();
|
||||
}
|
||||
|
||||
// test .get() expiration
|
||||
(function() {
|
||||
var jar = new Jar;
|
||||
var cookie = new Cookie('sid=1234; path=/; expires=' + expires(1000));
|
||||
jar.add(cookie);
|
||||
setTimeout(function(){
|
||||
var cookies = jar.get({ url: 'http://foo.com/foo' });
|
||||
assert.equal(cookies.length, 1);
|
||||
assert.equal(cookies[0], cookie);
|
||||
setTimeout(function(){
|
||||
var cookies = jar.get({ url: 'http://foo.com/foo' });
|
||||
assert.equal(cookies.length, 0);
|
||||
}, 1000);
|
||||
}, 5);
|
||||
})();
|
||||
|
||||
// test .get() path support
|
||||
(function() {
|
||||
var jar = new Jar;
|
||||
var a = new Cookie('sid=1234; path=/');
|
||||
var b = new Cookie('sid=1111; path=/foo/bar');
|
||||
var c = new Cookie('sid=2222; path=/');
|
||||
jar.add(a);
|
||||
jar.add(b);
|
||||
jar.add(c);
|
||||
|
||||
// should remove the duplicates
|
||||
assert.equal(jar.cookies.length, 2);
|
||||
|
||||
// same name, same path, latter prevails
|
||||
var cookies = jar.get({ url: 'http://foo.com/' });
|
||||
assert.equal(cookies.length, 1);
|
||||
assert.equal(cookies[0], c);
|
||||
|
||||
// same name, diff path, path specifity prevails, latter prevails
|
||||
var cookies = jar.get({ url: 'http://foo.com/foo/bar' });
|
||||
assert.equal(cookies.length, 1);
|
||||
assert.equal(cookies[0], b);
|
||||
|
||||
var jar = new Jar;
|
||||
var a = new Cookie('sid=1111; path=/foo/bar');
|
||||
var b = new Cookie('sid=1234; path=/');
|
||||
jar.add(a);
|
||||
jar.add(b);
|
||||
|
||||
var cookies = jar.get({ url: 'http://foo.com/foo/bar' });
|
||||
assert.equal(cookies.length, 1);
|
||||
assert.equal(cookies[0], a);
|
||||
|
||||
var cookies = jar.get({ url: 'http://foo.com/' });
|
||||
assert.equal(cookies.length, 1);
|
||||
assert.equal(cookies[0], b);
|
||||
|
||||
var jar = new Jar;
|
||||
var a = new Cookie('sid=1111; path=/foo/bar');
|
||||
var b = new Cookie('sid=3333; path=/foo/bar');
|
||||
var c = new Cookie('pid=3333; path=/foo/bar');
|
||||
var d = new Cookie('sid=2222; path=/foo/');
|
||||
var e = new Cookie('sid=1234; path=/');
|
||||
jar.add(a);
|
||||
jar.add(b);
|
||||
jar.add(c);
|
||||
jar.add(d);
|
||||
jar.add(e);
|
||||
|
||||
var cookies = jar.get({ url: 'http://foo.com/foo/bar' });
|
||||
assert.equal(cookies.length, 2);
|
||||
assert.equal(cookies[0], b);
|
||||
assert.equal(cookies[1], c);
|
||||
|
||||
var cookies = jar.get({ url: 'http://foo.com/foo/' });
|
||||
assert.equal(cookies.length, 1);
|
||||
assert.equal(cookies[0], d);
|
||||
|
||||
var cookies = jar.get({ url: 'http://foo.com/' });
|
||||
assert.equal(cookies.length, 1);
|
||||
assert.equal(cookies[0], e);
|
||||
})();
|
||||
|
||||
setTimeout(function() {
|
||||
console.log('All tests passed');
|
||||
}, 1200);
|
55
node_modules/less/node_modules/request/node_modules/forever-agent/LICENSE
generated
vendored
Normal file
55
node_modules/less/node_modules/request/node_modules/forever-agent/LICENSE
generated
vendored
Normal file
@ -0,0 +1,55 @@
|
||||
Apache License
|
||||
|
||||
Version 2.0, January 2004
|
||||
|
||||
http://www.apache.org/licenses/
|
||||
|
||||
TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
|
||||
|
||||
1. Definitions.
|
||||
|
||||
"License" shall mean the terms and conditions for use, reproduction, and distribution as defined by Sections 1 through 9 of this document.
|
||||
|
||||
"Licensor" shall mean the copyright owner or entity authorized by the copyright owner that is granting the License.
|
||||
|
||||
"Legal Entity" shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity. For the purposes of this definition, "control" means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity.
|
||||
|
||||
"You" (or "Your") shall mean an individual or Legal Entity exercising permissions granted by this License.
|
||||
|
||||
"Source" form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files.
|
||||
|
||||
"Object" form shall mean any form resulting from mechanical transformation or translation of a Source form, including but not limited to compiled object code, generated documentation, and conversions to other media types.
|
||||
|
||||
"Work" shall mean the work of authorship, whether in Source or Object form, made available under the License, as indicated by a copyright notice that is included in or attached to the work (an example is provided in the Appendix below).
|
||||
|
||||
"Derivative Works" shall mean any work, whether in Source or Object form, that is based on (or derived from) the Work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship. For the purposes of this License, Derivative Works shall not include works that remain separable from, or merely link (or bind by name) to the interfaces of, the Work and Derivative Works thereof.
|
||||
|
||||
"Contribution" shall mean any work of authorship, including the original version of the Work and any modifications or additions to that Work or Derivative Works thereof, that is intentionally submitted to Licensor for inclusion in the Work by the copyright owner or by an individual or Legal Entity authorized to submit on behalf of the copyright owner. For the purposes of this definition, "submitted" means any form of electronic, verbal, or written communication sent to the Licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the Licensor for the purpose of discussing and improving the Work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as "Not a Contribution."
|
||||
|
||||
"Contributor" shall mean Licensor and any individual or Legal Entity on behalf of whom a Contribution has been received by Licensor and subsequently incorporated within the Work.
|
||||
|
||||
2. Grant of Copyright License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare Derivative Works of, publicly display, publicly perform, sublicense, and distribute the Work and such Derivative Works in Source or Object form.
|
||||
|
||||
3. Grant of Patent License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable (except as stated in this section) patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the Work, where such license applies only to those patent claims licensable by such Contributor that are necessarily infringed by their Contribution(s) alone or by combination of their Contribution(s) with the Work to which such Contribution(s) was submitted. If You institute patent litigation against any entity (including a cross-claim or counterclaim in a lawsuit) alleging that the Work or a Contribution incorporated within the Work constitutes direct or contributory patent infringement, then any patent licenses granted to You under this License for that Work shall terminate as of the date such litigation is filed.
|
||||
|
||||
4. Redistribution. You may reproduce and distribute copies of the Work or Derivative Works thereof in any medium, with or without modifications, and in Source or Object form, provided that You meet the following conditions:
|
||||
|
||||
You must give any other recipients of the Work or Derivative Works a copy of this License; and
|
||||
|
||||
You must cause any modified files to carry prominent notices stating that You changed the files; and
|
||||
|
||||
You must retain, in the Source form of any Derivative Works that You distribute, all copyright, patent, trademark, and attribution notices from the Source form of the Work, excluding those notices that do not pertain to any part of the Derivative Works; and
|
||||
|
||||
If the Work includes a "NOTICE" text file as part of its distribution, then any Derivative Works that You distribute must include a readable copy of the attribution notices contained within such NOTICE file, excluding those notices that do not pertain to any part of the Derivative Works, in at least one of the following places: within a NOTICE text file distributed as part of the Derivative Works; within the Source form or documentation, if provided along with the Derivative Works; or, within a display generated by the Derivative Works, if and wherever such third-party notices normally appear. The contents of the NOTICE file are for informational purposes only and do not modify the License. You may add Your own attribution notices within Derivative Works that You distribute, alongside or as an addendum to the NOTICE text from the Work, provided that such additional attribution notices cannot be construed as modifying the License. You may add Your own copyright statement to Your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of Your modifications, or for any such Derivative Works as a whole, provided Your use, reproduction, and distribution of the Work otherwise complies with the conditions stated in this License.
|
||||
|
||||
5. Submission of Contributions. Unless You explicitly state otherwise, any Contribution intentionally submitted for inclusion in the Work by You to the Licensor shall be under the terms and conditions of this License, without any additional terms or conditions. Notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with Licensor regarding such Contributions.
|
||||
|
||||
6. Trademarks. This License does not grant permission to use the trade names, trademarks, service marks, or product names of the Licensor, except as required for reasonable and customary use in describing the origin of the Work and reproducing the content of the NOTICE file.
|
||||
|
||||
7. Disclaimer of Warranty. Unless required by applicable law or agreed to in writing, Licensor provides the Work (and each Contributor provides its Contributions) on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, including, without limitation, any warranties or conditions of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are solely responsible for determining the appropriateness of using or redistributing the Work and assume any risks associated with Your exercise of permissions under this License.
|
||||
|
||||
8. Limitation of Liability. In no event and under no legal theory, whether in tort (including negligence), contract, or otherwise, unless required by applicable law (such as deliberate and grossly negligent acts) or agreed to in writing, shall any Contributor be liable to You for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this License or out of the use or inability to use the Work (including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses), even if such Contributor has been advised of the possibility of such damages.
|
||||
|
||||
9. Accepting Warranty or Additional Liability. While redistributing the Work or Derivative Works thereof, You may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this License. However, in accepting such obligations, You may act only on Your own behalf and on Your sole responsibility, not on behalf of any other Contributor, and only if You agree to indemnify, defend, and hold each Contributor harmless for any liability incurred by, or claims asserted against, such Contributor by reason of your accepting any such warranty or additional liability.
|
||||
|
||||
END OF TERMS AND CONDITIONS
|
4
node_modules/less/node_modules/request/node_modules/forever-agent/README.md
generated
vendored
Normal file
4
node_modules/less/node_modules/request/node_modules/forever-agent/README.md
generated
vendored
Normal file
@ -0,0 +1,4 @@
|
||||
forever-agent
|
||||
=============
|
||||
|
||||
HTTP Agent that keeps socket connections alive between keep-alive requests. Formerly part of mikeal/request, now a standalone module.
|
119
node_modules/less/node_modules/request/node_modules/forever-agent/index.js
generated
vendored
Normal file
119
node_modules/less/node_modules/request/node_modules/forever-agent/index.js
generated
vendored
Normal file
@ -0,0 +1,119 @@
|
||||
module.exports = ForeverAgent
|
||||
ForeverAgent.SSL = ForeverAgentSSL
|
||||
|
||||
var util = require('util')
|
||||
, Agent = require('http').Agent
|
||||
, net = require('net')
|
||||
, tls = require('tls')
|
||||
, AgentSSL = require('https').Agent
|
||||
|
||||
function ForeverAgent(options) {
|
||||
var self = this
|
||||
self.options = options || {}
|
||||
self.requests = {}
|
||||
self.sockets = {}
|
||||
self.freeSockets = {}
|
||||
self.maxSockets = self.options.maxSockets || Agent.defaultMaxSockets
|
||||
self.minSockets = self.options.minSockets || ForeverAgent.defaultMinSockets
|
||||
self.on('free', function(socket, host, port) {
|
||||
var name = host + ':' + port
|
||||
if (self.requests[name] && self.requests[name].length) {
|
||||
self.requests[name].shift().onSocket(socket)
|
||||
} else if (self.sockets[name].length < self.minSockets) {
|
||||
if (!self.freeSockets[name]) self.freeSockets[name] = []
|
||||
self.freeSockets[name].push(socket)
|
||||
|
||||
// if an error happens while we don't use the socket anyway, meh, throw the socket away
|
||||
function onIdleError() {
|
||||
socket.destroy()
|
||||
}
|
||||
socket._onIdleError = onIdleError
|
||||
socket.on('error', onIdleError)
|
||||
} else {
|
||||
// If there are no pending requests just destroy the
|
||||
// socket and it will get removed from the pool. This
|
||||
// gets us out of timeout issues and allows us to
|
||||
// default to Connection:keep-alive.
|
||||
socket.destroy()
|
||||
}
|
||||
})
|
||||
|
||||
}
|
||||
util.inherits(ForeverAgent, Agent)
|
||||
|
||||
ForeverAgent.defaultMinSockets = 5
|
||||
|
||||
|
||||
ForeverAgent.prototype.createConnection = net.createConnection
|
||||
ForeverAgent.prototype.addRequestNoreuse = Agent.prototype.addRequest
|
||||
ForeverAgent.prototype.addRequest = function(req, host, port) {
|
||||
var name = host + ':' + port
|
||||
if (this.freeSockets[name] && this.freeSockets[name].length > 0 && !req.useChunkedEncodingByDefault) {
|
||||
var idleSocket = this.freeSockets[name].pop()
|
||||
idleSocket.removeListener('error', idleSocket._onIdleError)
|
||||
delete idleSocket._onIdleError
|
||||
req._reusedSocket = true
|
||||
req.onSocket(idleSocket)
|
||||
} else {
|
||||
this.addRequestNoreuse(req, host, port)
|
||||
}
|
||||
}
|
||||
|
||||
ForeverAgent.prototype.removeSocket = function(s, name, host, port) {
|
||||
if (this.sockets[name]) {
|
||||
var index = this.sockets[name].indexOf(s)
|
||||
if (index !== -1) {
|
||||
this.sockets[name].splice(index, 1)
|
||||
}
|
||||
} else if (this.sockets[name] && this.sockets[name].length === 0) {
|
||||
// don't leak
|
||||
delete this.sockets[name]
|
||||
delete this.requests[name]
|
||||
}
|
||||
|
||||
if (this.freeSockets[name]) {
|
||||
var index = this.freeSockets[name].indexOf(s)
|
||||
if (index !== -1) {
|
||||
this.freeSockets[name].splice(index, 1)
|
||||
if (this.freeSockets[name].length === 0) {
|
||||
delete this.freeSockets[name]
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
if (this.requests[name] && this.requests[name].length) {
|
||||
// If we have pending requests and a socket gets closed a new one
|
||||
// needs to be created to take over in the pool for the one that closed.
|
||||
this.createSocket(name, host, port).emit('free')
|
||||
}
|
||||
}
|
||||
|
||||
function ForeverAgentSSL (options) {
|
||||
ForeverAgent.call(this, options)
|
||||
}
|
||||
util.inherits(ForeverAgentSSL, ForeverAgent)
|
||||
|
||||
ForeverAgentSSL.prototype.createConnection = createConnectionSSL
|
||||
ForeverAgentSSL.prototype.addRequestNoreuse = AgentSSL.prototype.addRequest
|
||||
|
||||
function createConnectionSSL (port, host, options) {
|
||||
if (typeof port === 'object') {
|
||||
options = port;
|
||||
} else if (typeof host === 'object') {
|
||||
options = host;
|
||||
} else if (typeof options === 'object') {
|
||||
options = options;
|
||||
} else {
|
||||
options = {};
|
||||
}
|
||||
|
||||
if (typeof port === 'number') {
|
||||
options.port = port;
|
||||
}
|
||||
|
||||
if (typeof host === 'string') {
|
||||
options.host = host;
|
||||
}
|
||||
|
||||
return tls.connect(options);
|
||||
}
|
28
node_modules/less/node_modules/request/node_modules/forever-agent/package.json
generated
vendored
Normal file
28
node_modules/less/node_modules/request/node_modules/forever-agent/package.json
generated
vendored
Normal file
@ -0,0 +1,28 @@
|
||||
{
|
||||
"author": {
|
||||
"name": "Mikeal Rogers",
|
||||
"email": "mikeal.rogers@gmail.com",
|
||||
"url": "http://www.futurealoof.com"
|
||||
},
|
||||
"name": "forever-agent",
|
||||
"description": "HTTP Agent that keeps socket connections alive between keep-alive requests. Formerly part of mikeal/request, now a standalone module.",
|
||||
"version": "0.5.0",
|
||||
"repository": {
|
||||
"url": "https://github.com/mikeal/forever-agent"
|
||||
},
|
||||
"main": "index.js",
|
||||
"dependencies": {},
|
||||
"devDependencies": {},
|
||||
"optionalDependencies": {},
|
||||
"engines": {
|
||||
"node": "*"
|
||||
},
|
||||
"readme": "forever-agent\n=============\n\nHTTP Agent that keeps socket connections alive between keep-alive requests. Formerly part of mikeal/request, now a standalone module.\n",
|
||||
"readmeFilename": "README.md",
|
||||
"_id": "forever-agent@0.5.0",
|
||||
"dist": {
|
||||
"shasum": "571431308f42af15112dbf7a8d96682a30303e97"
|
||||
},
|
||||
"_from": "forever-agent@~0.5.0",
|
||||
"_resolved": "https://registry.npmjs.org/forever-agent/-/forever-agent-0.5.0.tgz"
|
||||
}
|
5
node_modules/less/node_modules/request/node_modules/form-data/.npmignore
generated
vendored
Normal file
5
node_modules/less/node_modules/request/node_modules/form-data/.npmignore
generated
vendored
Normal file
@ -0,0 +1,5 @@
|
||||
*.un~
|
||||
/node_modules/*
|
||||
/test/tmp
|
||||
/.idea
|
||||
*.iml
|
4
node_modules/less/node_modules/request/node_modules/form-data/.travis.yml
generated
vendored
Normal file
4
node_modules/less/node_modules/request/node_modules/form-data/.travis.yml
generated
vendored
Normal file
@ -0,0 +1,4 @@
|
||||
language: node_js
|
||||
node_js:
|
||||
- "0.6"
|
||||
- "0.8"
|
19
node_modules/less/node_modules/request/node_modules/form-data/License
generated
vendored
Normal file
19
node_modules/less/node_modules/request/node_modules/form-data/License
generated
vendored
Normal file
@ -0,0 +1,19 @@
|
||||
Copyright (c) 2012 Felix Geisendörfer (felix@debuggable.com) and contributors
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy
|
||||
of this software and associated documentation files (the "Software"), to deal
|
||||
in the Software without restriction, including without limitation the rights
|
||||
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||
copies of the Software, and to permit persons to whom the Software is
|
||||
furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in
|
||||
all copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
||||
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
||||
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
||||
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
||||
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
|
||||
THE SOFTWARE.
|
7
node_modules/less/node_modules/request/node_modules/form-data/Makefile
generated
vendored
Normal file
7
node_modules/less/node_modules/request/node_modules/form-data/Makefile
generated
vendored
Normal file
@ -0,0 +1,7 @@
|
||||
SHELL := /bin/bash
|
||||
|
||||
test:
|
||||
@./test/run.js
|
||||
|
||||
.PHONY: test
|
||||
|
146
node_modules/less/node_modules/request/node_modules/form-data/Readme.md
generated
vendored
Normal file
146
node_modules/less/node_modules/request/node_modules/form-data/Readme.md
generated
vendored
Normal file
@ -0,0 +1,146 @@
|
||||
# Form-Data [](https://travis-ci.org/alexindigo/node-form-data)
|
||||
|
||||
A module to create readable `"multipart/form-data"` streams. Can be used to
|
||||
submit forms and file uploads to other web applications.
|
||||
|
||||
The API of this module is inspired by the
|
||||
[XMLHttpRequest-2 FormData Interface][xhr2-fd].
|
||||
|
||||
[xhr2-fd]: http://dev.w3.org/2006/webapi/XMLHttpRequest-2/Overview.html#the-formdata-interface
|
||||
|
||||
## Install
|
||||
|
||||
```
|
||||
npm install form-data
|
||||
```
|
||||
|
||||
## Usage
|
||||
|
||||
In this example we are constructing a form with 3 fields that contain a string,
|
||||
a buffer and a file stream.
|
||||
|
||||
``` javascript
|
||||
var FormData = require('form-data');
|
||||
var fs = require('fs');
|
||||
|
||||
var form = new FormData();
|
||||
form.append('my_field', 'my value');
|
||||
form.append('my_buffer', new Buffer(10));
|
||||
form.append('my_file', fs.createReadStream('/foo/bar.jpg'));
|
||||
```
|
||||
|
||||
Also you can use http-response stream:
|
||||
|
||||
``` javascript
|
||||
var FormData = require('form-data');
|
||||
var http = require('http');
|
||||
|
||||
var form = new FormData();
|
||||
|
||||
http.request('http://nodejs.org/images/logo.png', function(response) {
|
||||
form.append('my_field', 'my value');
|
||||
form.append('my_buffer', new Buffer(10));
|
||||
form.append('my_logo', response);
|
||||
});
|
||||
```
|
||||
|
||||
Or @mikeal's request stream:
|
||||
|
||||
``` javascript
|
||||
var FormData = require('form-data');
|
||||
var request = require('request');
|
||||
|
||||
var form = new FormData();
|
||||
|
||||
form.append('my_field', 'my value');
|
||||
form.append('my_buffer', new Buffer(10));
|
||||
form.append('my_logo', request('http://nodejs.org/images/logo.png'));
|
||||
```
|
||||
|
||||
In order to submit this form to a web application, you can use node's http
|
||||
client interface:
|
||||
|
||||
``` javascript
|
||||
var http = require('http');
|
||||
|
||||
var request = http.request({
|
||||
method: 'post',
|
||||
host: 'example.org',
|
||||
path: '/upload',
|
||||
headers: form.getHeaders()
|
||||
});
|
||||
|
||||
form.pipe(request);
|
||||
|
||||
request.on('response', function(res) {
|
||||
console.log(res.statusCode);
|
||||
});
|
||||
```
|
||||
|
||||
Or if you would prefer the `'Content-Length'` header to be set for you:
|
||||
|
||||
``` javascript
|
||||
form.submit('example.org/upload', function(err, res) {
|
||||
console.log(res.statusCode);
|
||||
});
|
||||
```
|
||||
|
||||
To use custom headers and pre-known length in parts:
|
||||
|
||||
``` javascript
|
||||
var CRLF = '\r\n';
|
||||
var form = new FormData();
|
||||
|
||||
var options = {
|
||||
header: CRLF + '--' + form.getBoundary() + CRLF + 'X-Custom-Header: 123' + CRLF + CRLF,
|
||||
knownLength: 1
|
||||
};
|
||||
|
||||
form.append('my_buffer', buffer, options);
|
||||
|
||||
form.submit('http://example.com/', function(err, res) {
|
||||
if (err) throw err;
|
||||
console.log('Done');
|
||||
});
|
||||
```
|
||||
|
||||
Form-Data can recognize and fetch all the required information from common types of streams (fs.readStream, http.response and mikeal's request), for some other types of streams you'd need to provide "file"-related information manually:
|
||||
|
||||
``` javascript
|
||||
someModule.stream(function(err, stdout, stderr) {
|
||||
if (err) throw err;
|
||||
|
||||
var form = new FormData();
|
||||
|
||||
form.append('file', stdout, {
|
||||
filename: 'unicycle.jpg',
|
||||
contentType: 'image/jpg',
|
||||
knownLength: 19806
|
||||
});
|
||||
|
||||
form.submit('http://example.com/', function(err, res) {
|
||||
if (err) throw err;
|
||||
console.log('Done');
|
||||
});
|
||||
});
|
||||
```
|
||||
|
||||
For edge cases, like POST request to URL with query string or to pass HTTP auth credentials, object can be passed to `form.submit()` as first parameter:
|
||||
|
||||
``` javascript
|
||||
form.submit({
|
||||
host: 'example.com',
|
||||
path: '/probably.php?extra=params',
|
||||
auth: 'username:password'
|
||||
}, function(err, res) {
|
||||
console.log(res.statusCode);
|
||||
});
|
||||
```
|
||||
|
||||
## TODO
|
||||
|
||||
- Add new streams (0.10) support and try really hard not to break it for 0.8.x.
|
||||
|
||||
## License
|
||||
|
||||
Form-Data is licensed under the MIT license.
|
292
node_modules/less/node_modules/request/node_modules/form-data/lib/form_data.js
generated
vendored
Normal file
292
node_modules/less/node_modules/request/node_modules/form-data/lib/form_data.js
generated
vendored
Normal file
@ -0,0 +1,292 @@
|
||||
var CombinedStream = require('combined-stream');
|
||||
var util = require('util');
|
||||
var path = require('path');
|
||||
var http = require('http');
|
||||
var https = require('https');
|
||||
var parseUrl = require('url').parse;
|
||||
var fs = require('fs');
|
||||
var mime = require('mime');
|
||||
var async = require('async');
|
||||
|
||||
module.exports = FormData;
|
||||
function FormData() {
|
||||
this._overheadLength = 0;
|
||||
this._valueLength = 0;
|
||||
this._lengthRetrievers = [];
|
||||
|
||||
CombinedStream.call(this);
|
||||
}
|
||||
util.inherits(FormData, CombinedStream);
|
||||
|
||||
FormData.LINE_BREAK = '\r\n';
|
||||
|
||||
FormData.prototype.append = function(field, value, options) {
|
||||
options = options || {};
|
||||
|
||||
var append = CombinedStream.prototype.append.bind(this);
|
||||
|
||||
// all that streamy business can't handle numbers
|
||||
if (typeof value == 'number') value = ''+value;
|
||||
|
||||
var header = this._multiPartHeader(field, value, options);
|
||||
var footer = this._multiPartFooter(field, value, options);
|
||||
|
||||
append(header);
|
||||
append(value);
|
||||
append(footer);
|
||||
|
||||
// pass along options.knownLength
|
||||
this._trackLength(header, value, options);
|
||||
};
|
||||
|
||||
FormData.prototype._trackLength = function(header, value, options) {
|
||||
var valueLength = 0;
|
||||
|
||||
// used w/ trackLengthSync(), when length is known.
|
||||
// e.g. for streaming directly from a remote server,
|
||||
// w/ a known file a size, and not wanting to wait for
|
||||
// incoming file to finish to get its size.
|
||||
if (options.knownLength != null) {
|
||||
valueLength += +options.knownLength;
|
||||
} else if (Buffer.isBuffer(value)) {
|
||||
valueLength = value.length;
|
||||
} else if (typeof value === 'string') {
|
||||
valueLength = Buffer.byteLength(value);
|
||||
}
|
||||
|
||||
this._valueLength += valueLength;
|
||||
|
||||
// @check why add CRLF? does this account for custom/multiple CRLFs?
|
||||
this._overheadLength +=
|
||||
Buffer.byteLength(header) +
|
||||
+ FormData.LINE_BREAK.length;
|
||||
|
||||
// empty or either doesn't have path or not an http response
|
||||
if (!value || ( !value.path && !(value.readable && value.hasOwnProperty('httpVersion')) )) {
|
||||
return;
|
||||
}
|
||||
|
||||
this._lengthRetrievers.push(function(next) {
|
||||
|
||||
// do we already know the size?
|
||||
// 0 additional leaves value from getSyncLength()
|
||||
if (options.knownLength != null) {
|
||||
next(null, 0);
|
||||
|
||||
// check if it's local file
|
||||
} else if (value.hasOwnProperty('fd')) {
|
||||
fs.stat(value.path, function(err, stat) {
|
||||
if (err) {
|
||||
next(err);
|
||||
return;
|
||||
}
|
||||
|
||||
next(null, stat.size);
|
||||
});
|
||||
|
||||
// or http response
|
||||
} else if (value.hasOwnProperty('httpVersion')) {
|
||||
next(null, +value.headers['content-length']);
|
||||
|
||||
// or request stream http://github.com/mikeal/request
|
||||
} else if (value.hasOwnProperty('httpModule')) {
|
||||
// wait till response come back
|
||||
value.on('response', function(response) {
|
||||
value.pause();
|
||||
next(null, +response.headers['content-length']);
|
||||
});
|
||||
value.resume();
|
||||
|
||||
// something else
|
||||
} else {
|
||||
next('Unknown stream');
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
FormData.prototype._multiPartHeader = function(field, value, options) {
|
||||
var boundary = this.getBoundary();
|
||||
var header = '';
|
||||
|
||||
// custom header specified (as string)?
|
||||
// it becomes responsible for boundary
|
||||
// (e.g. to handle extra CRLFs on .NET servers)
|
||||
if (options.header != null) {
|
||||
header = options.header;
|
||||
} else {
|
||||
header += '--' + boundary + FormData.LINE_BREAK +
|
||||
'Content-Disposition: form-data; name="' + field + '"';
|
||||
|
||||
// fs- and request- streams have path property
|
||||
// or use custom filename and/or contentType
|
||||
// TODO: Use request's response mime-type
|
||||
if (options.filename || value.path) {
|
||||
header +=
|
||||
'; filename="' + path.basename(options.filename || value.path) + '"' + FormData.LINE_BREAK +
|
||||
'Content-Type: ' + (options.contentType || mime.lookup(options.filename || value.path));
|
||||
|
||||
// http response has not
|
||||
} else if (value.readable && value.hasOwnProperty('httpVersion')) {
|
||||
header +=
|
||||
'; filename="' + path.basename(value.client._httpMessage.path) + '"' + FormData.LINE_BREAK +
|
||||
'Content-Type: ' + value.headers['content-type'];
|
||||
}
|
||||
|
||||
header += FormData.LINE_BREAK + FormData.LINE_BREAK;
|
||||
}
|
||||
|
||||
return header;
|
||||
};
|
||||
|
||||
FormData.prototype._multiPartFooter = function(field, value, options) {
|
||||
return function(next) {
|
||||
var footer = FormData.LINE_BREAK;
|
||||
|
||||
var lastPart = (this._streams.length === 0);
|
||||
if (lastPart) {
|
||||
footer += this._lastBoundary();
|
||||
}
|
||||
|
||||
next(footer);
|
||||
}.bind(this);
|
||||
};
|
||||
|
||||
FormData.prototype._lastBoundary = function() {
|
||||
return '--' + this.getBoundary() + '--';
|
||||
};
|
||||
|
||||
FormData.prototype.getHeaders = function(userHeaders) {
|
||||
var formHeaders = {
|
||||
'content-type': 'multipart/form-data; boundary=' + this.getBoundary()
|
||||
};
|
||||
|
||||
for (var header in userHeaders) {
|
||||
formHeaders[header.toLowerCase()] = userHeaders[header];
|
||||
}
|
||||
|
||||
return formHeaders;
|
||||
}
|
||||
|
||||
FormData.prototype.getCustomHeaders = function(contentType) {
|
||||
contentType = contentType ? contentType : 'multipart/form-data';
|
||||
|
||||
var formHeaders = {
|
||||
'content-type': contentType + '; boundary=' + this.getBoundary(),
|
||||
'content-length': this.getLengthSync()
|
||||
};
|
||||
|
||||
return formHeaders;
|
||||
}
|
||||
|
||||
FormData.prototype.getBoundary = function() {
|
||||
if (!this._boundary) {
|
||||
this._generateBoundary();
|
||||
}
|
||||
|
||||
return this._boundary;
|
||||
};
|
||||
|
||||
FormData.prototype._generateBoundary = function() {
|
||||
// This generates a 50 character boundary similar to those used by Firefox.
|
||||
// They are optimized for boyer-moore parsing.
|
||||
var boundary = '--------------------------';
|
||||
for (var i = 0; i < 24; i++) {
|
||||
boundary += Math.floor(Math.random() * 10).toString(16);
|
||||
}
|
||||
|
||||
this._boundary = boundary;
|
||||
};
|
||||
|
||||
FormData.prototype.getLengthSync = function() {
|
||||
var knownLength = this._overheadLength + this._valueLength;
|
||||
|
||||
if (this._streams.length) {
|
||||
knownLength += this._lastBoundary().length;
|
||||
}
|
||||
|
||||
return knownLength;
|
||||
};
|
||||
|
||||
FormData.prototype.getLength = function(cb) {
|
||||
var knownLength = this._overheadLength + this._valueLength;
|
||||
|
||||
if (this._streams.length) {
|
||||
knownLength += this._lastBoundary().length;
|
||||
}
|
||||
|
||||
if (!this._lengthRetrievers.length) {
|
||||
process.nextTick(cb.bind(this, null, knownLength));
|
||||
return;
|
||||
}
|
||||
|
||||
async.parallel(this._lengthRetrievers, function(err, values) {
|
||||
if (err) {
|
||||
cb(err);
|
||||
return;
|
||||
}
|
||||
|
||||
values.forEach(function(length) {
|
||||
knownLength += length;
|
||||
});
|
||||
|
||||
cb(null, knownLength);
|
||||
});
|
||||
};
|
||||
|
||||
FormData.prototype.submit = function(params, cb) {
|
||||
this.getLength(function(err, length) {
|
||||
|
||||
var request
|
||||
, options
|
||||
, defaults = {
|
||||
method : 'post',
|
||||
port : 80,
|
||||
headers: this.getHeaders({'Content-Length': length})
|
||||
};
|
||||
|
||||
// parse provided url if it's string
|
||||
// or treat it as options object
|
||||
if (typeof params == 'string') {
|
||||
params = parseUrl(params);
|
||||
|
||||
options = populate({
|
||||
port: params.port,
|
||||
path: params.pathname,
|
||||
host: params.hostname
|
||||
}, defaults);
|
||||
}
|
||||
else // use custom params
|
||||
{
|
||||
options = populate(params, defaults);
|
||||
}
|
||||
|
||||
// https if specified, fallback to http in any other case
|
||||
if (params.protocol == 'https:') {
|
||||
// override default port
|
||||
if (!params.port) options.port = 443;
|
||||
request = https.request(options);
|
||||
} else {
|
||||
request = http.request(options);
|
||||
}
|
||||
|
||||
this.pipe(request);
|
||||
if (cb) {
|
||||
request.on('error', cb);
|
||||
request.on('response', cb.bind(this, null));
|
||||
}
|
||||
|
||||
return request;
|
||||
}.bind(this));
|
||||
};
|
||||
|
||||
/*
|
||||
* Santa's little helpers
|
||||
*/
|
||||
|
||||
// populates missing values
|
||||
function populate(dst, src) {
|
||||
for (var prop in src) {
|
||||
if (!dst[prop]) dst[prop] = src[prop];
|
||||
}
|
||||
return dst;
|
||||
}
|
8
node_modules/less/node_modules/request/node_modules/form-data/node-form-data.sublime-project
generated
vendored
Normal file
8
node_modules/less/node_modules/request/node_modules/form-data/node-form-data.sublime-project
generated
vendored
Normal file
@ -0,0 +1,8 @@
|
||||
{
|
||||
"folders":
|
||||
[
|
||||
{
|
||||
"path": "/Users/alexi/Dropbox/Projects/node-form-data"
|
||||
}
|
||||
]
|
||||
}
|
673
node_modules/less/node_modules/request/node_modules/form-data/node-form-data.sublime-workspace
generated
vendored
Normal file
673
node_modules/less/node_modules/request/node_modules/form-data/node-form-data.sublime-workspace
generated
vendored
Normal file
File diff suppressed because one or more lines are too long
3
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/.npmignore
generated
vendored
Normal file
3
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/.npmignore
generated
vendored
Normal file
@ -0,0 +1,3 @@
|
||||
*.un~
|
||||
/node_modules
|
||||
/test/tmp
|
19
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/License
generated
vendored
Normal file
19
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/License
generated
vendored
Normal file
@ -0,0 +1,19 @@
|
||||
Copyright (c) 2011 Debuggable Limited <felix@debuggable.com>
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy
|
||||
of this software and associated documentation files (the "Software"), to deal
|
||||
in the Software without restriction, including without limitation the rights
|
||||
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||
copies of the Software, and to permit persons to whom the Software is
|
||||
furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in
|
||||
all copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
||||
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
||||
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
||||
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
||||
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
|
||||
THE SOFTWARE.
|
7
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/Makefile
generated
vendored
Normal file
7
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/Makefile
generated
vendored
Normal file
@ -0,0 +1,7 @@
|
||||
SHELL := /bin/bash
|
||||
|
||||
test:
|
||||
@./test/run.js
|
||||
|
||||
.PHONY: test
|
||||
|
132
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/Readme.md
generated
vendored
Normal file
132
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/Readme.md
generated
vendored
Normal file
@ -0,0 +1,132 @@
|
||||
# combined-stream
|
||||
|
||||
A stream that emits multiple other streams one after another.
|
||||
|
||||
## Installation
|
||||
|
||||
``` bash
|
||||
npm install combined-stream
|
||||
```
|
||||
|
||||
## Usage
|
||||
|
||||
Here is a simple example that shows how you can use combined-stream to combine
|
||||
two files into one:
|
||||
|
||||
``` javascript
|
||||
var CombinedStream = require('combined-stream');
|
||||
var fs = require('fs');
|
||||
|
||||
var combinedStream = CombinedStream.create();
|
||||
combinedStream.append(fs.createReadStream('file1.txt'));
|
||||
combinedStream.append(fs.createReadStream('file2.txt'));
|
||||
|
||||
combinedStream.pipe(fs.createWriteStream('combined.txt'));
|
||||
```
|
||||
|
||||
While the example above works great, it will pause all source streams until
|
||||
they are needed. If you don't want that to happen, you can set `pauseStreams`
|
||||
to `false`:
|
||||
|
||||
``` javascript
|
||||
var CombinedStream = require('combined-stream');
|
||||
var fs = require('fs');
|
||||
|
||||
var combinedStream = CombinedStream.create({pauseStreams: false});
|
||||
combinedStream.append(fs.createReadStream('file1.txt'));
|
||||
combinedStream.append(fs.createReadStream('file2.txt'));
|
||||
|
||||
combinedStream.pipe(fs.createWriteStream('combined.txt'));
|
||||
```
|
||||
|
||||
However, what if you don't have all the source streams yet, or you don't want
|
||||
to allocate the resources (file descriptors, memory, etc.) for them right away?
|
||||
Well, in that case you can simply provide a callback that supplies the stream
|
||||
by calling a `next()` function:
|
||||
|
||||
``` javascript
|
||||
var CombinedStream = require('combined-stream');
|
||||
var fs = require('fs');
|
||||
|
||||
var combinedStream = CombinedStream.create();
|
||||
combinedStream.append(function(next) {
|
||||
next(fs.createReadStream('file1.txt'));
|
||||
});
|
||||
combinedStream.append(function(next) {
|
||||
next(fs.createReadStream('file2.txt'));
|
||||
});
|
||||
|
||||
combinedStream.pipe(fs.createWriteStream('combined.txt'));
|
||||
```
|
||||
|
||||
## API
|
||||
|
||||
### CombinedStream.create([options])
|
||||
|
||||
Returns a new combined stream object. Available options are:
|
||||
|
||||
* `maxDataSize`
|
||||
* `pauseStreams`
|
||||
|
||||
The effect of those options is described below.
|
||||
|
||||
### combinedStream.pauseStreams = true
|
||||
|
||||
Whether to apply back pressure to the underlaying streams. If set to `false`,
|
||||
the underlaying streams will never be paused. If set to `true`, the
|
||||
underlaying streams will be paused right after being appended, as well as when
|
||||
`delayedStream.pipe()` wants to throttle.
|
||||
|
||||
### combinedStream.maxDataSize = 2 * 1024 * 1024
|
||||
|
||||
The maximum amount of bytes (or characters) to buffer for all source streams.
|
||||
If this value is exceeded, `combinedStream` emits an `'error'` event.
|
||||
|
||||
### combinedStream.dataSize = 0
|
||||
|
||||
The amount of bytes (or characters) currently buffered by `combinedStream`.
|
||||
|
||||
### combinedStream.append(stream)
|
||||
|
||||
Appends the given `stream` to the combinedStream object. If `pauseStreams` is
|
||||
set to `true, this stream will also be paused right away.
|
||||
|
||||
`streams` can also be a function that takes one parameter called `next`. `next`
|
||||
is a function that must be invoked in order to provide the `next` stream, see
|
||||
example above.
|
||||
|
||||
Regardless of how the `stream` is appended, combined-stream always attaches an
|
||||
`'error'` listener to it, so you don't have to do that manually.
|
||||
|
||||
Special case: `stream` can also be a String or Buffer.
|
||||
|
||||
### combinedStream.write(data)
|
||||
|
||||
You should not call this, `combinedStream` takes care of piping the appended
|
||||
streams into itself for you.
|
||||
|
||||
### combinedStream.resume()
|
||||
|
||||
Causes `combinedStream` to start drain the streams it manages. The function is
|
||||
idempotent, and also emits a `'resume'` event each time which usually goes to
|
||||
the stream that is currently being drained.
|
||||
|
||||
### combinedStream.pause();
|
||||
|
||||
If `combinedStream.pauseStreams` is set to `false`, this does nothing.
|
||||
Otherwise a `'pause'` event is emitted, this goes to the stream that is
|
||||
currently being drained, so you can use it to apply back pressure.
|
||||
|
||||
### combinedStream.end();
|
||||
|
||||
Sets `combinedStream.writable` to false, emits an `'end'` event, and removes
|
||||
all streams from the queue.
|
||||
|
||||
### combinedStream.destroy();
|
||||
|
||||
Same as `combinedStream.end()`, except it emits a `'close'` event instead of
|
||||
`'end'`.
|
||||
|
||||
## License
|
||||
|
||||
combined-stream is licensed under the MIT license.
|
185
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/lib/combined_stream.js
generated
vendored
Normal file
185
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/lib/combined_stream.js
generated
vendored
Normal file
@ -0,0 +1,185 @@
|
||||
var util = require('util');
|
||||
var Stream = require('stream').Stream;
|
||||
var DelayedStream = require('delayed-stream');
|
||||
|
||||
module.exports = CombinedStream;
|
||||
function CombinedStream() {
|
||||
this.writable = false;
|
||||
this.readable = true;
|
||||
this.dataSize = 0;
|
||||
this.maxDataSize = 2 * 1024 * 1024;
|
||||
this.pauseStreams = true;
|
||||
|
||||
this._released = false;
|
||||
this._streams = [];
|
||||
this._currentStream = null;
|
||||
}
|
||||
util.inherits(CombinedStream, Stream);
|
||||
|
||||
CombinedStream.create = function(options) {
|
||||
var combinedStream = new this();
|
||||
|
||||
options = options || {};
|
||||
for (var option in options) {
|
||||
combinedStream[option] = options[option];
|
||||
}
|
||||
|
||||
return combinedStream;
|
||||
};
|
||||
|
||||
CombinedStream.isStreamLike = function(stream) {
|
||||
return (typeof stream !== 'function')
|
||||
&& (typeof stream !== 'string')
|
||||
&& (typeof stream !== 'boolean')
|
||||
&& (typeof stream !== 'number')
|
||||
&& (!Buffer.isBuffer(stream));
|
||||
};
|
||||
|
||||
CombinedStream.prototype.append = function(stream) {
|
||||
var isStreamLike = CombinedStream.isStreamLike(stream);
|
||||
|
||||
if (isStreamLike) {
|
||||
if (!(stream instanceof DelayedStream)) {
|
||||
stream.on('data', this._checkDataSize.bind(this));
|
||||
|
||||
stream = DelayedStream.create(stream, {
|
||||
maxDataSize: Infinity,
|
||||
pauseStream: this.pauseStreams,
|
||||
});
|
||||
}
|
||||
|
||||
this._handleErrors(stream);
|
||||
|
||||
if (this.pauseStreams) {
|
||||
stream.pause();
|
||||
}
|
||||
}
|
||||
|
||||
this._streams.push(stream);
|
||||
return this;
|
||||
};
|
||||
|
||||
CombinedStream.prototype.pipe = function(dest, options) {
|
||||
Stream.prototype.pipe.call(this, dest, options);
|
||||
this.resume();
|
||||
};
|
||||
|
||||
CombinedStream.prototype._getNext = function() {
|
||||
this._currentStream = null;
|
||||
var stream = this._streams.shift();
|
||||
|
||||
|
||||
if (typeof stream == 'undefined') {
|
||||
this.end();
|
||||
return;
|
||||
}
|
||||
|
||||
if (typeof stream !== 'function') {
|
||||
this._pipeNext(stream);
|
||||
return;
|
||||
}
|
||||
|
||||
var getStream = stream;
|
||||
getStream(function(stream) {
|
||||
var isStreamLike = CombinedStream.isStreamLike(stream);
|
||||
if (isStreamLike) {
|
||||
stream.on('data', this._checkDataSize.bind(this));
|
||||
this._handleErrors(stream);
|
||||
}
|
||||
|
||||
this._pipeNext(stream);
|
||||
}.bind(this));
|
||||
};
|
||||
|
||||
CombinedStream.prototype._pipeNext = function(stream) {
|
||||
this._currentStream = stream;
|
||||
|
||||
var isStreamLike = CombinedStream.isStreamLike(stream);
|
||||
if (isStreamLike) {
|
||||
stream.on('end', this._getNext.bind(this))
|
||||
stream.pipe(this, {end: false});
|
||||
return;
|
||||
}
|
||||
|
||||
var value = stream;
|
||||
this.write(value);
|
||||
this._getNext();
|
||||
};
|
||||
|
||||
CombinedStream.prototype._handleErrors = function(stream) {
|
||||
var self = this;
|
||||
stream.on('error', function(err) {
|
||||
self._emitError(err);
|
||||
});
|
||||
};
|
||||
|
||||
CombinedStream.prototype.write = function(data) {
|
||||
this.emit('data', data);
|
||||
};
|
||||
|
||||
CombinedStream.prototype.pause = function() {
|
||||
if (!this.pauseStreams) {
|
||||
return;
|
||||
}
|
||||
|
||||
this.emit('pause');
|
||||
};
|
||||
|
||||
CombinedStream.prototype.resume = function() {
|
||||
if (!this._released) {
|
||||
this._released = true;
|
||||
this.writable = true;
|
||||
this._getNext();
|
||||
}
|
||||
|
||||
this.emit('resume');
|
||||
};
|
||||
|
||||
CombinedStream.prototype.end = function() {
|
||||
this._reset();
|
||||
this.emit('end');
|
||||
};
|
||||
|
||||
CombinedStream.prototype.destroy = function() {
|
||||
this._reset();
|
||||
this.emit('close');
|
||||
};
|
||||
|
||||
CombinedStream.prototype._reset = function() {
|
||||
this.writable = false;
|
||||
this._streams = [];
|
||||
this._currentStream = null;
|
||||
};
|
||||
|
||||
CombinedStream.prototype._checkDataSize = function() {
|
||||
this._updateDataSize();
|
||||
if (this.dataSize <= this.maxDataSize) {
|
||||
return;
|
||||
}
|
||||
|
||||
var message =
|
||||
'DelayedStream#maxDataSize of ' + this.maxDataSize + ' bytes exceeded.'
|
||||
this._emitError(new Error(message));
|
||||
};
|
||||
|
||||
CombinedStream.prototype._updateDataSize = function() {
|
||||
this.dataSize = 0;
|
||||
|
||||
var self = this;
|
||||
this._streams.forEach(function(stream) {
|
||||
if (!stream.dataSize) {
|
||||
return;
|
||||
}
|
||||
|
||||
self.dataSize += stream.dataSize;
|
||||
});
|
||||
|
||||
if (this._currentStream && this._currentStream.dataSize) {
|
||||
this.dataSize += this._currentStream.dataSize;
|
||||
}
|
||||
};
|
||||
|
||||
CombinedStream.prototype._emitError = function(err) {
|
||||
this._reset();
|
||||
this.emit('error', err);
|
||||
};
|
2
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/node_modules/delayed-stream/.npmignore
generated
vendored
Normal file
2
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/node_modules/delayed-stream/.npmignore
generated
vendored
Normal file
@ -0,0 +1,2 @@
|
||||
*.un~
|
||||
/node_modules/*
|
19
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/node_modules/delayed-stream/License
generated
vendored
Normal file
19
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/node_modules/delayed-stream/License
generated
vendored
Normal file
@ -0,0 +1,19 @@
|
||||
Copyright (c) 2011 Debuggable Limited <felix@debuggable.com>
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy
|
||||
of this software and associated documentation files (the "Software"), to deal
|
||||
in the Software without restriction, including without limitation the rights
|
||||
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
||||
copies of the Software, and to permit persons to whom the Software is
|
||||
furnished to do so, subject to the following conditions:
|
||||
|
||||
The above copyright notice and this permission notice shall be included in
|
||||
all copies or substantial portions of the Software.
|
||||
|
||||
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
||||
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
||||
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
||||
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
||||
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
||||
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
|
||||
THE SOFTWARE.
|
7
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/node_modules/delayed-stream/Makefile
generated
vendored
Normal file
7
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/node_modules/delayed-stream/Makefile
generated
vendored
Normal file
@ -0,0 +1,7 @@
|
||||
SHELL := /bin/bash
|
||||
|
||||
test:
|
||||
@./test/run.js
|
||||
|
||||
.PHONY: test
|
||||
|
154
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/node_modules/delayed-stream/Readme.md
generated
vendored
Normal file
154
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/node_modules/delayed-stream/Readme.md
generated
vendored
Normal file
@ -0,0 +1,154 @@
|
||||
# delayed-stream
|
||||
|
||||
Buffers events from a stream until you are ready to handle them.
|
||||
|
||||
## Installation
|
||||
|
||||
``` bash
|
||||
npm install delayed-stream
|
||||
```
|
||||
|
||||
## Usage
|
||||
|
||||
The following example shows how to write a http echo server that delays its
|
||||
response by 1000 ms.
|
||||
|
||||
``` javascript
|
||||
var DelayedStream = require('delayed-stream');
|
||||
var http = require('http');
|
||||
|
||||
http.createServer(function(req, res) {
|
||||
var delayed = DelayedStream.create(req);
|
||||
|
||||
setTimeout(function() {
|
||||
res.writeHead(200);
|
||||
delayed.pipe(res);
|
||||
}, 1000);
|
||||
});
|
||||
```
|
||||
|
||||
If you are not using `Stream#pipe`, you can also manually release the buffered
|
||||
events by calling `delayedStream.resume()`:
|
||||
|
||||
``` javascript
|
||||
var delayed = DelayedStream.create(req);
|
||||
|
||||
setTimeout(function() {
|
||||
// Emit all buffered events and resume underlaying source
|
||||
delayed.resume();
|
||||
}, 1000);
|
||||
```
|
||||
|
||||
## Implementation
|
||||
|
||||
In order to use this meta stream properly, here are a few things you should
|
||||
know about the implementation.
|
||||
|
||||
### Event Buffering / Proxying
|
||||
|
||||
All events of the `source` stream are hijacked by overwriting the `source.emit`
|
||||
method. Until node implements a catch-all event listener, this is the only way.
|
||||
|
||||
However, delayed-stream still continues to emit all events it captures on the
|
||||
`source`, regardless of whether you have released the delayed stream yet or
|
||||
not.
|
||||
|
||||
Upon creation, delayed-stream captures all `source` events and stores them in
|
||||
an internal event buffer. Once `delayedStream.release()` is called, all
|
||||
buffered events are emitted on the `delayedStream`, and the event buffer is
|
||||
cleared. After that, delayed-stream merely acts as a proxy for the underlaying
|
||||
source.
|
||||
|
||||
### Error handling
|
||||
|
||||
Error events on `source` are buffered / proxied just like any other events.
|
||||
However, `delayedStream.create` attaches a no-op `'error'` listener to the
|
||||
`source`. This way you only have to handle errors on the `delayedStream`
|
||||
object, rather than in two places.
|
||||
|
||||
### Buffer limits
|
||||
|
||||
delayed-stream provides a `maxDataSize` property that can be used to limit
|
||||
the amount of data being buffered. In order to protect you from bad `source`
|
||||
streams that don't react to `source.pause()`, this feature is enabled by
|
||||
default.
|
||||
|
||||
## API
|
||||
|
||||
### DelayedStream.create(source, [options])
|
||||
|
||||
Returns a new `delayedStream`. Available options are:
|
||||
|
||||
* `pauseStream`
|
||||
* `maxDataSize`
|
||||
|
||||
The description for those properties can be found below.
|
||||
|
||||
### delayedStream.source
|
||||
|
||||
The `source` stream managed by this object. This is useful if you are
|
||||
passing your `delayedStream` around, and you still want to access properties
|
||||
on the `source` object.
|
||||
|
||||
### delayedStream.pauseStream = true
|
||||
|
||||
Whether to pause the underlaying `source` when calling
|
||||
`DelayedStream.create()`. Modifying this property afterwards has no effect.
|
||||
|
||||
### delayedStream.maxDataSize = 1024 * 1024
|
||||
|
||||
The amount of data to buffer before emitting an `error`.
|
||||
|
||||
If the underlaying source is emitting `Buffer` objects, the `maxDataSize`
|
||||
refers to bytes.
|
||||
|
||||
If the underlaying source is emitting JavaScript strings, the size refers to
|
||||
characters.
|
||||
|
||||
If you know what you are doing, you can set this property to `Infinity` to
|
||||
disable this feature. You can also modify this property during runtime.
|
||||
|
||||
### delayedStream.maxDataSize = 1024 * 1024
|
||||
|
||||
The amount of data to buffer before emitting an `error`.
|
||||
|
||||
If the underlaying source is emitting `Buffer` objects, the `maxDataSize`
|
||||
refers to bytes.
|
||||
|
||||
If the underlaying source is emitting JavaScript strings, the size refers to
|
||||
characters.
|
||||
|
||||
If you know what you are doing, you can set this property to `Infinity` to
|
||||
disable this feature.
|
||||
|
||||
### delayedStream.dataSize = 0
|
||||
|
||||
The amount of data buffered so far.
|
||||
|
||||
### delayedStream.readable
|
||||
|
||||
An ECMA5 getter that returns the value of `source.readable`.
|
||||
|
||||
### delayedStream.resume()
|
||||
|
||||
If the `delayedStream` has not been released so far, `delayedStream.release()`
|
||||
is called.
|
||||
|
||||
In either case, `source.resume()` is called.
|
||||
|
||||
### delayedStream.pause()
|
||||
|
||||
Calls `source.pause()`.
|
||||
|
||||
### delayedStream.pipe(dest)
|
||||
|
||||
Calls `delayedStream.resume()` and then proxies the arguments to `source.pipe`.
|
||||
|
||||
### delayedStream.release()
|
||||
|
||||
Emits and clears all events that have been buffered up so far. This does not
|
||||
resume the underlaying source, use `delayedStream.resume()` instead.
|
||||
|
||||
## License
|
||||
|
||||
delayed-stream is licensed under the MIT license.
|
@ -0,0 +1,99 @@
|
||||
var Stream = require('stream').Stream;
|
||||
var util = require('util');
|
||||
|
||||
module.exports = DelayedStream;
|
||||
function DelayedStream() {
|
||||
this.source = null;
|
||||
this.dataSize = 0;
|
||||
this.maxDataSize = 1024 * 1024;
|
||||
this.pauseStream = true;
|
||||
|
||||
this._maxDataSizeExceeded = false;
|
||||
this._released = false;
|
||||
this._bufferedEvents = [];
|
||||
}
|
||||
util.inherits(DelayedStream, Stream);
|
||||
|
||||
DelayedStream.create = function(source, options) {
|
||||
var delayedStream = new this();
|
||||
|
||||
options = options || {};
|
||||
for (var option in options) {
|
||||
delayedStream[option] = options[option];
|
||||
}
|
||||
|
||||
delayedStream.source = source;
|
||||
|
||||
var realEmit = source.emit;
|
||||
source.emit = function() {
|
||||
delayedStream._handleEmit(arguments);
|
||||
return realEmit.apply(source, arguments);
|
||||
};
|
||||
|
||||
source.on('error', function() {});
|
||||
if (delayedStream.pauseStream) {
|
||||
source.pause();
|
||||
}
|
||||
|
||||
return delayedStream;
|
||||
};
|
||||
|
||||
DelayedStream.prototype.__defineGetter__('readable', function() {
|
||||
return this.source.readable;
|
||||
});
|
||||
|
||||
DelayedStream.prototype.resume = function() {
|
||||
if (!this._released) {
|
||||
this.release();
|
||||
}
|
||||
|
||||
this.source.resume();
|
||||
};
|
||||
|
||||
DelayedStream.prototype.pause = function() {
|
||||
this.source.pause();
|
||||
};
|
||||
|
||||
DelayedStream.prototype.release = function() {
|
||||
this._released = true;
|
||||
|
||||
this._bufferedEvents.forEach(function(args) {
|
||||
this.emit.apply(this, args);
|
||||
}.bind(this));
|
||||
this._bufferedEvents = [];
|
||||
};
|
||||
|
||||
DelayedStream.prototype.pipe = function() {
|
||||
var r = Stream.prototype.pipe.apply(this, arguments);
|
||||
this.resume();
|
||||
return r;
|
||||
};
|
||||
|
||||
DelayedStream.prototype._handleEmit = function(args) {
|
||||
if (this._released) {
|
||||
this.emit.apply(this, args);
|
||||
return;
|
||||
}
|
||||
|
||||
if (args[0] === 'data') {
|
||||
this.dataSize += args[1].length;
|
||||
this._checkIfMaxDataSizeExceeded();
|
||||
}
|
||||
|
||||
this._bufferedEvents.push(args);
|
||||
};
|
||||
|
||||
DelayedStream.prototype._checkIfMaxDataSizeExceeded = function() {
|
||||
if (this._maxDataSizeExceeded) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (this.dataSize <= this.maxDataSize) {
|
||||
return;
|
||||
}
|
||||
|
||||
this._maxDataSizeExceeded = true;
|
||||
var message =
|
||||
'DelayedStream#maxDataSize of ' + this.maxDataSize + ' bytes exceeded.'
|
||||
this.emit('error', new Error(message));
|
||||
};
|
32
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/node_modules/delayed-stream/package.json
generated
vendored
Normal file
32
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/node_modules/delayed-stream/package.json
generated
vendored
Normal file
@ -0,0 +1,32 @@
|
||||
{
|
||||
"author": {
|
||||
"name": "Felix Geisendörfer",
|
||||
"email": "felix@debuggable.com",
|
||||
"url": "http://debuggable.com/"
|
||||
},
|
||||
"name": "delayed-stream",
|
||||
"description": "Buffers events from a stream until you are ready to handle them.",
|
||||
"version": "0.0.5",
|
||||
"homepage": "https://github.com/felixge/node-delayed-stream",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git://github.com/felixge/node-delayed-stream.git"
|
||||
},
|
||||
"main": "./lib/delayed_stream",
|
||||
"engines": {
|
||||
"node": ">=0.4.0"
|
||||
},
|
||||
"dependencies": {},
|
||||
"devDependencies": {
|
||||
"fake": "0.2.0",
|
||||
"far": "0.0.1"
|
||||
},
|
||||
"readme": "# delayed-stream\n\nBuffers events from a stream until you are ready to handle them.\n\n## Installation\n\n``` bash\nnpm install delayed-stream\n```\n\n## Usage\n\nThe following example shows how to write a http echo server that delays its\nresponse by 1000 ms.\n\n``` javascript\nvar DelayedStream = require('delayed-stream');\nvar http = require('http');\n\nhttp.createServer(function(req, res) {\n var delayed = DelayedStream.create(req);\n\n setTimeout(function() {\n res.writeHead(200);\n delayed.pipe(res);\n }, 1000);\n});\n```\n\nIf you are not using `Stream#pipe`, you can also manually release the buffered\nevents by calling `delayedStream.resume()`:\n\n``` javascript\nvar delayed = DelayedStream.create(req);\n\nsetTimeout(function() {\n // Emit all buffered events and resume underlaying source\n delayed.resume();\n}, 1000);\n```\n\n## Implementation\n\nIn order to use this meta stream properly, here are a few things you should\nknow about the implementation.\n\n### Event Buffering / Proxying\n\nAll events of the `source` stream are hijacked by overwriting the `source.emit`\nmethod. Until node implements a catch-all event listener, this is the only way.\n\nHowever, delayed-stream still continues to emit all events it captures on the\n`source`, regardless of whether you have released the delayed stream yet or\nnot.\n\nUpon creation, delayed-stream captures all `source` events and stores them in\nan internal event buffer. Once `delayedStream.release()` is called, all\nbuffered events are emitted on the `delayedStream`, and the event buffer is\ncleared. After that, delayed-stream merely acts as a proxy for the underlaying\nsource.\n\n### Error handling\n\nError events on `source` are buffered / proxied just like any other events.\nHowever, `delayedStream.create` attaches a no-op `'error'` listener to the\n`source`. This way you only have to handle errors on the `delayedStream`\nobject, rather than in two places.\n\n### Buffer limits\n\ndelayed-stream provides a `maxDataSize` property that can be used to limit\nthe amount of data being buffered. In order to protect you from bad `source`\nstreams that don't react to `source.pause()`, this feature is enabled by\ndefault.\n\n## API\n\n### DelayedStream.create(source, [options])\n\nReturns a new `delayedStream`. Available options are:\n\n* `pauseStream`\n* `maxDataSize`\n\nThe description for those properties can be found below.\n\n### delayedStream.source\n\nThe `source` stream managed by this object. This is useful if you are\npassing your `delayedStream` around, and you still want to access properties\non the `source` object.\n\n### delayedStream.pauseStream = true\n\nWhether to pause the underlaying `source` when calling\n`DelayedStream.create()`. Modifying this property afterwards has no effect.\n\n### delayedStream.maxDataSize = 1024 * 1024\n\nThe amount of data to buffer before emitting an `error`.\n\nIf the underlaying source is emitting `Buffer` objects, the `maxDataSize`\nrefers to bytes.\n\nIf the underlaying source is emitting JavaScript strings, the size refers to\ncharacters.\n\nIf you know what you are doing, you can set this property to `Infinity` to\ndisable this feature. You can also modify this property during runtime.\n\n### delayedStream.maxDataSize = 1024 * 1024\n\nThe amount of data to buffer before emitting an `error`.\n\nIf the underlaying source is emitting `Buffer` objects, the `maxDataSize`\nrefers to bytes.\n\nIf the underlaying source is emitting JavaScript strings, the size refers to\ncharacters.\n\nIf you know what you are doing, you can set this property to `Infinity` to\ndisable this feature.\n\n### delayedStream.dataSize = 0\n\nThe amount of data buffered so far.\n\n### delayedStream.readable\n\nAn ECMA5 getter that returns the value of `source.readable`.\n\n### delayedStream.resume()\n\nIf the `delayedStream` has not been released so far, `delayedStream.release()`\nis called.\n\nIn either case, `source.resume()` is called.\n\n### delayedStream.pause()\n\nCalls `source.pause()`.\n\n### delayedStream.pipe(dest)\n\nCalls `delayedStream.resume()` and then proxies the arguments to `source.pipe`.\n\n### delayedStream.release()\n\nEmits and clears all events that have been buffered up so far. This does not\nresume the underlaying source, use `delayedStream.resume()` instead.\n\n## License\n\ndelayed-stream is licensed under the MIT license.\n",
|
||||
"readmeFilename": "Readme.md",
|
||||
"_id": "delayed-stream@0.0.5",
|
||||
"dist": {
|
||||
"shasum": "fe8b8b3b3fcfffe33d4e23cf489b967656ec8adb"
|
||||
},
|
||||
"_from": "delayed-stream@0.0.5",
|
||||
"_resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-0.0.5.tgz"
|
||||
}
|
@ -0,0 +1,6 @@
|
||||
var common = module.exports;
|
||||
|
||||
common.DelayedStream = require('..');
|
||||
common.assert = require('assert');
|
||||
common.fake = require('fake');
|
||||
common.PORT = 49252;
|
@ -0,0 +1,38 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var DelayedStream = common.DelayedStream;
|
||||
var http = require('http');
|
||||
|
||||
var UPLOAD = new Buffer(10 * 1024 * 1024);
|
||||
|
||||
var server = http.createServer(function(req, res) {
|
||||
var delayed = DelayedStream.create(req, {maxDataSize: UPLOAD.length});
|
||||
|
||||
setTimeout(function() {
|
||||
res.writeHead(200);
|
||||
delayed.pipe(res);
|
||||
}, 10);
|
||||
});
|
||||
server.listen(common.PORT, function() {
|
||||
var request = http.request({
|
||||
method: 'POST',
|
||||
port: common.PORT,
|
||||
});
|
||||
|
||||
request.write(UPLOAD);
|
||||
request.end();
|
||||
|
||||
request.on('response', function(res) {
|
||||
var received = 0;
|
||||
res
|
||||
.on('data', function(chunk) {
|
||||
received += chunk.length;
|
||||
})
|
||||
.on('end', function() {
|
||||
assert.equal(received, UPLOAD.length);
|
||||
server.close();
|
||||
});
|
||||
});
|
||||
});
|
||||
|
||||
|
@ -0,0 +1,21 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var fake = common.fake.create();
|
||||
var DelayedStream = common.DelayedStream;
|
||||
var Stream = require('stream').Stream;
|
||||
|
||||
(function testAutoPause() {
|
||||
var source = new Stream();
|
||||
|
||||
fake.expect(source, 'pause', 1);
|
||||
var delayedStream = DelayedStream.create(source);
|
||||
fake.verify();
|
||||
})();
|
||||
|
||||
(function testDisableAutoPause() {
|
||||
var source = new Stream();
|
||||
fake.expect(source, 'pause', 0);
|
||||
|
||||
var delayedStream = DelayedStream.create(source, {pauseStream: false});
|
||||
fake.verify();
|
||||
})();
|
@ -0,0 +1,14 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var fake = common.fake.create();
|
||||
var DelayedStream = common.DelayedStream;
|
||||
var Stream = require('stream').Stream;
|
||||
|
||||
(function testDelayEventsUntilResume() {
|
||||
var source = new Stream();
|
||||
var delayedStream = DelayedStream.create(source, {pauseStream: false});
|
||||
|
||||
fake.expect(source, 'pause');
|
||||
delayedStream.pause();
|
||||
fake.verify();
|
||||
})();
|
@ -0,0 +1,48 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var fake = common.fake.create();
|
||||
var DelayedStream = common.DelayedStream;
|
||||
var Stream = require('stream').Stream;
|
||||
|
||||
(function testDelayEventsUntilResume() {
|
||||
var source = new Stream();
|
||||
var delayedStream = DelayedStream.create(source, {pauseStream: false});
|
||||
|
||||
// delayedStream must not emit until we resume
|
||||
fake.expect(delayedStream, 'emit', 0);
|
||||
|
||||
// but our original source must emit
|
||||
var params = [];
|
||||
source.on('foo', function(param) {
|
||||
params.push(param);
|
||||
});
|
||||
|
||||
source.emit('foo', 1);
|
||||
source.emit('foo', 2);
|
||||
|
||||
// Make sure delayedStream did not emit, and source did
|
||||
assert.deepEqual(params, [1, 2]);
|
||||
fake.verify();
|
||||
|
||||
// After resume, delayedStream must playback all events
|
||||
fake
|
||||
.stub(delayedStream, 'emit')
|
||||
.times(Infinity)
|
||||
.withArg(1, 'newListener');
|
||||
fake.expect(delayedStream, 'emit', ['foo', 1]);
|
||||
fake.expect(delayedStream, 'emit', ['foo', 2]);
|
||||
fake.expect(source, 'resume');
|
||||
|
||||
delayedStream.resume();
|
||||
fake.verify();
|
||||
|
||||
// Calling resume again will delegate to source
|
||||
fake.expect(source, 'resume');
|
||||
delayedStream.resume();
|
||||
fake.verify();
|
||||
|
||||
// Emitting more events directly leads to them being emitted
|
||||
fake.expect(delayedStream, 'emit', ['foo', 3]);
|
||||
source.emit('foo', 3);
|
||||
fake.verify();
|
||||
})();
|
@ -0,0 +1,15 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var fake = common.fake.create();
|
||||
var DelayedStream = common.DelayedStream;
|
||||
var Stream = require('stream').Stream;
|
||||
|
||||
(function testHandleSourceErrors() {
|
||||
var source = new Stream();
|
||||
var delayedStream = DelayedStream.create(source, {pauseStream: false});
|
||||
|
||||
// We deal with this by attaching a no-op listener to 'error' on the source
|
||||
// when creating a new DelayedStream. This way error events on the source
|
||||
// won't throw.
|
||||
source.emit('error', new Error('something went wrong'));
|
||||
})();
|
@ -0,0 +1,18 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var fake = common.fake.create();
|
||||
var DelayedStream = common.DelayedStream;
|
||||
var Stream = require('stream').Stream;
|
||||
|
||||
(function testMaxDataSize() {
|
||||
var source = new Stream();
|
||||
var delayedStream = DelayedStream.create(source, {maxDataSize: 1024, pauseStream: false});
|
||||
|
||||
source.emit('data', new Buffer(1024));
|
||||
|
||||
fake
|
||||
.expect(delayedStream, 'emit')
|
||||
.withArg(1, 'error');
|
||||
source.emit('data', new Buffer(1));
|
||||
fake.verify();
|
||||
})();
|
@ -0,0 +1,13 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var fake = common.fake.create();
|
||||
var DelayedStream = common.DelayedStream;
|
||||
var Stream = require('stream').Stream;
|
||||
|
||||
(function testPipeReleases() {
|
||||
var source = new Stream();
|
||||
var delayedStream = DelayedStream.create(source, {pauseStream: false});
|
||||
|
||||
fake.expect(delayedStream, 'resume');
|
||||
delayedStream.pipe(new Stream());
|
||||
})();
|
@ -0,0 +1,13 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var fake = common.fake.create();
|
||||
var DelayedStream = common.DelayedStream;
|
||||
var Stream = require('stream').Stream;
|
||||
|
||||
(function testProxyReadableProperty() {
|
||||
var source = new Stream();
|
||||
var delayedStream = DelayedStream.create(source, {pauseStream: false});
|
||||
|
||||
source.readable = fake.value('source.readable');
|
||||
assert.strictEqual(delayedStream.readable, source.readable);
|
||||
})();
|
7
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/node_modules/delayed-stream/test/run.js
generated
vendored
Executable file
7
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/node_modules/delayed-stream/test/run.js
generated
vendored
Executable file
@ -0,0 +1,7 @@
|
||||
#!/usr/bin/env node
|
||||
var far = require('far').create();
|
||||
|
||||
far.add(__dirname);
|
||||
far.include(/test-.*\.js$/);
|
||||
|
||||
far.execute();
|
33
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/package.json
generated
vendored
Normal file
33
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/package.json
generated
vendored
Normal file
@ -0,0 +1,33 @@
|
||||
{
|
||||
"author": {
|
||||
"name": "Felix Geisendörfer",
|
||||
"email": "felix@debuggable.com",
|
||||
"url": "http://debuggable.com/"
|
||||
},
|
||||
"name": "combined-stream",
|
||||
"description": "A stream that emits multiple other streams one after another.",
|
||||
"version": "0.0.4",
|
||||
"homepage": "https://github.com/felixge/node-combined-stream",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git://github.com/felixge/node-combined-stream.git"
|
||||
},
|
||||
"main": "./lib/combined_stream",
|
||||
"engines": {
|
||||
"node": "*"
|
||||
},
|
||||
"dependencies": {
|
||||
"delayed-stream": "0.0.5"
|
||||
},
|
||||
"devDependencies": {
|
||||
"far": "0.0.1"
|
||||
},
|
||||
"readme": "# combined-stream\n\nA stream that emits multiple other streams one after another.\n\n## Installation\n\n``` bash\nnpm install combined-stream\n```\n\n## Usage\n\nHere is a simple example that shows how you can use combined-stream to combine\ntwo files into one:\n\n``` javascript\nvar CombinedStream = require('combined-stream');\nvar fs = require('fs');\n\nvar combinedStream = CombinedStream.create();\ncombinedStream.append(fs.createReadStream('file1.txt'));\ncombinedStream.append(fs.createReadStream('file2.txt'));\n\ncombinedStream.pipe(fs.createWriteStream('combined.txt'));\n```\n\nWhile the example above works great, it will pause all source streams until\nthey are needed. If you don't want that to happen, you can set `pauseStreams`\nto `false`:\n\n``` javascript\nvar CombinedStream = require('combined-stream');\nvar fs = require('fs');\n\nvar combinedStream = CombinedStream.create({pauseStreams: false});\ncombinedStream.append(fs.createReadStream('file1.txt'));\ncombinedStream.append(fs.createReadStream('file2.txt'));\n\ncombinedStream.pipe(fs.createWriteStream('combined.txt'));\n```\n\nHowever, what if you don't have all the source streams yet, or you don't want\nto allocate the resources (file descriptors, memory, etc.) for them right away?\nWell, in that case you can simply provide a callback that supplies the stream\nby calling a `next()` function:\n\n``` javascript\nvar CombinedStream = require('combined-stream');\nvar fs = require('fs');\n\nvar combinedStream = CombinedStream.create();\ncombinedStream.append(function(next) {\n next(fs.createReadStream('file1.txt'));\n});\ncombinedStream.append(function(next) {\n next(fs.createReadStream('file2.txt'));\n});\n\ncombinedStream.pipe(fs.createWriteStream('combined.txt'));\n```\n\n## API\n\n### CombinedStream.create([options])\n\nReturns a new combined stream object. Available options are:\n\n* `maxDataSize`\n* `pauseStreams`\n\nThe effect of those options is described below.\n\n### combinedStream.pauseStreams = true\n\nWhether to apply back pressure to the underlaying streams. If set to `false`,\nthe underlaying streams will never be paused. If set to `true`, the\nunderlaying streams will be paused right after being appended, as well as when\n`delayedStream.pipe()` wants to throttle.\n\n### combinedStream.maxDataSize = 2 * 1024 * 1024\n\nThe maximum amount of bytes (or characters) to buffer for all source streams.\nIf this value is exceeded, `combinedStream` emits an `'error'` event.\n\n### combinedStream.dataSize = 0\n\nThe amount of bytes (or characters) currently buffered by `combinedStream`.\n\n### combinedStream.append(stream)\n\nAppends the given `stream` to the combinedStream object. If `pauseStreams` is\nset to `true, this stream will also be paused right away.\n\n`streams` can also be a function that takes one parameter called `next`. `next`\nis a function that must be invoked in order to provide the `next` stream, see\nexample above.\n\nRegardless of how the `stream` is appended, combined-stream always attaches an\n`'error'` listener to it, so you don't have to do that manually.\n\nSpecial case: `stream` can also be a String or Buffer.\n\n### combinedStream.write(data)\n\nYou should not call this, `combinedStream` takes care of piping the appended\nstreams into itself for you.\n\n### combinedStream.resume()\n\nCauses `combinedStream` to start drain the streams it manages. The function is\nidempotent, and also emits a `'resume'` event each time which usually goes to\nthe stream that is currently being drained.\n\n### combinedStream.pause();\n\nIf `combinedStream.pauseStreams` is set to `false`, this does nothing.\nOtherwise a `'pause'` event is emitted, this goes to the stream that is\ncurrently being drained, so you can use it to apply back pressure.\n\n### combinedStream.end();\n\nSets `combinedStream.writable` to false, emits an `'end'` event, and removes\nall streams from the queue.\n\n### combinedStream.destroy();\n\nSame as `combinedStream.end()`, except it emits a `'close'` event instead of\n`'end'`.\n\n## License\n\ncombined-stream is licensed under the MIT license.\n",
|
||||
"readmeFilename": "Readme.md",
|
||||
"_id": "combined-stream@0.0.4",
|
||||
"dist": {
|
||||
"shasum": "1e7a347f40d3c92cda12a3410a1d6ef2f6486b3b"
|
||||
},
|
||||
"_from": "combined-stream@~0.0.4",
|
||||
"_resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-0.0.4.tgz"
|
||||
}
|
23
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/common.js
generated
vendored
Normal file
23
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/common.js
generated
vendored
Normal file
@ -0,0 +1,23 @@
|
||||
var common = module.exports;
|
||||
|
||||
var path = require('path');
|
||||
var fs = require('fs');
|
||||
var root = path.join(__dirname, '..');
|
||||
|
||||
common.dir = {
|
||||
fixture: root + '/test/fixture',
|
||||
tmp: root + '/test/tmp',
|
||||
};
|
||||
|
||||
// Create tmp directory if it does not exist
|
||||
// Not using fs.exists so as to be node 0.6.x compatible
|
||||
try {
|
||||
fs.statSync(common.dir.tmp);
|
||||
}
|
||||
catch (e) {
|
||||
// Dir does not exist
|
||||
fs.mkdirSync(common.dir.tmp);
|
||||
}
|
||||
|
||||
common.CombinedStream = require(root);
|
||||
common.assert = require('assert');
|
256
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/fixture/file1.txt
generated
vendored
Normal file
256
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/fixture/file1.txt
generated
vendored
Normal file
@ -0,0 +1,256 @@
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
||||
10101010101010101010101010101010101010101010101010101010101010101010101010101010
|
||||
01010101010101010101010101010101010101010101010101010101010101010101010101010101
|
256
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/fixture/file2.txt
generated
vendored
Normal file
256
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/fixture/file2.txt
generated
vendored
Normal file
@ -0,0 +1,256 @@
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
||||
20202020202020202020202020202020202020202020202020202020202020202020202020202020
|
||||
02020202020202020202020202020202020202020202020202020202020202020202020202020202
|
27
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-callback-streams.js
generated
vendored
Normal file
27
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-callback-streams.js
generated
vendored
Normal file
@ -0,0 +1,27 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var CombinedStream = common.CombinedStream;
|
||||
var fs = require('fs');
|
||||
|
||||
var FILE1 = common.dir.fixture + '/file1.txt';
|
||||
var FILE2 = common.dir.fixture + '/file2.txt';
|
||||
var EXPECTED = fs.readFileSync(FILE1) + fs.readFileSync(FILE2);
|
||||
|
||||
(function testDelayedStreams() {
|
||||
var combinedStream = CombinedStream.create();
|
||||
combinedStream.append(function(next) {
|
||||
next(fs.createReadStream(FILE1));
|
||||
});
|
||||
combinedStream.append(function(next) {
|
||||
next(fs.createReadStream(FILE2));
|
||||
});
|
||||
|
||||
var tmpFile = common.dir.tmp + '/combined.txt';
|
||||
var dest = fs.createWriteStream(tmpFile);
|
||||
combinedStream.pipe(dest);
|
||||
|
||||
dest.on('end', function() {
|
||||
var written = fs.readFileSync(tmpFile, 'utf8');
|
||||
assert.strictEqual(written, EXPECTED);
|
||||
});
|
||||
})();
|
34
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-data-size.js
generated
vendored
Normal file
34
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-data-size.js
generated
vendored
Normal file
@ -0,0 +1,34 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var CombinedStream = common.CombinedStream;
|
||||
|
||||
(function testDataSizeGetter() {
|
||||
var combinedStream = CombinedStream.create();
|
||||
|
||||
assert.strictEqual(combinedStream.dataSize, 0);
|
||||
|
||||
// Test one stream
|
||||
combinedStream._streams.push({dataSize: 10});
|
||||
combinedStream._updateDataSize();
|
||||
assert.strictEqual(combinedStream.dataSize, 10);
|
||||
|
||||
// Test two streams
|
||||
combinedStream._streams.push({dataSize: 23});
|
||||
combinedStream._updateDataSize();
|
||||
assert.strictEqual(combinedStream.dataSize, 33);
|
||||
|
||||
// Test currentStream
|
||||
combinedStream._currentStream = {dataSize: 20};
|
||||
combinedStream._updateDataSize();
|
||||
assert.strictEqual(combinedStream.dataSize, 53);
|
||||
|
||||
// Test currentStream without dataSize
|
||||
combinedStream._currentStream = {};
|
||||
combinedStream._updateDataSize();
|
||||
assert.strictEqual(combinedStream.dataSize, 33);
|
||||
|
||||
// Test stream function
|
||||
combinedStream._streams.push(function() {});
|
||||
combinedStream._updateDataSize();
|
||||
assert.strictEqual(combinedStream.dataSize, 33);
|
||||
})();
|
@ -0,0 +1,38 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var CombinedStream = common.CombinedStream;
|
||||
var fs = require('fs');
|
||||
|
||||
var FILE1 = common.dir.fixture + '/file1.txt';
|
||||
var BUFFER = new Buffer('Bacon is delicious');
|
||||
var FILE2 = common.dir.fixture + '/file2.txt';
|
||||
var STRING = 'The € kicks the $\'s ass!';
|
||||
|
||||
var EXPECTED =
|
||||
fs.readFileSync(FILE1)
|
||||
+ BUFFER
|
||||
+ fs.readFileSync(FILE2)
|
||||
+ STRING;
|
||||
var GOT;
|
||||
|
||||
(function testDelayedStreams() {
|
||||
var combinedStream = CombinedStream.create();
|
||||
combinedStream.append(fs.createReadStream(FILE1));
|
||||
combinedStream.append(BUFFER);
|
||||
combinedStream.append(fs.createReadStream(FILE2));
|
||||
combinedStream.append(function(next) {
|
||||
next(STRING);
|
||||
});
|
||||
|
||||
var tmpFile = common.dir.tmp + '/combined-file1-buffer-file2-string.txt';
|
||||
var dest = fs.createWriteStream(tmpFile);
|
||||
combinedStream.pipe(dest);
|
||||
|
||||
dest.on('close', function() {
|
||||
GOT = fs.readFileSync(tmpFile, 'utf8');
|
||||
});
|
||||
})();
|
||||
|
||||
process.on('exit', function() {
|
||||
assert.strictEqual(GOT, EXPECTED);
|
||||
});
|
35
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-delayed-streams.js
generated
vendored
Normal file
35
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-delayed-streams.js
generated
vendored
Normal file
@ -0,0 +1,35 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var CombinedStream = common.CombinedStream;
|
||||
var fs = require('fs');
|
||||
|
||||
var FILE1 = common.dir.fixture + '/file1.txt';
|
||||
var FILE2 = common.dir.fixture + '/file2.txt';
|
||||
var EXPECTED = fs.readFileSync(FILE1) + fs.readFileSync(FILE2);
|
||||
var GOT;
|
||||
|
||||
(function testDelayedStreams() {
|
||||
var combinedStream = CombinedStream.create();
|
||||
combinedStream.append(fs.createReadStream(FILE1));
|
||||
combinedStream.append(fs.createReadStream(FILE2));
|
||||
|
||||
var stream1 = combinedStream._streams[0];
|
||||
var stream2 = combinedStream._streams[1];
|
||||
|
||||
stream1.on('end', function() {
|
||||
assert.equal(stream2.dataSize, 0);
|
||||
});
|
||||
|
||||
var tmpFile = common.dir.tmp + '/combined.txt';
|
||||
var dest = fs.createWriteStream(tmpFile);
|
||||
combinedStream.pipe(dest);
|
||||
|
||||
dest.on('close', function() {
|
||||
GOT = fs.readFileSync(tmpFile, 'utf8');
|
||||
});
|
||||
})();
|
||||
|
||||
process.on('exit', function() {
|
||||
console.error(GOT.length, EXPECTED.length);
|
||||
assert.strictEqual(GOT, EXPECTED);
|
||||
});
|
39
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-empty-string.js
generated
vendored
Normal file
39
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-empty-string.js
generated
vendored
Normal file
@ -0,0 +1,39 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var CombinedStream = common.CombinedStream;
|
||||
var util = require('util');
|
||||
var Stream = require('stream').Stream;
|
||||
|
||||
var s = CombinedStream.create();
|
||||
|
||||
|
||||
function StringStream(){
|
||||
this.writable=true;
|
||||
this.str=""
|
||||
}
|
||||
util.inherits(StringStream,Stream);
|
||||
|
||||
StringStream.prototype.write=function(chunk,encoding){
|
||||
this.str+=chunk.toString();
|
||||
this.emit('data',chunk);
|
||||
}
|
||||
|
||||
StringStream.prototype.end=function(chunk,encoding){
|
||||
this.emit('end');
|
||||
}
|
||||
|
||||
StringStream.prototype.toString=function(){
|
||||
return this.str;
|
||||
}
|
||||
|
||||
|
||||
s.append("foo.");
|
||||
s.append("");
|
||||
s.append("bar");
|
||||
|
||||
var ss = new StringStream();
|
||||
|
||||
s.pipe(ss);
|
||||
s.resume();
|
||||
|
||||
assert.equal(ss.toString(),"foo.bar");
|
17
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-is-stream-like.js
generated
vendored
Normal file
17
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-is-stream-like.js
generated
vendored
Normal file
@ -0,0 +1,17 @@
|
||||
var fs = require('fs');
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var CombinedStream = common.CombinedStream;
|
||||
var FILE1 = common.dir.fixture + '/file1.txt';
|
||||
var fileStream = fs.createReadStream(FILE1);
|
||||
|
||||
var foo = function(){};
|
||||
|
||||
(function testIsStreamLike() {
|
||||
assert(! CombinedStream.isStreamLike(true));
|
||||
assert(! CombinedStream.isStreamLike("I am a string"));
|
||||
assert(! CombinedStream.isStreamLike(7));
|
||||
assert(! CombinedStream.isStreamLike(foo));
|
||||
|
||||
assert(CombinedStream.isStreamLike(fileStream));
|
||||
})();
|
24
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-max-data-size.js
generated
vendored
Normal file
24
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-max-data-size.js
generated
vendored
Normal file
@ -0,0 +1,24 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var CombinedStream = common.CombinedStream;
|
||||
var fs = require('fs');
|
||||
|
||||
var FILE1 = common.dir.fixture + '/file1.txt';
|
||||
var FILE2 = common.dir.fixture + '/file2.txt';
|
||||
var EXPECTED = fs.readFileSync(FILE1) + fs.readFileSync(FILE2);
|
||||
|
||||
(function testDelayedStreams() {
|
||||
var combinedStream = CombinedStream.create({pauseStreams: false, maxDataSize: 20736});
|
||||
combinedStream.append(fs.createReadStream(FILE1));
|
||||
combinedStream.append(fs.createReadStream(FILE2));
|
||||
|
||||
var gotErr = null;
|
||||
combinedStream.on('error', function(err) {
|
||||
gotErr = err;
|
||||
});
|
||||
|
||||
process.on('exit', function() {
|
||||
assert.ok(gotErr);
|
||||
assert.ok(gotErr.message.match(/bytes/));
|
||||
});
|
||||
})();
|
30
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-unpaused-streams.js
generated
vendored
Normal file
30
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/integration/test-unpaused-streams.js
generated
vendored
Normal file
@ -0,0 +1,30 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var CombinedStream = common.CombinedStream;
|
||||
var fs = require('fs');
|
||||
|
||||
var FILE1 = common.dir.fixture + '/file1.txt';
|
||||
var FILE2 = common.dir.fixture + '/file2.txt';
|
||||
var EXPECTED = fs.readFileSync(FILE1) + fs.readFileSync(FILE2);
|
||||
|
||||
(function testDelayedStreams() {
|
||||
var combinedStream = CombinedStream.create({pauseStreams: false});
|
||||
combinedStream.append(fs.createReadStream(FILE1));
|
||||
combinedStream.append(fs.createReadStream(FILE2));
|
||||
|
||||
var stream1 = combinedStream._streams[0];
|
||||
var stream2 = combinedStream._streams[1];
|
||||
|
||||
stream1.on('end', function() {
|
||||
assert.ok(stream2.dataSize > 0);
|
||||
});
|
||||
|
||||
var tmpFile = common.dir.tmp + '/combined.txt';
|
||||
var dest = fs.createWriteStream(tmpFile);
|
||||
combinedStream.pipe(dest);
|
||||
|
||||
dest.on('end', function() {
|
||||
var written = fs.readFileSync(tmpFile, 'utf8');
|
||||
assert.strictEqual(written, EXPECTED);
|
||||
});
|
||||
})();
|
7
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/run.js
generated
vendored
Executable file
7
node_modules/less/node_modules/request/node_modules/form-data/node_modules/combined-stream/test/run.js
generated
vendored
Executable file
@ -0,0 +1,7 @@
|
||||
#!/usr/bin/env node
|
||||
var far = require('far').create();
|
||||
|
||||
far.add(__dirname);
|
||||
far.include(/test-.*\.js$/);
|
||||
|
||||
far.execute();
|
40
node_modules/less/node_modules/request/node_modules/form-data/package.json
generated
vendored
Normal file
40
node_modules/less/node_modules/request/node_modules/form-data/package.json
generated
vendored
Normal file
@ -0,0 +1,40 @@
|
||||
{
|
||||
"author": {
|
||||
"name": "Felix Geisendörfer",
|
||||
"email": "felix@debuggable.com",
|
||||
"url": "http://debuggable.com/"
|
||||
},
|
||||
"name": "form-data",
|
||||
"description": "A module to create readable `\"multipart/form-data\"` streams. Can be used to submit forms and file uploads to other web applications.",
|
||||
"version": "0.0.8",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git://github.com/felixge/node-form-data.git"
|
||||
},
|
||||
"main": "./lib/form_data",
|
||||
"scripts": {
|
||||
"test": "node test/run.js"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">= 0.6"
|
||||
},
|
||||
"dependencies": {
|
||||
"combined-stream": "~0.0.4",
|
||||
"mime": "~1.2.2",
|
||||
"async": "~0.2.7"
|
||||
},
|
||||
"devDependencies": {
|
||||
"fake": "~0.2.1",
|
||||
"far": "~0.0.7",
|
||||
"formidable": "~1.0.13",
|
||||
"request": "~2.16.6"
|
||||
},
|
||||
"readme": "# Form-Data [](https://travis-ci.org/alexindigo/node-form-data)\n\nA module to create readable `\"multipart/form-data\"` streams. Can be used to\nsubmit forms and file uploads to other web applications.\n\nThe API of this module is inspired by the\n[XMLHttpRequest-2 FormData Interface][xhr2-fd].\n\n[xhr2-fd]: http://dev.w3.org/2006/webapi/XMLHttpRequest-2/Overview.html#the-formdata-interface\n\n## Install\n\n```\nnpm install form-data\n```\n\n## Usage\n\nIn this example we are constructing a form with 3 fields that contain a string,\na buffer and a file stream.\n\n``` javascript\nvar FormData = require('form-data');\nvar fs = require('fs');\n\nvar form = new FormData();\nform.append('my_field', 'my value');\nform.append('my_buffer', new Buffer(10));\nform.append('my_file', fs.createReadStream('/foo/bar.jpg'));\n```\n\nAlso you can use http-response stream:\n\n``` javascript\nvar FormData = require('form-data');\nvar http = require('http');\n\nvar form = new FormData();\n\nhttp.request('http://nodejs.org/images/logo.png', function(response) {\n form.append('my_field', 'my value');\n form.append('my_buffer', new Buffer(10));\n form.append('my_logo', response);\n});\n```\n\nOr @mikeal's request stream:\n\n``` javascript\nvar FormData = require('form-data');\nvar request = require('request');\n\nvar form = new FormData();\n\nform.append('my_field', 'my value');\nform.append('my_buffer', new Buffer(10));\nform.append('my_logo', request('http://nodejs.org/images/logo.png'));\n```\n\nIn order to submit this form to a web application, you can use node's http\nclient interface:\n\n``` javascript\nvar http = require('http');\n\nvar request = http.request({\n method: 'post',\n host: 'example.org',\n path: '/upload',\n headers: form.getHeaders()\n});\n\nform.pipe(request);\n\nrequest.on('response', function(res) {\n console.log(res.statusCode);\n});\n```\n\nOr if you would prefer the `'Content-Length'` header to be set for you:\n\n``` javascript\nform.submit('example.org/upload', function(err, res) {\n console.log(res.statusCode);\n});\n```\n\nTo use custom headers and pre-known length in parts:\n\n``` javascript\nvar CRLF = '\\r\\n';\nvar form = new FormData();\n\nvar options = {\n header: CRLF + '--' + form.getBoundary() + CRLF + 'X-Custom-Header: 123' + CRLF + CRLF,\n knownLength: 1\n};\n\nform.append('my_buffer', buffer, options);\n\nform.submit('http://example.com/', function(err, res) {\n if (err) throw err;\n console.log('Done');\n});\n```\n\nForm-Data can recognize and fetch all the required information from common types of streams (fs.readStream, http.response and mikeal's request), for some other types of streams you'd need to provide \"file\"-related information manually:\n\n``` javascript\nsomeModule.stream(function(err, stdout, stderr) {\n if (err) throw err;\n\n var form = new FormData();\n\n form.append('file', stdout, {\n filename: 'unicycle.jpg',\n contentType: 'image/jpg',\n knownLength: 19806\n });\n\n form.submit('http://example.com/', function(err, res) {\n if (err) throw err;\n console.log('Done');\n });\n});\n```\n\nFor edge cases, like POST request to URL with query string or to pass HTTP auth credentials, object can be passed to `form.submit()` as first parameter:\n\n``` javascript\nform.submit({\n host: 'example.com',\n path: '/probably.php?extra=params',\n auth: 'username:password'\n}, function(err, res) {\n console.log(res.statusCode);\n});\n```\n\n## TODO\n\n- Add new streams (0.10) support and try really hard not to break it for 0.8.x.\n\n## License\n\nForm-Data is licensed under the MIT license.\n",
|
||||
"readmeFilename": "Readme.md",
|
||||
"_id": "form-data@0.0.8",
|
||||
"dist": {
|
||||
"shasum": "e5812d35a92e57ed5c71032e8ef18c3dd6dfc39a"
|
||||
},
|
||||
"_from": "form-data@0.0.8",
|
||||
"_resolved": "https://registry.npmjs.org/form-data/-/form-data-0.0.8.tgz"
|
||||
}
|
43
node_modules/less/node_modules/request/node_modules/form-data/sftp-config.json
generated
vendored
Normal file
43
node_modules/less/node_modules/request/node_modules/form-data/sftp-config.json
generated
vendored
Normal file
@ -0,0 +1,43 @@
|
||||
{
|
||||
// The tab key will cycle through the settings when first created
|
||||
// Visit http://wbond.net/sublime_packages/sftp/settings for help
|
||||
|
||||
// sftp, ftp or ftps
|
||||
"type": "sftp",
|
||||
|
||||
"save_before_upload": true,
|
||||
"upload_on_save": true,
|
||||
"sync_down_on_open": false,
|
||||
"sync_skip_deletes": false,
|
||||
"confirm_downloads": false,
|
||||
"confirm_sync": true,
|
||||
"confirm_overwrite_newer": false,
|
||||
|
||||
"host": "amber.exposeapp.com",
|
||||
"user": "alex",
|
||||
//"password": "password",
|
||||
//"port": "22",
|
||||
|
||||
"remote_path": "/var/www/_playground/form-data/",
|
||||
"ignore_regexes": [
|
||||
"node_modules",
|
||||
"\\.sublime-(project|workspace)", "sftp-config(-alt\\d?)?\\.json",
|
||||
"sftp-settings\\.json", "/venv/", "\\.svn", "\\.hg", "\\.git",
|
||||
"\\.bzr", "_darcs", "CVS", "\\.DS_Store", "Thumbs\\.db", "desktop\\.ini"
|
||||
],
|
||||
//"file_permissions": "664",
|
||||
//"dir_permissions": "775",
|
||||
|
||||
//"extra_list_connections": 0,
|
||||
|
||||
"connect_timeout": 30,
|
||||
//"keepalive": 120,
|
||||
//"ftp_passive_mode": true,
|
||||
//"ssh_key_file": "~/.ssh/id_rsa",
|
||||
//"sftp_flags": ["-F", "/path/to/ssh_config"],
|
||||
|
||||
//"preserve_modification_times": false,
|
||||
//"remote_time_offset_in_hours": 0,
|
||||
//"remote_encoding": "utf-8",
|
||||
//"remote_locale": "C",
|
||||
}
|
14
node_modules/less/node_modules/request/node_modules/form-data/test/common.js
generated
vendored
Normal file
14
node_modules/less/node_modules/request/node_modules/form-data/test/common.js
generated
vendored
Normal file
@ -0,0 +1,14 @@
|
||||
var common = module.exports;
|
||||
var path = require('path');
|
||||
|
||||
var rootDir = path.join(__dirname, '..');
|
||||
common.dir = {
|
||||
lib: rootDir + '/lib',
|
||||
fixture: rootDir + '/test/fixture',
|
||||
tmp: rootDir + '/test/tmp',
|
||||
};
|
||||
|
||||
common.assert = require('assert');
|
||||
common.fake = require('fake');
|
||||
|
||||
common.port = 8432;
|
1
node_modules/less/node_modules/request/node_modules/form-data/test/fixture/bacon.txt
generated
vendored
Normal file
1
node_modules/less/node_modules/request/node_modules/form-data/test/fixture/bacon.txt
generated
vendored
Normal file
@ -0,0 +1 @@
|
||||
Bacon is delicious.
|
BIN
node_modules/less/node_modules/request/node_modules/form-data/test/fixture/unicycle.jpg
generated
vendored
Normal file
BIN
node_modules/less/node_modules/request/node_modules/form-data/test/fixture/unicycle.jpg
generated
vendored
Normal file
Binary file not shown.
After Width: | Height: | Size: 19 KiB |
52
node_modules/less/node_modules/request/node_modules/form-data/test/integration/test-custom-filename.js
generated
vendored
Normal file
52
node_modules/less/node_modules/request/node_modules/form-data/test/integration/test-custom-filename.js
generated
vendored
Normal file
@ -0,0 +1,52 @@
|
||||
/*
|
||||
test custom filename and content-type:
|
||||
re: https://github.com/felixge/node-form-data/issues/29
|
||||
*/
|
||||
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var http = require('http');
|
||||
var fs = require('fs');
|
||||
|
||||
var FormData = require(common.dir.lib + '/form_data');
|
||||
var IncomingForm = require('formidable').IncomingForm;
|
||||
|
||||
var options = {
|
||||
filename: 'test.png',
|
||||
contentType: 'image/gif'
|
||||
};
|
||||
|
||||
var server = http.createServer(function(req, res) {
|
||||
|
||||
var form = new IncomingForm({uploadDir: common.dir.tmp});
|
||||
|
||||
form.parse(req);
|
||||
|
||||
form
|
||||
.on('file', function(name, file) {
|
||||
assert.strictEqual(name, 'my_file');
|
||||
assert.strictEqual(file.name, options.filename);
|
||||
assert.strictEqual(file.type, options.contentType);
|
||||
})
|
||||
.on('end', function() {
|
||||
res.writeHead(200);
|
||||
res.end('done');
|
||||
});
|
||||
});
|
||||
|
||||
|
||||
server.listen(common.port, function() {
|
||||
var form = new FormData();
|
||||
|
||||
form.append('my_file', fs.createReadStream(common.dir.fixture + '/unicycle.jpg'), options);
|
||||
|
||||
form.submit('http://localhost:' + common.port + '/', function(err, res) {
|
||||
if (err) {
|
||||
throw err;
|
||||
}
|
||||
|
||||
assert.strictEqual(res.statusCode, 200);
|
||||
server.close();
|
||||
});
|
||||
|
||||
});
|
75
node_modules/less/node_modules/request/node_modules/form-data/test/integration/test-custom-headers.js
generated
vendored
Normal file
75
node_modules/less/node_modules/request/node_modules/form-data/test/integration/test-custom-headers.js
generated
vendored
Normal file
@ -0,0 +1,75 @@
|
||||
/*
|
||||
test custom headers, added in pull request:
|
||||
https://github.com/felixge/node-form-data/pull/17
|
||||
*/
|
||||
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var http = require('http');
|
||||
|
||||
var FormData = require(common.dir.lib + '/form_data');
|
||||
|
||||
var CRLF = '\r\n';
|
||||
|
||||
var testHeader = 'X-Test-Fake: 123';
|
||||
|
||||
var expectedLength;
|
||||
|
||||
|
||||
var server = http.createServer(function(req, res) {
|
||||
var data = '';
|
||||
req.setEncoding('utf8');
|
||||
|
||||
req.on('data', function(d) {
|
||||
data += d;
|
||||
});
|
||||
|
||||
req.on('end', function() {
|
||||
assert.ok( data.indexOf( testHeader ) != -1 );
|
||||
|
||||
// content-length would be 1000+ w/actual buffer size,
|
||||
// but smaller w/overridden size.
|
||||
assert.ok( typeof req.headers['content-length'] !== 'undefined' );
|
||||
assert.equal(req.headers['content-length'], expectedLength);
|
||||
|
||||
res.writeHead(200);
|
||||
res.end('done');
|
||||
});
|
||||
});
|
||||
|
||||
|
||||
server.listen(common.port, function() {
|
||||
var form = new FormData();
|
||||
|
||||
var options = {
|
||||
header:
|
||||
CRLF + '--' + form.getBoundary() + CRLF +
|
||||
testHeader +
|
||||
CRLF + CRLF,
|
||||
|
||||
// override content-length,
|
||||
// much lower than actual buffer size (1000)
|
||||
knownLength: 1
|
||||
};
|
||||
|
||||
var bufferData = [];
|
||||
for (var z = 0; z < 1000; z++) {
|
||||
bufferData.push(1);
|
||||
}
|
||||
var buffer = new Buffer(bufferData);
|
||||
|
||||
form.append('my_buffer', buffer, options);
|
||||
|
||||
// (available to req handler)
|
||||
expectedLength = form._lastBoundary().length + form._overheadLength + options.knownLength;
|
||||
|
||||
form.submit('http://localhost:' + common.port + '/', function(err, res) {
|
||||
if (err) {
|
||||
throw err;
|
||||
}
|
||||
|
||||
assert.strictEqual(res.statusCode, 200);
|
||||
server.close();
|
||||
});
|
||||
|
||||
});
|
93
node_modules/less/node_modules/request/node_modules/form-data/test/integration/test-form-get-length.js
generated
vendored
Normal file
93
node_modules/less/node_modules/request/node_modules/form-data/test/integration/test-form-get-length.js
generated
vendored
Normal file
@ -0,0 +1,93 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var FormData = require(common.dir.lib + '/form_data');
|
||||
var fake = require('fake').create();
|
||||
var fs = require('fs');
|
||||
|
||||
(function testEmptyForm() {
|
||||
var form = new FormData();
|
||||
var callback = fake.callback(arguments.callee.name + '-getLength');
|
||||
var calls = fake.expectAnytime(callback, [null, 0]).calls;
|
||||
|
||||
form.getLength(callback);
|
||||
|
||||
// Make sure our response is async
|
||||
assert.strictEqual(calls.length, 0);
|
||||
})();
|
||||
|
||||
(function testUtf8String() {
|
||||
var FIELD = 'my_field';
|
||||
var VALUE = 'May the € be with you';
|
||||
|
||||
var form = new FormData();
|
||||
form.append(FIELD, VALUE);
|
||||
var callback = fake.callback(arguments.callee.name + '-getLength');
|
||||
|
||||
var expectedLength =
|
||||
form._overheadLength +
|
||||
Buffer.byteLength(VALUE) +
|
||||
form._lastBoundary().length;
|
||||
|
||||
fake.expectAnytime(callback, [null, expectedLength]);
|
||||
form.getLength(callback);
|
||||
})();
|
||||
|
||||
(function testBuffer() {
|
||||
var FIELD = 'my_field';
|
||||
var VALUE = new Buffer(23);
|
||||
|
||||
var form = new FormData();
|
||||
form.append(FIELD, VALUE);
|
||||
var callback = fake.callback(arguments.callee.name + '-getLength');
|
||||
|
||||
var expectedLength =
|
||||
form._overheadLength +
|
||||
VALUE.length +
|
||||
form._lastBoundary().length;
|
||||
|
||||
fake.expectAnytime(callback, [null, expectedLength]);
|
||||
form.getLength(callback);
|
||||
})();
|
||||
|
||||
|
||||
(function testStringFileBufferFile() {
|
||||
var fields = [
|
||||
{
|
||||
name: 'my_field',
|
||||
value: 'Test 123',
|
||||
},
|
||||
{
|
||||
name: 'my_image',
|
||||
value: fs.createReadStream(common.dir.fixture + '/unicycle.jpg'),
|
||||
},
|
||||
{
|
||||
name: 'my_buffer',
|
||||
value: new Buffer('123'),
|
||||
},
|
||||
{
|
||||
name: 'my_txt',
|
||||
value: fs.createReadStream(common.dir.fixture + '/bacon.txt'),
|
||||
},
|
||||
];
|
||||
|
||||
var form = new FormData();
|
||||
var expectedLength = 0;
|
||||
|
||||
fields.forEach(function(field) {
|
||||
form.append(field.name, field.value);
|
||||
if (field.value.path) {
|
||||
var stat = fs.statSync(field.value.path);
|
||||
expectedLength += stat.size;
|
||||
} else {
|
||||
expectedLength += field.value.length;
|
||||
}
|
||||
});
|
||||
|
||||
expectedLength += form._overheadLength + form._lastBoundary().length;
|
||||
|
||||
var callback = fake.callback(arguments.callee.name + '-getLength');
|
||||
fake.expectAnytime(callback, [null, expectedLength]);
|
||||
form.getLength(callback);
|
||||
})();
|
||||
|
||||
|
18
node_modules/less/node_modules/request/node_modules/form-data/test/integration/test-get-boundary.js
generated
vendored
Normal file
18
node_modules/less/node_modules/request/node_modules/form-data/test/integration/test-get-boundary.js
generated
vendored
Normal file
@ -0,0 +1,18 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
|
||||
var FormData = require(common.dir.lib + '/form_data');
|
||||
|
||||
(function testOneBoundaryPerForm() {
|
||||
var form = new FormData();
|
||||
var boundary = form.getBoundary();
|
||||
|
||||
assert.equal(boundary, form.getBoundary());
|
||||
assert.equal(boundary.length, 50);
|
||||
})();
|
||||
|
||||
(function testUniqueBoundaryPerForm() {
|
||||
var formA = new FormData();
|
||||
var formB = new FormData();
|
||||
assert.notEqual(formA.getBoundary(), formB.getBoundary());
|
||||
})();
|
83
node_modules/less/node_modules/request/node_modules/form-data/test/integration/test-http-response.js
generated
vendored
Normal file
83
node_modules/less/node_modules/request/node_modules/form-data/test/integration/test-http-response.js
generated
vendored
Normal file
@ -0,0 +1,83 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var http = require('http');
|
||||
var path = require('path');
|
||||
var mime = require('mime');
|
||||
var request = require('request');
|
||||
var parseUrl = require('url').parse;
|
||||
var fs = require('fs');
|
||||
var FormData = require(common.dir.lib + '/form_data');
|
||||
var IncomingForm = require('formidable').IncomingForm;
|
||||
|
||||
var remoteFile = 'http://nodejs.org/images/logo.png';
|
||||
|
||||
var FIELDS;
|
||||
var server;
|
||||
|
||||
var parsedUrl = parseUrl(remoteFile)
|
||||
, options = {
|
||||
method: 'get',
|
||||
port: parsedUrl.port || 80,
|
||||
path: parsedUrl.pathname,
|
||||
host: parsedUrl.hostname
|
||||
}
|
||||
;
|
||||
|
||||
http.request(options, function(res) {
|
||||
|
||||
FIELDS = [
|
||||
{name: 'my_field', value: 'my_value'},
|
||||
{name: 'my_buffer', value: new Buffer([1, 2, 3])},
|
||||
{name: 'remote_file', value: res }
|
||||
];
|
||||
|
||||
var form = new FormData();
|
||||
FIELDS.forEach(function(field) {
|
||||
form.append(field.name, field.value);
|
||||
});
|
||||
|
||||
server.listen(common.port, function() {
|
||||
|
||||
form.submit('http://localhost:' + common.port + '/', function(err, res) {
|
||||
|
||||
if (err) {
|
||||
throw err;
|
||||
}
|
||||
|
||||
assert.strictEqual(res.statusCode, 200);
|
||||
server.close();
|
||||
});
|
||||
|
||||
});
|
||||
|
||||
}).end();
|
||||
|
||||
server = http.createServer(function(req, res) {
|
||||
|
||||
var form = new IncomingForm({uploadDir: common.dir.tmp});
|
||||
|
||||
form.parse(req);
|
||||
|
||||
form
|
||||
.on('field', function(name, value) {
|
||||
var field = FIELDS.shift();
|
||||
assert.strictEqual(name, field.name);
|
||||
assert.strictEqual(value, field.value+'');
|
||||
})
|
||||
.on('file', function(name, file) {
|
||||
var field = FIELDS.shift();
|
||||
assert.strictEqual(name, field.name);
|
||||
// http response doesn't have path property
|
||||
assert.strictEqual(file.name, path.basename(field.value.path || remoteFile));
|
||||
assert.strictEqual(file.type, mime.lookup(file.name));
|
||||
})
|
||||
.on('end', function() {
|
||||
res.writeHead(200);
|
||||
res.end('done');
|
||||
});
|
||||
});
|
||||
|
||||
|
||||
process.on('exit', function() {
|
||||
assert.strictEqual(FIELDS.length, 0);
|
||||
});
|
73
node_modules/less/node_modules/request/node_modules/form-data/test/integration/test-pipe.js
generated
vendored
Normal file
73
node_modules/less/node_modules/request/node_modules/form-data/test/integration/test-pipe.js
generated
vendored
Normal file
@ -0,0 +1,73 @@
|
||||
var common = require('../common');
|
||||
var assert = common.assert;
|
||||
var http = require('http');
|
||||
var path = require('path');
|
||||
var mime = require('mime');
|
||||
var request = require('request');
|
||||
var fs = require('fs');
|
||||
var FormData = require(common.dir.lib + '/form_data');
|
||||
var IncomingForm = require('formidable').IncomingForm;
|
||||
|
||||
var remoteFile = 'http://nodejs.org/images/logo.png';
|
||||
|
||||
// wrap non simple values into function
|
||||
// just to deal with ReadStream "autostart"
|
||||
// Can't wait for 0.10
|
||||
var FIELDS = [
|
||||
{name: 'my_field', value: 'my_value'},
|
||||
{name: 'my_buffer', value: function(){ return new Buffer([1, 2, 3])} },
|
||||
{name: 'my_file', value: function(){ return fs.createReadStream(common.dir.fixture + '/unicycle.jpg')} },
|
||||
{name: 'remote_file', value: function(){ return request(remoteFile)} }
|
||||
];
|
||||
|
||||
var server = http.createServer(function(req, res) {
|
||||
|
||||
var form = new IncomingForm({uploadDir: common.dir.tmp});
|
||||
|
||||
form.parse(req);
|
||||
|
||||
form
|
||||
.on('field', function(name, value) {
|
||||
var field = FIELDS.shift();
|
||||
assert.strictEqual(name, field.name);
|
||||
assert.strictEqual(value, field.value+'');
|
||||
})
|
||||
.on('file', function(name, file) {
|
||||
var field = FIELDS.shift();
|
||||
assert.strictEqual(name, field.name);
|
||||
assert.strictEqual(file.name, path.basename(field.value.path));
|
||||
assert.strictEqual(file.type, mime.lookup(file.name));
|
||||
})
|
||||
.on('end', function() {
|
||||
res.writeHead(200);
|
||||
res.end('done');
|
||||
});
|
||||
});
|
||||
|
||||
server.listen(common.port, function() {
|
||||
var form = new FormData();
|
||||
FIELDS.forEach(function(field) {
|
||||
// important to append ReadStreams within the same tick
|
||||
if ((typeof field.value == 'function')) {
|
||||
field.value = field.value();
|
||||
}
|
||||
form.append(field.name, field.value);
|
||||
});
|
||||
|
||||
var request = http.request({
|
||||
method: 'post',
|
||||
port: common.port,
|
||||
path: '/upload',
|
||||
headers: form.getHeaders()
|
||||
});
|
||||
|
||||
form.pipe(request);
|
||||
|
||||
request.on('response', function(res) {
|
||||
server.close();
|
||||
});
|
||||
});
|
||||
|
||||
process.on('exit', function() {
|
||||
assert.strictEqual(FIELDS.length, 0);
|
||||
});
|
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user