如何以编程方式发送与Express / Node的404响应?

我想在我的Express / Node服务器上模拟一个404错误。 我怎样才能做到这一点?

现在在响应对象上有一个专用的status函数 。 在你打电话之前把它链接到某个地方。

 res.status(404) // HTTP status 404: NotFound .send('Not found'); 

你不必模拟它。 我相信res.send的第二个参数是状态码。 只是通过404的说法。

让我澄清一下:按照expressjs.org上的文档,好像传递给res.send()任何数字都将被解释为状态码。 所以技术上你可以逃避

 res.send(404); 

编辑:我的坏,我的意思是res而不是req 。 应该在响应中调用它

编辑:从Express 4开始, send(status)方法已被弃用。 如果您使用Express 4或更高版本,请使用: res.sendStatus(404) 。 (感谢@badcc在评论中的提示)

Express 4.x更新的答案

与旧版Express中使用res.send(404)不同,新方法是:

 res.sendStatus(404); 

Express会发送一个非常基本的404响应,并显示“未find”文本:

 HTTP/1.1 404 Not Found X-Powered-By: Express Vary: Origin Content-Type: text/plain; charset=utf-8 Content-Length: 9 ETag: W/"9-nR6tc+Z4+i9RpwqTOwvwFw" Date: Fri, 23 Oct 2015 20:08:19 GMT Connection: keep-alive Not Found 

根据我将在下面发布的网站,这是你如何设置你的服务器。 他们展示的一个例子是:

 var http = require("http"); var url = require("url"); function start(route, handle) { function onRequest(request, response) { var pathname = url.parse(request.url).pathname; console.log("Request for " + pathname + " received."); route(handle, pathname, response); } http.createServer(onRequest).listen(8888); console.log("Server has started."); } exports.start = start; 

和他们的路线function:

 function route(handle, pathname, response) { console.log("About to route a request for " + pathname); if (typeof handle[pathname] === 'function') { handle[pathname](response); } else { console.log("No request handler found for " + pathname); response.writeHead(404, {"Content-Type": "text/plain"}); response.write("404 Not found"); response.end(); } } exports.route = route; 

这是一种方法。 http://www.nodebeginner.org/

从另一个网站,他们创build一个页面,然后加载它。 这可能更多的是你在找什么。

 fs.readFile('www/404.html', function(error2, data) { response.writeHead(404, {'content-type': 'text/html'}); response.end(data); }); 

http://blog.poweredbyalt.net/?p=81

从Express站点 ,定义一个NotFoundexception,并且在下面的情况下,当你想要一个404页面ORredirect到/ 404时抛出它。

 function NotFound(msg){ this.name = 'NotFound'; Error.call(this, msg); Error.captureStackTrace(this, arguments.callee); } NotFound.prototype.__proto__ = Error.prototype; app.get('/404', function(req, res){ throw new NotFound; }); app.get('/500', function(req, res){ throw new Error('keyboard cat!'); });