Nodejs - 重定向网址

时间:2010-10-31 07:48:40

标签: node.js redirect

如何让node.js服务器在输入无效网址时将用户重定向到404.html页面?

我做了一些搜索,看起来大多数结果都是针对Express的,但我想在纯node.js中编写我的服务器。

8 个答案:

答案 0 :(得分:165)

确定“错误”网址的逻辑特定于您的应用程序。如果您正在使用RESTful应用程序,它可能是一个简单的文件未找到错误或其他内容。一旦你想出来,发送重定向就像这样简单:

response.writeHead(302, {
  'Location': 'your/404/path.html'
  //add other headers here...
});
response.end();

答案 1 :(得分:63)

可以使用:

res.redirect('your/404/path.html');

答案 2 :(得分:16)

要指示缺少的文件/资源​​并提供404页面,您无需重定向。在同一请求中,您必须生成响应,状态代码设置为404,404 HTML页面的内容作为响应正文。以下是在Node.js中演示此示例的示例代码。

var http = require('http'),
    fs = require('fs'),
    util = require('util'),
    url = require('url');

var server = http.createServer(function(req, res) {
    if(url.parse(req.url).pathname == '/') {
        res.writeHead(200, {'content-type': 'text/html'});
        var rs = fs.createReadStream('index.html');
        util.pump(rs, res);
    } else {
        res.writeHead(404, {'content-type': 'text/html'});
        var rs = fs.createReadStream('404.html');
        util.pump(rs, res);
    }
});

server.listen(8080);

答案 3 :(得分:8)

404 with Content / Body

res.writeHead(404, {'Content-Type': 'text/plain'});                    // <- redirect
res.write("Looked everywhere, but couldn't find that page at all!\n"); // <- content!
res.end();                                                             // that's all!

重定向到Http s

res.writeHead(302, {'Location': 'https://example.com' + req.url});
res.end();

只需考虑使用此 (例如仅用于http请求),这样您就无法获得无限重定向; - )

答案 4 :(得分:7)

我使用了switch语句,默认为404:

var fs = require("fs");
var http = require("http");

function send404Response (response){
    response.writeHead(404, {"Content-Type": "text/html"});
    fs.createReadStream("./path/to/404.html").pipe(response);
}

function onRequest (request, response){
    switch (request.url){
        case "/page1":
            //statements
            break;
        case "/page2":
            //statements
            break;
        default:
        //if no 'match' is found
            send404Response(response);
            break;
    }
}

http.createServer(onRequest).listen(8080);

答案 5 :(得分:5)

试试这个:

this.statusCode = 302;
this.setHeader('Location', '/url/to/redirect');
this.end();

答案 6 :(得分:0)

您必须使用以下代码:

response.writeHead(302 , {
           'Location' : '/view/index.html' // This is your url which you want
        });
response.end();

答案 7 :(得分:0)

使用以下代码,在Native Node.js中可以正常工作

http.createServer(function (req, res) {
var q = url.parse(req.url, true);
if (q.pathname === '/') {
  //Home page code
} else if (q.pathname === '/redirect-to-google') {
  res.writeHead(301, { "Location": "http://google.com/" });
  return res.end();
} else if (q.pathname === '/redirect-to-interal-page') {
  res.writeHead(301, { "Location": "/path/within/site" });
  return res.end();
} else {
    //404 page code
}
res.end();
}).listen(8080);