54

目前,我在所有其他路线下方有以下内容:

app.get('*', function(req, res){
  console.log('404ing');
  res.render('404');
});

根据日志,即使上面匹配了路由,它也会被触发。我怎样才能让它只在没有匹配的时候触发?

4

7 回答 7

83

您只需将其放在所有路线的末尾即可。

看一下Passing Route Control的第二个例子:

var express = require('express')
  , app = express.createServer();

var users = [{ name: 'tj' }];

app.all('/user/:id/:op?', function(req, res, next){
  req.user = users[req.params.id];
  if (req.user) {
    next();
  } else {
    next(new Error('cannot find user ' + req.params.id));
  }
});

app.get('/user/:id', function(req, res){
  res.send('viewing ' + req.user.name);
});

app.get('/user/:id/edit', function(req, res){
  res.send('editing ' + req.user.name);
});

app.put('/user/:id', function(req, res){
  res.send('updating ' + req.user.name);
});

app.get('*', function(req, res){
  res.send('what???', 404);
});

app.listen(3000); 

或者,您可以什么都不做,因为所有不匹配的路由都会产生 404。然后您可以使用此代码显示正确的模板:

app.error(function(err, req, res, next){
    if (err instanceof NotFound) {
        res.render('404.jade');
    } else {
        next(err);
    }
});

它记录在错误处理中。

于 2012-07-16T08:05:09.460 回答
11

我敢打赌,您的浏览器正在跟进对 favicon 的请求。这就是为什么您在请求页面的 200 成功之后在日志中看到 404 的原因。

设置网站图标路由。

于 2013-05-10T21:43:35.477 回答
3

希望对您有所帮助,我在路线底部使用了此代码

router.use((req, res, next) => {
    next({
        status: 404,
        message: 'Not Found',
    });
});

router.use((err, req, res, next) => {
    if (err.status === 404) {
        return res.status(400).render('404');
    }

    if (err.status === 500) {
        return res.status(500).render('500');
    }

   next();
});
于 2018-07-11T05:07:57.993 回答
2

你可以在所有路线的尽头,

const express = require('express');
const app = express();
const port = 8080;

// All your routes and middleware here.....

app.use((req, res, next) => {
    res.status(404).json({
        message: 'Ohh you are lost, read the API documentation to find your way back home :)'
    })
})

// Init the server here,
app.listen( port, () => {
    console.log('Sever is up')
})

于 2021-01-25T16:00:43.650 回答
1

我想要一个只能在丢失的路线上呈现我的 404 页面的所有内容,并在错误处理文档https://expressjs.com/en/guide/error-handling.html中找到它

app.use(function (err, req, res, next) {
  console.error(err.stack)
  res.status(404).render('404.ejs')
})

这对我有用。

于 2017-06-08T04:41:33.173 回答
1

你可以用这个

const express = require('express');
const app=express();
app.set('view engine', 'pug');
app.get('/', (req,res,next)=>{
    res.render('home');
});
app.use( (req,res,next)=>{
    res.render('404');
})
app.listen(3000);
于 2021-04-20T18:08:24.457 回答
0

很简单,你可以添加这个中间件。

app.use(function (req, res, next) {
//Capture All 404 errors
  res.status(404).render("404.ejs")
})

服务中的 404 错误通常用于表示请求的资源不可用。在本文中,我们将了解如何处理 express 中的 404 错误。

于 2021-07-24T11:40:30.947 回答