为什么不是" /"在node.js中提供index.html?

时间:2015-01-31 19:45:15

标签: javascript node.js

我正在尝试编写一个返回主页index.html的函数。但是,当我删除该行

requestpath += options.index

我收到以下错误:

500: encountered error while processing GET of "/"

如果没有该行,请求不会是localhost:3000/,而该请求应该是index.html吗?

我猜它最后与fs.exist函数有关,但我不确定。

var return_index = function (request, response, requestpath) {
    var exists_callback = function (file_exists) {
        if (file_exists) {
            return serve_file(request, response, requestpath);
        } else {
            return respond(request, response, 404);
        }
    }
    if (requestpath.substr(-1) !== '/') {
        requestpath += "/";
    }
    requestpath += options.index;
    return fs.exists(requestpath, exists_callback);
}

options等于

{
    host: "localhost",
    port: 8080,
    index: "index.html",
    docroot: "."
}

2 个答案:

答案 0 :(得分:1)

fs.exists检查文件系统中是否存在文件。由于requestpath += options.index正在将/更改为/index.html,否则fs.exists将找不到文件。 (/是一个目录,而不是一个文件,因此是错误。)

这似乎令人困惑,因为localhost:3000/应该提供index.html。在网络上,/index.html的简写(除非您将默认文件设置为其他内容)。当您要求/时,文件系统会查找index.html,如果存在,则会查找它。

我会将您的代码更改为:

var getIndex = function (req, res, path)  {    
    if (path.slice(-1) !== "/")
        path += "/";
    path += options.index;
    return fs.exists(path, function (file) {
        return file ? serve_file(req, res, path) : respond(req, res, 404);
    });
}

尝试匿名回拨,除非您知道您将在其他地方使用它们。上面,exists_callback只会被使用一次,所以保存一些代码并将其作为匿名函数传递。另外,在node.js中,您应该使用camelCase而不是下划线,例如,getIndex超过return_index

答案 1 :(得分:0)

看起来requestpath将uri映射到文件系统 - 但它没有指向特定文件(例如:http://localhost/映射到/ myrootpath /)。你想要做的是从该文件夹(例如:index.html)提供默认文件,我认为该文件存储在options.index中。这就是为什么你必须将options.index附加到路径上的原因。