我是节点和表达新手。我已经看到了使用“res.send”和“return res.send”的app.get和app.post示例。这些都一样吗?
var express = require('express');
var app = express();
app.get('/', function(req, res) {
res.type('text/plain');
res.send('i am a beautiful butterfly');
});
或
var express = require('express');
var app = express();
app.get('/', function(req, res) {
res.type('text/plain');
return res.send('i am a beautiful butterfly');
});
答案 0 :(得分:17)
return
关键字从函数返回,从而结束执行。这意味着它之后的任何代码行都不会被执行。
在某些情况下,您可能希望使用res.send
然后执行其他操作。
app.get('/', function(req, res) {
res.send('i am a beautiful butterfly');
console.log("this gets executed");
});
app.get('/', function(req, res) {
return res.send('i am a beautiful butterfly');
console.log("this does NOT get executed");
});
答案 1 :(得分:7)
我想指出它在我的代码中确实起到了作用。
我有一个对令牌进行身份验证的中间件。代码如下:
function authenticateToken(req, res, next) {
const authHeader = req.headers['authorization'];
const token = authHeader && authHeader.split(' ')[1] || null;
if(token === null) return res.sendStatus(401); // MARKED 1
jwt.verify(token, process.env.ACCESS_TOKEN_SECRET, (err, user) => {
if(err) return res.sendStatus(403); // MARKED 2
req.user = user;
next();
});
}
在// MARKED 1
行中,如果我没有写return,则中间件将继续执行并调用next()
并发出状态为200
的响应,这不是预期的行为
// MARKED 2
如果您没有在这些return
块中使用if
,请确保使用的是else
被调用的next()
块。
希望这有助于从一开始就理解概念并避免错误。
答案 2 :(得分:1)
app.get('/', function(req, res) {
res.type('text/plain');
if (someTruthyConditinal) {
return res.send(':)');
}
// The execution will never get here
console.log('Some error might be happening :(');
});
app.get('/', function(req, res) {
res.type('text/plain');
if (someTruthyConditinal) {
res.send(':)');
}
// The execution will get here
console.log('Some error might be happening :(');
});