# Async.js
Async is a utility module which provides straight-forward, powerful functions
for working with asynchronous JavaScript. Although originally designed for
use with [node.js](http://nodejs.org), it can also be used directly in the
browser. Also supports [component](https://github.com/component/component).
Async provides around 20 functions that include the usual 'functional'
suspects (map, reduce, filter, each…) as well as some common patterns
for asynchronous control flow (parallel, series, waterfall…). All these
functions assume you follow the node.js convention of providing a single
callback as the last argument of your async function.
## Quick Examples
```javascript
async.map(['file1','file2','file3'], fs.stat, function(err, results){
// results is now an array of stats for each file
});
async.filter(['file1','file2','file3'], fs.exists, function(results){
// results now equals an array of the existing files
});
async.parallel([
function(){ ... },
function(){ ... }
], callback);
async.series([
function(){ ... },
function(){ ... }
]);
```
There are many more functions available so take a look at the docs below for a
full list. This module aims to be comprehensive, so if you feel anything is
missing please create a GitHub issue for it.
## Common Pitfalls
### Binding a context to an iterator
This section is really about bind, not about async. If you are wondering how to
make async execute your iterators in a given context, or are confused as to why
a method of another library isn't working as an iterator, study this example:
```js
// Here is a simple object with an (unnecessarily roundabout) squaring method
var AsyncSquaringLibrary = {
squareExponent: 2,
square: function(number, callback){
var result = Math.pow(number, this.squareExponent);
setTimeout(function(){
callback(null, result);
}, 200);
}
};
async.map([1, 2, 3], AsyncSquaringLibrary.square, function(err, result){
// result is [NaN, NaN, NaN]
// This fails because the `this.squareExponent` expression in the square
// function is not evaluated in the context of AsyncSquaringLibrary, and is
// therefore undefined.
});
async.map([1, 2, 3], AsyncSquaringLibrary.square.bind(AsyncSquaringLibrary), function(err, result){
// result is [1, 4, 9]
// With the help of bind we can attach a context to the iterator before
// passing it to async. Now the square function will be executed in its
// 'home' AsyncSquaringLibrary context and the value of `this.squareExponent`
// will be as expected.
});
```
## Download
The source is available for download from
[GitHub](http://github.com/caolan/async).
Alternatively, you can install using Node Package Manager (npm):
npm install async
__Development:__ [async.js](https://github.com/caolan/async/raw/master/lib/async.js) - 29.6kb Uncompressed
## In the Browser
So far it's been tested in IE6, IE7, IE8, FF3.6 and Chrome 5. Usage:
```html
<script type="text/javascript" src="async.js"></script>
<script type="text/javascript">
async.map(data, asyncProcess, function(err, results){
alert(results);
});
</script>
```
## Documentation
### Collections
* [each](#each)
* [eachSeries](#eachSeries)
* [eachLimit](#eachLimit)
* [map](#map)
* [mapSeries](#mapSeries)
* [mapLimit](#mapLimit)
* [filter](#filter)
* [filterSeries](#filterSeries)
* [reject](#reject)
* [rejectSeries](#rejectSeries)
* [reduce](#reduce)
* [reduceRight](#reduceRight)
* [detect](#detect)
* [detectSeries](#detectSeries)
* [sortBy](#sortBy)
* [some](#some)
* [every](#every)
* [concat](#concat)
* [concatSeries](#concatSeries)
### Control Flow
* [series](#series)
* [parallel](#parallel)
* [parallelLimit](#parallellimittasks-limit-callback)
* [whilst](#whilst)
* [doWhilst](#doWhilst)
* [until](#until)
* [doUntil](#doUntil)
* [forever](#forever)
* [waterfall](#waterfall)
* [compose](#compose)
* [applyEach](#applyEach)
* [applyEachSeries](#applyEachSeries)
* [queue](#queue)
* [cargo](#cargo)
* [auto](#auto)
* [iterator](#iterator)
* [apply](#apply)
* [nextTick](#nextTick)
* [times](#times)
* [timesSeries](#timesSeries)
### Utils
* [memoize](#memoize)
* [unmemoize](#unmemoize)
* [log](#log)
* [dir](#dir)
* [noConflict](#noConflict)
## Collections
<a name="forEach" />
<a name="each" />
### each(arr, iterator, callback)
Applies an iterator function to each item in an array, in parallel.
The iterator is called with an item from the list and a callback for when it
has finished. If the iterator passes an error to this callback, the main
callback for the each function is immediately called with the error.
Note, that since this function applies the iterator to each item in parallel
there is no guarantee that the iterator functions will complete in order.
__Arguments__
* arr - An array to iterate over.
* iterator(item, callback) - A function to apply to each item in the array.
The iterator is passed a callback(err) which must be called once it has
completed. If no error has occured, the callback should be run without
arguments or with an explicit null argument.
* callback(err) - A callback which is called after all the iterator functions
have finished, or an error has occurred.
__Example__
```js
// assuming openFiles is an array of file names and saveFile is a function
// to save the modified contents of that file:
async.each(openFiles, saveFile, function(err){
// if any of the saves produced an error, err would equal that error
});
```
---------------------------------------
<a name="forEachSeries" />
<a name="eachSeries" />
### eachSeries(arr, iterator, callback)
The same as each only the iterator is applied to each item in the array in
series. The next iterator is only called once the current one has completed
processing. This means the iterator functions will complete in order.
---------------------------------------
<a name="forEachLimit" />
<a name="eachLimit" />
### eachLimit(arr, limit, iterator, callback)
The same as each only no more than "limit" iterators will be simultaneously
running at any time.
Note that the items are not processed in batches, so there is no guarantee that
the first "limit" iterator functions will complete before any others are
started.
__Arguments__
* arr - An array to iterate over.
* limit - The maximum number of iterators to run at any time.
* iterator(item, callback) - A function to apply to each item in the array.
The iterator is passed a callback(err) which must be called once it has
completed. If no error has occured, the callback should be run without
arguments or with an explicit null argument.
* callback(err) - A callback which is called after all the iterator functions
have finished, or an error has occurred.
__Example__
```js
// Assume documents is an array of JSON objects and requestApi is a
// function that interacts with a rate-limited REST api.
async.eachLimit(documents, 20, requestApi, function(err){
// if any of the saves produced an error, err would equal that error
});
```
---------------------------------------
<a name="map" />
### map(arr, iterator, callback)
Produces a new array of values by mapping each value in the given array through
the iterator function. The iterator is called with an item from the array and a
callback for when it has finished processing. The callback takes 2 arguments,
an error and the transformed item from the array. If the iterator passes an
error to this callback, the main callback for the map function is immediately
called with the error.
Note, that since this function applies the iterator to each item in parallel
there is no guarantee that the iterator functions will complete in order, however
the results array will be in the same order as the original array.
__Arguments__
* arr - An array to iterate over.
* iterator(item, callback) - A function to apply to each item in the array.
The iterator is passed a callback(err, transformed) which must be called onc
没有合适的资源?快使用搜索试试~ 我知道了~
开源的终端工具Tabby,它直接集成了SFTP功能;Tabby是一款现代化的终端连接工具,开源并且跨平台,支持在Windows、
共1608个文件
ts:476个
js:242个
json:90个
5星 · 超过95%的资源 需积分: 4 10 下载量 106 浏览量
2022-10-09
16:23:55
上传
评论
收藏 117.33MB ZIP 举报
温馨提示
开源的终端工具Tabby,它直接集成了SFTP功能;Tabby是一款现代化的终端连接工具,开源并且跨平台,支持在Windows、MacOS、Linux系统下使用。 下载地址:https://github.com/Eugeny/tabby/releases/tag/v1.0.175 https://blog.csdn.net/qq_22938603/article/details/124275695
资源详情
资源评论
资源推荐
收起资源包目录
开源的终端工具Tabby,它直接集成了SFTP功能;Tabby是一款现代化的终端连接工具,开源并且跨平台,支持在Windows、 (1608个子文件)
3024 Day 678B
3024 Night 678B
AdventureTime 678B
Afterglow 678B
AlienBlood 678B
Argonaut 678B
Arthur 678B
app.asar 75.45MB
AtelierSulphurpool 678B
Atom 678B
AtomOneLight 678B
ayu 678B
ayu_light 678B
Base16 Default Dark 1KB
base2tone-cave-dark 679B
base2tone-desert-dark 679B
base2tone-drawbridge-dark 679B
base2tone-evening-dark 679B
base2tone-forest-dark 679B
base2tone-heath-dark 679B
base2tone-heath-light 679B
base2tone-lake-dark 679B
base2tone-meadow-dark 679B
base2tone-morning-light 679B
base2tone-pool-dark 679B
base2tone-sea-dark 679B
base2tone-space-dark 679B
vcbuild.bat 2KB
build-pty4j-libpty.bat 1KB
clink.bat 1KB
UpdateGenVersion.bat 578B
GetCommitHash.bat 274B
Batman 678B
Belafonte Day 678B
Belafonte Night 678B
v8_context_snapshot.bin 709KB
snapshot_blob.bin 396KB
BirdsOfParadise 678B
Blazer 667B
Borland 678B
Bright Lights 678B
Broadcast 678B
Brogrammer 678B
C64 678B
Chalk 678B
Chalkboard 678B
CHANGES 63KB
Ciapre 678B
clink_inputrc_base 2KB
CLRS 678B
ipv6grep.cmd 206B
ipv6.cmd 198B
run-script-os.cmd 192B
run-os.cmd 192B
ipv6grep.cmd 188B
ipv6.cmd 180B
Cobalt Neon 678B
Cobalt2 678B
CodeDirectory 168B
CodeDirectory 162B
CodeRequirements 184B
CodeRequirements 180B
CodeRequirements-1 216B
CodeRequirements-1 210B
CodeResources 3KB
CodeResources 3KB
CodeSignature 9KB
CodeSignature 9KB
static.coffee 688B
configure 6KB
dwm.cpp 1KB
addon.cpp 1KB
exec.cpp 760B
CrayonPonyFish 678B
docco.css 7KB
xterm.css 608B
tabBody.deep.component.css 68B
Dark Pastel 678B
Darkside 678B
icudtl.dat 9.81MB
deep 678B
Desert 678B
DimmedMonokai 678B
libGLESv2.dll 6.72MB
vk_swiftshader.dll 4.44MB
d3dcompiler_47.dll 4.32MB
libGLESv2.dll 3.04MB
ffmpeg.dll 2.59MB
clink_dll_x64.dll 1.27MB
clink_dll_x86.dll 1.04MB
vulkan-1.dll 832KB
winpty.dll 747KB
libEGL.dll 450KB
libEGL.dll 439KB
DotGov 678B
Dracula 678B
Duotone Dark 678B
Earthsong 678B
.editorconfig 55B
Elemental 678B
共 1608 条
- 1
- 2
- 3
- 4
- 5
- 6
- 17
qq_492448446
- 粉丝: 946
- 资源: 75
上传资源 快速赚钱
- 我的内容管理 展开
- 我的资源 快来上传第一个资源
- 我的收益 登录查看自己的收益
- 我的积分 登录查看自己的积分
- 我的C币 登录后查看C币余额
- 我的收藏
- 我的下载
- 下载帮助
最新资源
- 深入Multisim的最坏情况分析:方法、实践与案例研究
- 大语言模型部署-使用OpenVINO部署ChatGLM3-附项目源码+流程教程-优质项目实战.zip
- 大语言模型部署-使用OpenVINO部署通义千问QWen2-附项目源码+流程教程-优质项目实战.zip
- Linux个人笔记,更新中
- 大模型LoRA微调-基于ChatGLM3-6B模型的LoRA方法微调实现-附项目源码+流程教程-优质项目实战.zip
- Excel表中身份证有效性校验工具
- RSAS导出工具-支持最新的rsas版本
- Spring boot -Thymeleaf视图技术
- webpack5+react+ts搭建项目学习教程以及项目
- 蓝桥杯省赛,液位模拟告警系统 所有功能全部实现 代码详解及注释
资源上传下载、课程学习等过程中有任何疑问或建议,欢迎提出宝贵意见哦~我们会及时处理!
点击此处反馈
安全验证
文档复制为VIP权益,开通VIP直接复制
信息提交成功
评论10