3

我最近参加了一个 node.js 聚会,演讲的那个人说了一些类似的话:
“你需要生成器才能执行多轮并行 io。回调不会削减它”

我是 node.js 的新手,不知道这意味着什么。有人可以解释一下吗?

编辑:正如评论中所要求的,这里有一个更详细的版本:我参加了一个介绍 node.js 的聚会。听众中有人问演讲者他认为 node.js 最大的缺点是什么。他说,在 node.js 获得生成器之前,它对于多轮并行 I/O 没有一个好的解决方案。任何大型网络应用程序都必须这样做。多轮并行访问 memcache 就是一个例子,数据库和第三方 API 是其他例子。任何来自 Python、Ruby 或 Go 等支持生成器、线程或微线程的语言的人都很难接受平台可以完全依赖回调。

4

1 回答 1

0

他可能指的是序列助手,在下一个回调中运行一个任务意味着链将同步运行。

这是我用于将大量数据插入 Mongo 集合的生成器的示例。这会生成要并行执行的操作序列。在这种情况下,通过使用回调方法链接它们来执行一百万次插入并不是很实用。所以这就是为什么我使用像下面这样的生成器/序列助手。

var Inserter = function (collection) {
    this.collection = collection;
    this.data = [];
    this.maxThreads = 30;
    this.currentThreads = 0;
    this.batchSize = 1000;
    this.queue = 0;
    this.inserted = 0;
    this.startTime = Date.now();
};

Inserter.prototype.add = function(data) {
    this.data.push(data);
};

Inserter.prototype.insert = function(force) {
    var that = this;
    if (this.data.length >= this.batchSize || force) {
        if (this.currentThreads >= this.maxThreads) {
            this.queue++;
            return;
        }
        this.currentThreads++;
        console.log('Threads: ' + this.currentThreads);
        this.collection.insert(this.data.splice(0, this.batchSize), {safe:true}, function() {
            that.inserted += that.batchSize;
            var currentTime = Date.now();
            var workTime = Math.round((currentTime - that.startTime) / 1000)
            console.log('Speed: ' + that.inserted / workTime + ' per sec');
            that.currentThreads--;
            if (that.queue > 0) {
                that.queue--;
                that.insert();
            }
        });
    }
};
于 2013-06-09T18:08:22.457 回答