08-27-周三_17-09-29
This commit is contained in:
5
node_modules/promise/.jshintrc
generated
vendored
Normal file
5
node_modules/promise/.jshintrc
generated
vendored
Normal file
@@ -0,0 +1,5 @@
|
||||
{
|
||||
"asi": true,
|
||||
"node": true,
|
||||
"strict": true
|
||||
}
|
6
node_modules/promise/.npmignore
generated
vendored
Normal file
6
node_modules/promise/.npmignore
generated
vendored
Normal file
@@ -0,0 +1,6 @@
|
||||
components
|
||||
node_modules
|
||||
test
|
||||
.gitignore
|
||||
.travis.yml
|
||||
component.json
|
19
node_modules/promise/LICENSE
generated
vendored
Normal file
19
node_modules/promise/LICENSE
generated
vendored
Normal file
@@ -0,0 +1,19 @@
|
||||
Copyright (c) 2014 Forbes Lindesay
|
||||
|
||||
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.
|
221
node_modules/promise/Readme.md
generated
vendored
Normal file
221
node_modules/promise/Readme.md
generated
vendored
Normal file
@@ -0,0 +1,221 @@
|
||||
<a href="https://promisesaplus.com/"><img src="https://promisesaplus.com/assets/logo-small.png" align="right" /></a>
|
||||
# promise
|
||||
|
||||
This is a simple implementation of Promises. It is a super set of ES6 Promises designed to have readable, performant code and to provide just the extensions that are absolutely necessary for using promises today.
|
||||
|
||||
For detailed tutorials on its use, see www.promisejs.org
|
||||
|
||||
[](https://travis-ci.org/then/promise)
|
||||
[](https://gemnasium.com/then/promise)
|
||||
[](https://www.npmjs.org/package/promise)
|
||||
|
||||
## Installation
|
||||
|
||||
**Server:**
|
||||
|
||||
$ npm install promise
|
||||
|
||||
**Client:**
|
||||
|
||||
You can use browserify on the client, or use the pre-compiled script that acts as a polyfill.
|
||||
|
||||
```html
|
||||
<script src="https://www.promisejs.org/polyfills/promise-6.1.0.js"></script>
|
||||
```
|
||||
|
||||
Note that the [es5-shim](https://github.com/es-shims/es5-shim) must be loaded before this library to support browsers pre IE9.
|
||||
|
||||
```html
|
||||
<script src="https://cdnjs.cloudflare.com/ajax/libs/es5-shim/3.4.0/es5-shim.min.js"></script>
|
||||
```
|
||||
|
||||
## Usage
|
||||
|
||||
The example below shows how you can load the promise library (in a way that works on both client and server). It then demonstrates creating a promise from scratch. You simply call `new Promise(fn)`. There is a complete specification for what is returned by this method in [Promises/A+](http://promises-aplus.github.com/promises-spec/).
|
||||
|
||||
```javascript
|
||||
var Promise = require('promise');
|
||||
|
||||
var promise = new Promise(function (resolve, reject) {
|
||||
get('http://www.google.com', function (err, res) {
|
||||
if (err) reject(err);
|
||||
else resolve(res);
|
||||
});
|
||||
});
|
||||
```
|
||||
|
||||
## API
|
||||
|
||||
Before all examples, you will need:
|
||||
|
||||
```js
|
||||
var Promise = require('promise');
|
||||
```
|
||||
|
||||
### new Promise(resolver)
|
||||
|
||||
This creates and returns a new promise. `resolver` must be a function. The `resolver` function is passed two arguments:
|
||||
|
||||
1. `resolve` should be called with a single argument. If it is called with a non-promise value then the promise is fulfilled with that value. If it is called with a promise (A) then the returned promise takes on the state of that new promise (A).
|
||||
2. `reject` should be called with a single argument. The returned promise will be rejected with that argument.
|
||||
|
||||
### Static Functions
|
||||
|
||||
These methods are invoked by calling `Promise.methodName`.
|
||||
|
||||
#### Promise.resolve(value)
|
||||
|
||||
(deprecated aliases: `Promise.from(value)`, `Promise.cast(value)`)
|
||||
|
||||
Converts values and foreign promises into Promises/A+ promises. If you pass it a value then it returns a Promise for that value. If you pass it something that is close to a promise (such as a jQuery attempt at a promise) it returns a Promise that takes on the state of `value` (rejected or fulfilled).
|
||||
|
||||
#### Promise.all(array)
|
||||
|
||||
Returns a promise for an array. If it is called with a single argument that `Array.isArray` then this returns a promise for a copy of that array with any promises replaced by their fulfilled values. Otherwise it returns a promise for an array that conatins its arguments, except with promises replaced by their resolution values. e.g.
|
||||
|
||||
```js
|
||||
Promise.all([Promise.resolve('a'), 'b', Promise.resolve('c')])
|
||||
.then(function (res) {
|
||||
assert(res[0] === 'a')
|
||||
assert(res[1] === 'b')
|
||||
assert(res[2] === 'c')
|
||||
})
|
||||
|
||||
Promise.all(Promise.resolve('a'), 'b', Promise.resolve('c'))
|
||||
.then(function (res) {
|
||||
assert(res[0] === 'a')
|
||||
assert(res[1] === 'b')
|
||||
assert(res[2] === 'c')
|
||||
})
|
||||
```
|
||||
|
||||
#### Promise.denodeify(fn)
|
||||
|
||||
_Non Standard_
|
||||
|
||||
Takes a function which accepts a node style callback and returns a new function that returns a promise instead.
|
||||
|
||||
e.g.
|
||||
|
||||
```javascript
|
||||
var fs = require('fs')
|
||||
|
||||
var read = Promise.denodeify(fs.readFile)
|
||||
var write = Promise.denodeify(fs.writeFile)
|
||||
|
||||
var p = read('foo.json', 'utf8')
|
||||
.then(function (str) {
|
||||
return write('foo.json', JSON.stringify(JSON.parse(str), null, ' '), 'utf8')
|
||||
})
|
||||
```
|
||||
|
||||
#### Promise.nodeify(fn)
|
||||
|
||||
_Non Standard_
|
||||
|
||||
The twin to `denodeify` is useful when you want to export an API that can be used by people who haven't learnt about the brilliance of promises yet.
|
||||
|
||||
```javascript
|
||||
module.exports = Promise.nodeify(awesomeAPI)
|
||||
function awesomeAPI(a, b) {
|
||||
return download(a, b)
|
||||
}
|
||||
```
|
||||
|
||||
If the last argument passed to `module.exports` is a function, then it will be treated like a node.js callback and not parsed on to the child function, otherwise the API will just return a promise.
|
||||
|
||||
### Prototype Methods
|
||||
|
||||
These methods are invoked on a promise instance by calling `myPromise.methodName`
|
||||
|
||||
### Promise#then(onFulfilled, onRejected)
|
||||
|
||||
This method follows the [Promises/A+ spec](http://promises-aplus.github.io/promises-spec/). It explains things very clearly so I recommend you read it.
|
||||
|
||||
Either `onFulfilled` or `onRejected` will be called and they will not be called more than once. They will be passed a single argument and will always be called asynchronously (in the next turn of the event loop).
|
||||
|
||||
If the promise is fulfilled then `onFulfilled` is called. If the promise is rejected then `onRejected` is called.
|
||||
|
||||
The call to `.then` also returns a promise. If the handler that is called returns a promise, the promise returned by `.then` takes on the state of that returned promise. If the handler that is called returns a value that is not a promise, the promise returned by `.then` will be fulfilled with that value. If the handler that is called throws an exception then the promise returned by `.then` is rejected with that exception.
|
||||
|
||||
#### Promise#catch(onRejected)
|
||||
|
||||
Sugar for `Promise#then(null, onRejected)`, to mirror `catch` in synchronous code.
|
||||
|
||||
#### Promise#done(onFulfilled, onRejected)
|
||||
|
||||
_Non Standard_
|
||||
|
||||
The same semantics as `.then` except that it does not return a promise and any exceptions are re-thrown so that they can be logged (crashing the application in non-browser environments)
|
||||
|
||||
#### Promise#nodeify(callback)
|
||||
|
||||
_Non Standard_
|
||||
|
||||
If `callback` is `null` or `undefined` it just returns `this`. If `callback` is a function it is called with rejection reason as the first argument and result as the second argument (as per the node.js convention).
|
||||
|
||||
This lets you write API functions that look like:
|
||||
|
||||
```javascript
|
||||
function awesomeAPI(foo, bar, callback) {
|
||||
return internalAPI(foo, bar)
|
||||
.then(parseResult)
|
||||
.then(null, retryErrors)
|
||||
.nodeify(callback)
|
||||
}
|
||||
```
|
||||
|
||||
People who use typical node.js style callbacks will be able to just pass a callback and get the expected behavior. The enlightened people can not pass a callback and will get awesome promises.
|
||||
|
||||
## Extending Promises
|
||||
|
||||
There are three options for extending the promises created by this library.
|
||||
|
||||
### Inheritance
|
||||
|
||||
You can use inheritance if you want to create your own complete promise library with this as your basic starting point, perfect if you have lots of cool features you want to add. Here is an example of a promise library called `Awesome`, which is built on top of `Promise` correctly.
|
||||
|
||||
```javascript
|
||||
var Promise = require('promise');
|
||||
function Awesome(fn) {
|
||||
if (!(this instanceof Awesome)) return new Awesome(fn);
|
||||
Promise.call(this, fn);
|
||||
}
|
||||
Awesome.prototype = Object.create(Promise.prototype);
|
||||
Awesome.prototype.constructor = Awesome;
|
||||
|
||||
//Awesome extension
|
||||
Awesome.prototype.spread = function (cb) {
|
||||
return this.then(function (arr) {
|
||||
return cb.apply(this, arr);
|
||||
})
|
||||
};
|
||||
```
|
||||
|
||||
N.B. if you fail to set the prototype and constructor properly or fail to do Promise.call, things can fail in really subtle ways.
|
||||
|
||||
### Wrap
|
||||
|
||||
This is the nuclear option, for when you want to start from scratch. It ensures you won't be impacted by anyone who is extending the prototype (see below).
|
||||
|
||||
```javascript
|
||||
function Uber(fn) {
|
||||
if (!(this instanceof Uber)) return new Uber(fn);
|
||||
var _prom = new Promise(fn);
|
||||
this.then = _prom.then;
|
||||
}
|
||||
|
||||
Uber.prototype.spread = function (cb) {
|
||||
return this.then(function (arr) {
|
||||
return cb.apply(this, arr);
|
||||
})
|
||||
};
|
||||
```
|
||||
|
||||
### Extending the Prototype
|
||||
|
||||
In general, you should never extend the prototype of this promise implimenation because your extensions could easily conflict with someone elses extensions. However, this organisation will host a library of extensions which do not conflict with each other, so you can safely enable any of those. If you think of an extension that we don't provide and you want to write it, submit an issue on this repository and (if I agree) I'll set you up with a repository and give you permission to commit to it.
|
||||
|
||||
## License
|
||||
|
||||
MIT
|
5
node_modules/promise/core.js
generated
vendored
Normal file
5
node_modules/promise/core.js
generated
vendored
Normal file
@@ -0,0 +1,5 @@
|
||||
'use strict';
|
||||
|
||||
module.exports = require('./lib/core.js');
|
||||
|
||||
console.error('require("promise/core") is deprecated, use require("promise/lib/core") instead.');
|
6
node_modules/promise/index.js
generated
vendored
Normal file
6
node_modules/promise/index.js
generated
vendored
Normal file
@@ -0,0 +1,6 @@
|
||||
'use strict';
|
||||
|
||||
module.exports = require('./lib/core.js')
|
||||
require('./lib/done.js')
|
||||
require('./lib/es6-extensions.js')
|
||||
require('./lib/node-extensions.js')
|
105
node_modules/promise/lib/core.js
generated
vendored
Normal file
105
node_modules/promise/lib/core.js
generated
vendored
Normal file
@@ -0,0 +1,105 @@
|
||||
'use strict';
|
||||
|
||||
var asap = require('asap')
|
||||
|
||||
module.exports = Promise;
|
||||
function Promise(fn) {
|
||||
if (typeof this !== 'object') throw new TypeError('Promises must be constructed via new')
|
||||
if (typeof fn !== 'function') throw new TypeError('not a function')
|
||||
var state = null
|
||||
var value = null
|
||||
var deferreds = []
|
||||
var self = this
|
||||
|
||||
this.then = function(onFulfilled, onRejected) {
|
||||
return new self.constructor(function(resolve, reject) {
|
||||
handle(new Handler(onFulfilled, onRejected, resolve, reject))
|
||||
})
|
||||
}
|
||||
|
||||
function handle(deferred) {
|
||||
if (state === null) {
|
||||
deferreds.push(deferred)
|
||||
return
|
||||
}
|
||||
asap(function() {
|
||||
var cb = state ? deferred.onFulfilled : deferred.onRejected
|
||||
if (cb === null) {
|
||||
(state ? deferred.resolve : deferred.reject)(value)
|
||||
return
|
||||
}
|
||||
var ret
|
||||
try {
|
||||
ret = cb(value)
|
||||
}
|
||||
catch (e) {
|
||||
deferred.reject(e)
|
||||
return
|
||||
}
|
||||
deferred.resolve(ret)
|
||||
})
|
||||
}
|
||||
|
||||
function resolve(newValue) {
|
||||
try { //Promise Resolution Procedure: https://github.com/promises-aplus/promises-spec#the-promise-resolution-procedure
|
||||
if (newValue === self) throw new TypeError('A promise cannot be resolved with itself.')
|
||||
if (newValue && (typeof newValue === 'object' || typeof newValue === 'function')) {
|
||||
var then = newValue.then
|
||||
if (typeof then === 'function') {
|
||||
doResolve(then.bind(newValue), resolve, reject)
|
||||
return
|
||||
}
|
||||
}
|
||||
state = true
|
||||
value = newValue
|
||||
finale()
|
||||
} catch (e) { reject(e) }
|
||||
}
|
||||
|
||||
function reject(newValue) {
|
||||
state = false
|
||||
value = newValue
|
||||
finale()
|
||||
}
|
||||
|
||||
function finale() {
|
||||
for (var i = 0, len = deferreds.length; i < len; i++)
|
||||
handle(deferreds[i])
|
||||
deferreds = null
|
||||
}
|
||||
|
||||
doResolve(fn, resolve, reject)
|
||||
}
|
||||
|
||||
|
||||
function Handler(onFulfilled, onRejected, resolve, reject){
|
||||
this.onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : null
|
||||
this.onRejected = typeof onRejected === 'function' ? onRejected : null
|
||||
this.resolve = resolve
|
||||
this.reject = reject
|
||||
}
|
||||
|
||||
/**
|
||||
* Take a potentially misbehaving resolver function and make sure
|
||||
* onFulfilled and onRejected are only called once.
|
||||
*
|
||||
* Makes no guarantees about asynchrony.
|
||||
*/
|
||||
function doResolve(fn, onFulfilled, onRejected) {
|
||||
var done = false;
|
||||
try {
|
||||
fn(function (value) {
|
||||
if (done) return
|
||||
done = true
|
||||
onFulfilled(value)
|
||||
}, function (reason) {
|
||||
if (done) return
|
||||
done = true
|
||||
onRejected(reason)
|
||||
})
|
||||
} catch (ex) {
|
||||
if (done) return
|
||||
done = true
|
||||
onRejected(ex)
|
||||
}
|
||||
}
|
14
node_modules/promise/lib/done.js
generated
vendored
Normal file
14
node_modules/promise/lib/done.js
generated
vendored
Normal file
@@ -0,0 +1,14 @@
|
||||
'use strict';
|
||||
|
||||
var Promise = require('./core.js')
|
||||
var asap = require('asap')
|
||||
|
||||
module.exports = Promise
|
||||
Promise.prototype.done = function (onFulfilled, onRejected) {
|
||||
var self = arguments.length ? this.then.apply(this, arguments) : this
|
||||
self.then(null, function (err) {
|
||||
asap(function () {
|
||||
throw err
|
||||
})
|
||||
})
|
||||
}
|
108
node_modules/promise/lib/es6-extensions.js
generated
vendored
Normal file
108
node_modules/promise/lib/es6-extensions.js
generated
vendored
Normal file
@@ -0,0 +1,108 @@
|
||||
'use strict';
|
||||
|
||||
//This file contains the ES6 extensions to the core Promises/A+ API
|
||||
|
||||
var Promise = require('./core.js')
|
||||
var asap = require('asap')
|
||||
|
||||
module.exports = Promise
|
||||
|
||||
/* Static Functions */
|
||||
|
||||
function ValuePromise(value) {
|
||||
this.then = function (onFulfilled) {
|
||||
if (typeof onFulfilled !== 'function') return this
|
||||
return new Promise(function (resolve, reject) {
|
||||
asap(function () {
|
||||
try {
|
||||
resolve(onFulfilled(value))
|
||||
} catch (ex) {
|
||||
reject(ex);
|
||||
}
|
||||
})
|
||||
})
|
||||
}
|
||||
}
|
||||
ValuePromise.prototype = Promise.prototype
|
||||
|
||||
var TRUE = new ValuePromise(true)
|
||||
var FALSE = new ValuePromise(false)
|
||||
var NULL = new ValuePromise(null)
|
||||
var UNDEFINED = new ValuePromise(undefined)
|
||||
var ZERO = new ValuePromise(0)
|
||||
var EMPTYSTRING = new ValuePromise('')
|
||||
|
||||
Promise.resolve = function (value) {
|
||||
if (value instanceof Promise) return value
|
||||
|
||||
if (value === null) return NULL
|
||||
if (value === undefined) return UNDEFINED
|
||||
if (value === true) return TRUE
|
||||
if (value === false) return FALSE
|
||||
if (value === 0) return ZERO
|
||||
if (value === '') return EMPTYSTRING
|
||||
|
||||
if (typeof value === 'object' || typeof value === 'function') {
|
||||
try {
|
||||
var then = value.then
|
||||
if (typeof then === 'function') {
|
||||
return new Promise(then.bind(value))
|
||||
}
|
||||
} catch (ex) {
|
||||
return new Promise(function (resolve, reject) {
|
||||
reject(ex)
|
||||
})
|
||||
}
|
||||
}
|
||||
|
||||
return new ValuePromise(value)
|
||||
}
|
||||
|
||||
Promise.all = function (arr) {
|
||||
var args = Array.prototype.slice.call(arr)
|
||||
|
||||
return new Promise(function (resolve, reject) {
|
||||
if (args.length === 0) return resolve([])
|
||||
var remaining = args.length
|
||||
function res(i, val) {
|
||||
try {
|
||||
if (val && (typeof val === 'object' || typeof val === 'function')) {
|
||||
var then = val.then
|
||||
if (typeof then === 'function') {
|
||||
then.call(val, function (val) { res(i, val) }, reject)
|
||||
return
|
||||
}
|
||||
}
|
||||
args[i] = val
|
||||
if (--remaining === 0) {
|
||||
resolve(args);
|
||||
}
|
||||
} catch (ex) {
|
||||
reject(ex)
|
||||
}
|
||||
}
|
||||
for (var i = 0; i < args.length; i++) {
|
||||
res(i, args[i])
|
||||
}
|
||||
})
|
||||
}
|
||||
|
||||
Promise.reject = function (value) {
|
||||
return new Promise(function (resolve, reject) {
|
||||
reject(value);
|
||||
});
|
||||
}
|
||||
|
||||
Promise.race = function (values) {
|
||||
return new Promise(function (resolve, reject) {
|
||||
values.forEach(function(value){
|
||||
Promise.resolve(value).then(resolve, reject);
|
||||
})
|
||||
});
|
||||
}
|
||||
|
||||
/* Prototype Methods */
|
||||
|
||||
Promise.prototype['catch'] = function (onRejected) {
|
||||
return this.then(null, onRejected);
|
||||
}
|
63
node_modules/promise/lib/node-extensions.js
generated
vendored
Normal file
63
node_modules/promise/lib/node-extensions.js
generated
vendored
Normal file
@@ -0,0 +1,63 @@
|
||||
'use strict';
|
||||
|
||||
//This file contains then/promise specific extensions that are only useful for node.js interop
|
||||
|
||||
var Promise = require('./core.js')
|
||||
var asap = require('asap')
|
||||
|
||||
module.exports = Promise
|
||||
|
||||
/* Static Functions */
|
||||
|
||||
Promise.denodeify = function (fn, argumentCount) {
|
||||
argumentCount = argumentCount || Infinity
|
||||
return function () {
|
||||
var self = this
|
||||
var args = Array.prototype.slice.call(arguments)
|
||||
return new Promise(function (resolve, reject) {
|
||||
while (args.length && args.length > argumentCount) {
|
||||
args.pop()
|
||||
}
|
||||
args.push(function (err, res) {
|
||||
if (err) reject(err)
|
||||
else resolve(res)
|
||||
})
|
||||
var res = fn.apply(self, args)
|
||||
if (res && (typeof res === 'object' || typeof res === 'function') && typeof res.then === 'function') {
|
||||
resolve(res)
|
||||
}
|
||||
})
|
||||
}
|
||||
}
|
||||
Promise.nodeify = function (fn) {
|
||||
return function () {
|
||||
var args = Array.prototype.slice.call(arguments)
|
||||
var callback = typeof args[args.length - 1] === 'function' ? args.pop() : null
|
||||
var ctx = this
|
||||
try {
|
||||
return fn.apply(this, arguments).nodeify(callback, ctx)
|
||||
} catch (ex) {
|
||||
if (callback === null || typeof callback == 'undefined') {
|
||||
return new Promise(function (resolve, reject) { reject(ex) })
|
||||
} else {
|
||||
asap(function () {
|
||||
callback.call(ctx, ex)
|
||||
})
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
Promise.prototype.nodeify = function (callback, ctx) {
|
||||
if (typeof callback != 'function') return this
|
||||
|
||||
this.then(function (value) {
|
||||
asap(function () {
|
||||
callback.call(ctx, null, value)
|
||||
})
|
||||
}, function (err) {
|
||||
asap(function () {
|
||||
callback.call(ctx, err)
|
||||
})
|
||||
})
|
||||
}
|
89
node_modules/promise/package.json
generated
vendored
Normal file
89
node_modules/promise/package.json
generated
vendored
Normal file
@@ -0,0 +1,89 @@
|
||||
{
|
||||
"_args": [
|
||||
[
|
||||
{
|
||||
"name": "promise",
|
||||
"raw": "promise@^6.0.1",
|
||||
"rawSpec": "^6.0.1",
|
||||
"scope": null,
|
||||
"spec": ">=6.0.1 <7.0.0",
|
||||
"type": "range"
|
||||
},
|
||||
"F:\\tmp\\gitbook\\node_modules\\less"
|
||||
]
|
||||
],
|
||||
"_from": "promise@>=6.0.1 <7.0.0",
|
||||
"_id": "promise@6.1.0",
|
||||
"_inCache": true,
|
||||
"_installable": true,
|
||||
"_location": "/promise",
|
||||
"_npmUser": {
|
||||
"email": "forbes@lindesay.co.uk",
|
||||
"name": "forbeslindesay"
|
||||
},
|
||||
"_npmVersion": "1.5.0-alpha-4",
|
||||
"_phantomChildren": {},
|
||||
"_requested": {
|
||||
"name": "promise",
|
||||
"raw": "promise@^6.0.1",
|
||||
"rawSpec": "^6.0.1",
|
||||
"scope": null,
|
||||
"spec": ">=6.0.1 <7.0.0",
|
||||
"type": "range"
|
||||
},
|
||||
"_requiredBy": [
|
||||
"/less"
|
||||
],
|
||||
"_resolved": "https://registry.npmjs.org/promise/-/promise-6.1.0.tgz",
|
||||
"_shasum": "2ce729f6b94b45c26891ad0602c5c90e04c6eef6",
|
||||
"_shrinkwrap": null,
|
||||
"_spec": "promise@^6.0.1",
|
||||
"_where": "F:\\tmp\\gitbook\\node_modules\\less",
|
||||
"author": {
|
||||
"name": "ForbesLindesay"
|
||||
},
|
||||
"bugs": {
|
||||
"url": "https://github.com/then/promise/issues"
|
||||
},
|
||||
"dependencies": {
|
||||
"asap": "~1.0.0"
|
||||
},
|
||||
"description": "Bare bones Promises/A+ implementation",
|
||||
"devDependencies": {
|
||||
"better-assert": "*",
|
||||
"mocha": "*",
|
||||
"promises-aplus-tests": "*"
|
||||
},
|
||||
"directories": {},
|
||||
"dist": {
|
||||
"shasum": "2ce729f6b94b45c26891ad0602c5c90e04c6eef6",
|
||||
"tarball": "https://registry.npmjs.org/promise/-/promise-6.1.0.tgz"
|
||||
},
|
||||
"gitHead": "c627c0cc1f886ed3aa26edec97838ec9e7dd858b",
|
||||
"homepage": "https://github.com/then/promise",
|
||||
"license": "MIT",
|
||||
"main": "index.js",
|
||||
"maintainers": [
|
||||
{
|
||||
"email": "forbes@lindesay.co.uk",
|
||||
"name": "forbeslindesay"
|
||||
},
|
||||
{
|
||||
"email": "nathan@nathan7.eu",
|
||||
"name": "nathan7"
|
||||
}
|
||||
],
|
||||
"name": "promise",
|
||||
"optionalDependencies": {},
|
||||
"readme": "ERROR: No README data found!",
|
||||
"repository": {
|
||||
"type": "git",
|
||||
"url": "git+https://github.com/then/promise.git"
|
||||
},
|
||||
"scripts": {
|
||||
"test": "mocha --timeout 200 --slow 99999",
|
||||
"test-extensions": "mocha test/extensions-tests.js -R spec --timeout 200 --slow 999999",
|
||||
"test-resolve": "mocha test/resolver-tests.js -R spec --timeout 200 --slow 999999"
|
||||
},
|
||||
"version": "6.1.0"
|
||||
}
|
12
node_modules/promise/polyfill-done.js
generated
vendored
Normal file
12
node_modules/promise/polyfill-done.js
generated
vendored
Normal file
@@ -0,0 +1,12 @@
|
||||
// should work in any browser without browserify
|
||||
|
||||
if (typeof Promise.prototype.done !== 'function') {
|
||||
Promise.prototype.done = function (onFulfilled, onRejected) {
|
||||
var self = arguments.length ? this.then.apply(this, arguments) : this
|
||||
self.then(null, function (err) {
|
||||
setTimeout(function () {
|
||||
throw err
|
||||
}, 0)
|
||||
})
|
||||
}
|
||||
}
|
10
node_modules/promise/polyfill.js
generated
vendored
Normal file
10
node_modules/promise/polyfill.js
generated
vendored
Normal file
@@ -0,0 +1,10 @@
|
||||
// not "use strict" so we can declare global "Promise"
|
||||
|
||||
var asap = require('asap');
|
||||
|
||||
if (typeof Promise === 'undefined') {
|
||||
Promise = require('./lib/core.js')
|
||||
require('./lib/es6-extensions.js')
|
||||
}
|
||||
|
||||
require('./polyfill-done.js');
|
Reference in New Issue
Block a user