私は現在、nodejsでpromiseを使用する方法を学んでいます
そのため、私の最初の課題は、ディレクトリ内のファイルを一覧表示し、非同期関数を使用して両方の手順でそれぞれのコンテンツを取得することでした。私は次の解決策を思いつきましたが、これはこれを行うための最もエレガントな方法ではないと強く感じています。特に、非同期メソッドを約束に「変える」最初の部分はそうです。
// purpose is to get the contents of all files in a directory
// using the asynchronous methods fs.readdir() and fs.readFile()
// and chaining them via Promises using the bluebird promise library [1]
// [1] https://github.com/petkaantonov/bluebird
var Promise = require("bluebird");
var fs = require("fs");
var directory = "templates"
// turn fs.readdir() into a Promise
var getFiles = function(name) {
var promise = Promise.pending();
fs.readdir(directory, function(err, list) {
promise.fulfill(list)
})
return promise.promise;
}
// turn fs.readFile() into a Promise
var getContents = function(filename) {
var promise = Promise.pending();
fs.readFile(directory + "/" + filename, "utf8", function(err, content) {
promise.fulfill(content)
})
return promise.promise
}
今、両方の約束を連鎖させます:
getFiles() // returns Promise for directory listing
.then(function(list) {
console.log("We got " + list)
console.log("Now reading those files\n")
// took me a while until i figured this out:
var listOfPromises = list.map(getContents)
return Promise.all(listOfPromises)
})
.then(function(content) {
console.log("so this is what we got: ", content)
})
上で書いたように、それは望ましい結果を返しますが、これにはもっとエレガントな方法があると確信しています。
generic promisification および .map
メソッドを使用すると、コードを短くすることができます。
var Promise = require("bluebird");
var fs = Promise.promisifyAll(require("fs")); //This is most convenient way if it works for you
var directory = "templates";
var getFiles = function () {
return fs.readdirAsync(directory);
};
var getContent = function (filename) {
return fs.readFileAsync(directory + "/" + filename, "utf8");
};
getFiles().map(function (filename) {
return getContent(filename);
}).then(function (content) {
console.log("so this is what we got: ", content)
});
実際、関数はもはや重みを引いていないので、これをさらにトリミングすることができます。
var Promise = require("bluebird");
var fs = Promise.promisifyAll(require("fs")); //This is most convenient way if it works for you
var directory = "templates";
fs.readdirAsync(directory).map(function (filename) {
return fs.readFileAsync(directory + "/" + filename, "utf8");
}).then(function (content) {
console.log("so this is what we got: ", content)
});
.map
は、コレクションを操作するときのパンとバターの方法である必要があります。これは、一連のプロミスのプロミスから、その間の直接値の任意の組み合わせにマップするプロミスまで、あらゆるものに対して機能するため、非常に強力です。