- Aids developer productivity by producing async processes within applications that are robust and with clear logic
- Eliminates indenting from complex async handlers making them easier to read and maintain
- Can replaces 'caolan/async' package with ES6 native promise-based code and replicate 'jongleberry/co' package fucntionality but with extended options
- 191 unit and functional tests covering all use cases
- Supports async/await with optional Asyncronous steps in ES6 Class pattern/layout which allows mixing of async methods or generators with yield or synchronous normal functions.
- Extensible. easily add additional Extended Promise methods
-
.twoPrev() and .threePrev() added with associated tests
-
New documentation of 'asyncronous steps in ES6 Class' pattern
-
am() can be used to wrap various types of entities such as generators, classes, promises, functions-with-callback etc. to generate an Extended Promise. Every Extended Promise has the same set of chainable methods available to manipulate the resolved and/or rejected values
Chainable methods
-
More: .log(), .wait(), .timeout(), .catch(), .then(), .promise()
Wrapping options
a. am(<promise>) creates ExtendedPromise resolving to resolved value of input Promise or rejecting to rejected value of input Promise
b. am(<generator>) creates ExtendedPromise resolving to returned value of input generator after any yield statements are resolved. Any thrown errors values are rejected
c. am(<function with callback argument>) creates ExtendedPromise resolving to returned value of callback or rejecting to error value in callback
d. am(methodName, <Class>) creates ExtendedPromise resolving to returned value of async method, generator method, or synchronous method, in anonymous or named class. Any thrown errors values are rejected to end of chain
e. am(methodName, new <Class>(arg)) creates ExtendedPromise resolving to returned value of async method, generator method, or synchronous method, in new'ed anonymous or named class. Any thrown errors values are rejected to end of chain
f. am(<Iterator>) creates ExtendedPromise resolving to returned value of iterator (eg executed generator)
g. am(<boolean | number | string | array | object>) creates ExtendedPromise resolving to entity
h. am.fn(<function without callback>,args...) creates ExtendedPromise resolving to returned value of function with args applied. Any thrown errors values in function are rejected to end of chain
i. am.sfn(<function with success/fail callbacks>,args..) creates ExtendedPromise resolving to returned value of success callback or rejecting to returned value of fail callback when provided arguments applied.
j. am(<Extended Promise>) creates identity
k. am.resolve(<entity>) creates Extended Promise resolving to entity
l. am.reject(<entity>) creates Extended Promise rejecting to entity
More: am.all(<array or object of promises or generators>), am.race(<array or object of functions-with-callback, promises or generators>), am.forEach(<array or object of functions-with-callback, promises or generators>), am.parallel(<array or object of functions-with-callback, promises or generators>), am.waterfall(<array or object of functions-with-callback, promises or generators>)
See also npm
In package.json
"async-methods":"^0.2.5"
In console
$ npm install async-methods -P
In code
let am=require('async-methods');
###Wrap ES6 Class with methods
####am( methodName , class { methodName { ... }})
am(56)
.next('test', class {
async test(value) {
return await Promise.resolve(89 + (value || 0))
}
})
.log() // 145
let ep = am(
'test',
class {
async test() {
return await Promise.reject({ e: 567 })
}
}
)
.next(r => {
// Extended Promise rejects
})
.error(err => {
console.log(err) // { e: 567 }
})
###Wrap Newed Class
let ep = am(
'test',
new class {
async test(value) {
return await Promise.resolve(56 + (value || 0))
}
}(),
54
).next(r => {
assert.ok(ep instanceof am.ExtendedPromise)
assert.equal(r, 110)
done()
})
###Wrap Entities
####am([3,4,5])
Create ExtendedPromise that returns an array.
synchronous
am([3, 4, 5]).mapFilter(function (value, i) {
return 2 * value + i;
}).log('array wrapper');
// array wrapper [15ms] [ 6, 9, 12 ]
asynchronous
am([33, 4, 555]).wait(200).filter(function* (value) {
return yield am.resolve(4 - value);
}).log('filter asyncronous,');
// filter asyncronous, [204ms] [ 33, 555 ]
am(4).timeout(200).filter(function* (value) {
return yield am.resolve(4 - value);
}).log('filter asyncronous non-object');
// filter asyncronous non-object [204ms] null
####am({a:3}) Creates= ExtendedPromise that returns an object.
am({ a: 34, b: 56, c: 78})
.forEach(function (value, attr) {
console.log(value, attr);// a 34 b 56 c 78
}).log();
####am(<boolean | string | null>) Creates ExtendedPromise that returns entitity
am(true).filter(function*(value){
return value;
}).log('other')
// 'other' true
###Wrap Iterator
####am(iterator)
Creates ExtendedPromise which returns the result of the iterator
am(function*(a,b){
a+=b;
return yield a;
}(45,55))
.log('iterator');
// iterator 100
###Wrap Function-with-callback
####am(function(<args>, callback){ ... },<args>)
Creates ExtendedPromise that returns arguments of the callback and passes any err to a .error(fn) or .catch(fn) at end of the chain.
am(fs.readFile, __dirname + '/am.js')
.then(function (content) {
return content.toString().substr(-5);
})
.log('function with callback');
// function with callback '= am';
###Wrap generator
####am(generator)
Creates ExtendedPromise (in same way as to 'co')
am(function* () {
return yield {
b: Promise.resolve('bb'),
a: {
b: Promise.resolve('bb'),
a: {
b: Promise.resolve('bb'),
c: Promise.resolve('cc')
}
}
};
}).log();
// logs:
// yield object with async attributes { b: 'bb', a: { b: 'bb', a: { b: 'bb', c: 'cc' } } }
####am(<Promise>)
Creates ExtendedPromise
am(Promise.resolve([45,67]))
.map(function(item){
return item/10;
}).log('wrap promise')
// logs
// wrap promise [ 4.5, 6.7 ]
###Wrap Function with Success-Fail callbacks
####am.sfFn(function(,successFn, errorFn,<args>)
returns Extended Promise that returns arguments of the success callback to next() or then() and passes the argument of the error function to a .error(fn) or .catch(fn) at end of the chain.
let sf = function (a, success, fail) {
if (a < 10) {
success(a);
} else {
fail('too big');
}
};
am.sfFn(sf, 14).log('sfFn','err');
//logs
// err 'too big'
am.sfFn(sf, 1).next(function (r) {
console.log(r);
});
// logs
// 1
###Wrap No-callback Function
Creates ExtendedPromise resolving to result of a function without a callback argument when the arguments provided are applied. If error thrown in execution of function error value is rejected to end of chain
let noCallback=(a, b) => {
return a + b
},
ep = am.fn(noCallback,345,678)
.next(r => {
console.log(r) // 1023
})
.error(err => {
})
###Wrap ExtendedPromise
####am(<Extended Promise>)
Creates identity (input ExtendedPromise)
In all cases fn can be a generator or a normal function (for analagous synchronous operation) An ES6 Class (anon or nameed) can be used using syntax .next(methodName,class). This gives access to async/await
An optional tolerant argument can be used with .map() or .filter() or with .mapFilter() to ensure completion even if there is an error
###.map()
fn can be a normal function (synchronous operations) or a generator (asynchronous operations)
equivalent to .map(). If the previous stage of the chain resolves to an array or object, each element of the array or object is replaced with the returned result of the function or generator
am(Promise.resolve([45, 67]))
.map(function (item) {
return item / 10;
}).log('map Promise result')
// logs
// map Promise result [ 4.5, 6.7 ]
am([4, 5, 6])
.map(
'asyncMap',
class {
async asyncMap(value) {
return await Promise.resolve(2 * value)
}
}
)
.map(
'syncMap',
class {
syncMap(value) {
return 3 * value
}
}
)
.log() // [24, 30, 36]
###.filter()
fn can be a normal function (synchronous operations) or a generator (asynchronous operations) An ES6 Class (anon or named) can be used using syntax .next(methodName,class).
*Filter can be applied to objects and other entitites as well as arrays
am(7).filter(function (value) {
return 7 - value;
}).log();
// logs
// null
am(7).filter(function* (value) {
return yield(8 - value);
}).log();
// logs
// 7
am({ a: 4, b: 5, c: 6 })
.filter(
'asyncMap',
class {
async asyncMap(value, attr) {
return await Promise.resolve(value < 5 ? false : true)
}
}
)
.filter(
'syncMap',
class {
syncMap(value, attr) {
return value === 6 ? false : 2 * value
}
}
)
.log() /// {b:5}
am({
a: 27,
b: 78
}).filter(function* (value, attr) {
let a = yield Promise.resolve(value);
return a > 50;
}).log('object filter');
// logs
// object filter { b: 78 }
###.mapFilter()
Combines a map followed by a fiter using values returned from the map If the mapping function for an element returns false, then the element is excluded from the result
fn can be a normal function (synchronous operations) or a generator (asynchronous operations). An ES6 Class (anon or named) can be used using syntax .next(methodName,class).
am([3, 4, 5])
.mapFilter(function (value, i) {
let a= 2 * value + i;
return a > 6 ? a :false;
})
.log('mapfilter'); \\ mapfilter [ 9, 12 ]
am([4, 5, 6])
.mapFilter('asyncMap', class {
async asyncMap(value) {
return value < 5 ? false : await Promise.resolve(2 * value)
}
})
.mapFilter('syncMap', class {
syncMap(value) {
return value === 10 ? false : 2 * value
}
}).log() // [24]
fn can be a normal function (synchronous operations) or a generator (asynchronous operations). An ES6 Class (anon or named) can be used using syntax .next(methodName,class).
forEach returns an extended Promise resolving to the initial array or objectx
am([34, 56, 78]).forEach(function (value, i) {
console.log(value, i);
}).log();
// logs
// 34 0
// 56 1
// 78 2
// [34, 56, 78]
####generator/yield
am([34, 56, 78]).forEach(function* (value, i) {
console.log(yield am.resolve(2 * value),i);
}).log();
// logs
// 68 0
// 112 1
// 156 2
let test = []
am(66)
.forEach('asyncMap', class {
async asyncMap(value, i) {
test.push(await Promise.resolve(value))
}
}
)
.forEach('syncMap',class {
syncMap(value, i) {
test.push(2 * value)
}
})
.next(function(){
console.log(test) // [66,132]
})
am({
a: 34,
b: 56,
c: 78
}).forEach(function* (value, attr) {
console.log(yield am.resolve(3 * value), yield am.resolve(attr));
}).log('object async');
// logs
// 102 'a', 168 'b', 234 'c'
// object async { a: 34, b: 56, c: 78 }
###.next()
fn can be a normal function (synchronous operations) or a generator (asynchronous operations). An ES6 Class (anon or named) can be used using syntax .next(methodName,class).
am(56)
.next('test', class {
async test(value) {
return await Promise.resolve(89 + (value || 0))
}
})
.log() // 145
let sample = class {
async test(value) {
return await Promise.resolve(89 + (value || 0))
}
}
let ep = am(56)
.next('test', sample)
.log() //145
let sample = class {
constructor(type) {
this.type = type
}
async test(value) {
return await Promise.resolve(89 + (this.type || 0) + (value || 0))
}
}
let ep = am(56)
.next('test', new sample(45))
.next(r => {
console.log(r) // 190 (45 + 89 + 56)
done()
})
am.waterfall([
am.resolve(999).timeout(2000),
am.resolve(8).timeout(1000)
])
.log('waterfall');
// logs
// waterfall [2002ms] [ 999, 8 ]
alias of .timeout()
am.sfFn(sf, 1).wait(3000).log('wait');
// logs
// wait [3003ms] 1
Adding Error() as last attribute will allow log to add the line number and filename to log of success values as well as errors
am.sfFn(sf, 1).wait(3000)
.log('with line no. ', Error());
// logs
// with line no. line 12 of async-methods/test-4.js 1
###.error()
Similar to .catch() but by default it is 'pass-through' ie if nothing is returned - the next stage in the chain will receive the same result or error that was passed to error(fn).
fn can also be a normal function or a generator allowing a further chain of asyncronous operations. An ES6 Class (anon or named) can be used using syntax .next(methodName,class).
If the function or generator returns something other than undefined or an error occurs that result or error will be passed to the next stage of the chain.
am.waterfall({
a: am.reject(88),
b: function (result, cb) {
result.f = 567;
cb(null, 444 + result.a);
},
c: function (result, cb) {
cb(null, 444 + result.a + result.b);
}
}).error(function (err) {
console.log(701, err);
return am.reject(new Error('no good'));
}).log('waterfall object', 'waterfall err');
// logs
// waterfall err [Error: no good]
```javascript
###.promise()
Converts an Extended Promise to a normal promise (with methods catch and then)
```javascript
am([2, 3, 4]).next(function () {}).log()
.promise()
.then(function (result) {
console.log('Promise resolves with', result);
}).catch(function (err) {
console.log(err);
});
//logs
// Promise resolves with [2,3,4]
###.then()
####.then(fn)
Similar to **.then() but returns an Extended Promise.
If want fn to be a generator use .next()
Identical to .catch() but returns a chainable ExtendedPromise.
If want fn to be a generator or class use .error()
All static methods return a chainable Extended Promise
###am.waterfall
am.waterfall({
a: am.reject(88),
b: function (result, cb) {
result.f = 567;
cb(null, 444 + result.a);
},
c: function (result, cb) {
cb(null, 444 + result.a + result.b);
}
}).error(function (err) {
console.log(701, err);
return am.reject(new Error('no gogod'));
}).log('waterfall object', 'waterfall err');
###am.parallel
am.parallel([Promise.resolve(45), Promise.resolve(67)])
.log('parallel');
// logs
// parallel [ 45, 67 ]
####am.forEach
where fn is either a function that accepts a callback, or a generator. Anonymous and named claes can also be used to access async/await
am.forEach([3, 4, 5], function (value, cb) {
cb(null, 2 * value);
}).log('sync forEach test result');
am.forEach([3, 4, 5], function* (value) {
return yield Promise.resolve(2 * value);
}).log('async forEach test result');
These methods have same functionality as their Promise equivalents but return a chainable Extended Promise rather than a normal Promise
###am.resolve
am.resolve(Promise.resolve(67))
.then(function () {
console.log(arguments[0]);
});
// logs
// 67
###am.reject
am.reject({message:'no result'})
.catch(function(err){
console.log(err);
})
// logs
// { message: 'no result' }
###am.all
am.all() can wrap an object as well as an array and the elements of the array or object don't have to be Promises they can be anyhting that am wraps
am.all([
4,
Promise.reject(56),
function (cb) {
setTimeout(function () {
cb(null, 5);
}, 4000);
},
function (cb) {
setTimeout(function () {
cb(null, 6);
}, 1000);
},
function (cb) {
setTimeout(function () {
cb(null, 90);
}, 100);
}
]).then(function (r) {
console.log(r);
}).catch(function (r) {
console.log(r);
});
// logs
// 56
####am.race([<am-wrappable>,<am-wrappable>,..])
am.race() can wrap an object as well as an array and the elements of the array or object don't have to be Promises they can be anyhting that am wraps
am.race({
a: Promise.resolve(56),
b: 45
}).log('race')
// logs
// race 45
- am.isPromise(entity)
- am.isGenerator(entity)
- am.isNextable(entity)
- am.isIterable(entity)
- am.isObject(entity)
- am.isArray(entity)
- am.isClass(entity)
let test, tester = function() {
return am.argumentsHaveClass(arguments)
}
test = tester([234, 567])
console.log(test) // false
test = tester('test', class {
test(arg1, arg2) {
return arg1 * arg2
}},4,5)
console.log(test)
/*
{ classFn: [Function],
classObject: undefined,
methodName: 'test',
args: [ 4, 5 ]
}
*/
You can now roll-your-own Extended Promise, adding more methods or changing functionality of exiting methods! See am-sample-ext.js and check out this Mongo extension: am-mongo
See am-sample-ext.js for more explanation
let asyncMethods=require('async-methods'),
extendedAm = asyncMethods._extend(new ExtendedPromise)
There are 169 automated unit and functional tests
$ npm test
$ npm run test-extend