似乎documentation不提供此信息。

使用serveFile时,如何检查提供的文件是否存在?

fileServer.serveFile('/error.html', 500, {}, request, response);


换句话说,如何检查文件是否成功送达?

似乎serveFile function不接受回调函数。还是我错了?

最佳答案

看来serveFile返回一个“承诺”(尽管这不是一个承诺,它是EventEmitter的一个实例),所以您可以监听error事件(当文件不存在时会触发) :

Server.prototype.serveFile = function (pathname, status, headers, req, res) {
    var that = this;
    var promise = new(events.EventEmitter);

    pathname = this.resolve(pathname);

    fs.stat(pathname, function (e, stat) {
        if (e) {
            return promise.emit('error', e);
        }
        that.respond(null, status, headers, [pathname], stat, req, res, function (status, headers) {
            that.finish(status, headers, req, res, promise);
        });
    });
    return promise;
};


如果文件成功提供,则调用finish方法,并将相同的“ promise”对象传递给该文件。它将发出一个success事件:

Server.prototype.finish = function (status, headers, req, res, promise, callback) {
    // ...

    if (!status || status >= 400) {
        // ...
    } else {
        // ...
        promise.emit('success', result);
    }
};


因此,您可以执行以下操作:

var promise = fileServer.serveFile('/error.html', 500, {}, request, response);
promise.on("success", function () {
    // It worked!
});

关于node.js - 从 Node 静态捕获serveFile函数上的错误,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/19135257/

10-16 20:55