私は現在、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
}
次に、両方の 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)
})
上で書いたように、それは望ましい結果を返しますが、これにはもっとエレガントな方法があると確信しています。