我的server.js使用以下代码验证用户:
//API ROUTES
var apiRoutes = express.Router();
//route to auth user
apiRoutes.post('/authenticate', function(req,res){
//find the user
User.findOne({
name: req.body.name
}, function(err,user){
if(err) throw err;
if(!user){
res.json({ success: false, message: 'Authentication failed. User not found!' });
} else if(user){
//check if password matches
if(user.password != req.body.password){
res.json({ success: false, message: 'Authentication failed. Wrong password!' });
} else{
//user found and password is right
//toke creation
var token = jwt.sign(user, app.get('superSecret'),{
expiresInMinutes: 1440 // = 24h
});
//return information including token
res.json({
success: true,
message: 'Enjoy your token!',
token: token
});
}
}
});
});
但即使插入正确的ID,输出也将始终为“身份验证失败。用户未找到!”
我使用以下代码在MongoDb中插入用户:
app.get('/setup',function(req,res){
var nick = new User({
name: 'patro',
password: 'pass',
admin: true
});
nick.save(function(err){
if(err)throw err;
console.log('user saved');
res.json({success : true});
});
});
使用以下代码正确保存用户:
apiRoutes.get('/users',function(req,res){
User.find({}, function(err,users){
res.json(users);
});
});
通过使用POSTman我可以看到用户被正确保存:
{
"_id": "5884844c338f4813ab884eac",
"name": "patro",
"password": "pass",
"admin": true,
"__v": 0
}
名称永不匹配,因为req.body.name
返回undefined
作为值。
为什么?我应该如何取名字的价值?
使用body-parser,如下所示:
...
var app = express();
var bodyParser = require('body-parser');
...
app.use(bodyParser.urlencoded({ extended: false }));
app.use(bodyParser.json());
//请不要评论没有参数,这将是下一步:)