我有这段代码:
user.findOne( { 'email' : email }, function( err, User )
{
if ( err )
{
return done(err);
}
if ( !User )
{
return done(null, false, { error : "User not found"});
}
if ( !User.hasOwnProperty('local') || !User.local.hasOwnProperty('password') )
{
console.log("here: " + User.hasOwnProperty('local')); // displays here: false
}
if ( !User.validPass(password) )
{
return done(null, false, { error : "Incorrect Password"});
}
return done(null, User);
});
由于该应用程序支持其他类型的身份验证,因此我的用户模型具有名为local的嵌套对象,看起来像
local : { password : "USERS_PASSWORD" }
因此,在登录期间,我想检查用户是否提供了密码,但我遇到了这个有趣的问题。 我的测试对象如下所示:
{ _id: 5569ac206afebed8d2d9e11e,
email: 'test@example.com',
phno: '1234567890',
gender: 'female',
dob: Wed May 20 2015 05:30:00 GMT+0530 (IST),
name: 'Test Account',
__v: 0,
local: { password: '$2a$07$gytktl7BsmhM8mkuh6JVc3Bs/my7Jz9D0KBcDuKh01S' } }
但console.log("here: " + User.hasOwnProperty('local'));
打印here: false
我哪里出错了?
答案 0 :(得分:20)
这是因为从mongoose返回的文档对象不直接访问属性。它使用prototype链,因此hasOwnProperty
返回false(我大大简化了这一点)。
您可以执行以下两项操作之一:使用toObject()
将其转换为普通对象,然后您的检查将按原样运行:
var userPOJO = User.toObject();
if ( !(userPOJO.hasOwnProperty('local') && userPOJO.local.hasOwnProperty('password')) ) {...}
或者您可以直接检查值:
if ( !(User.local && User.local.password) ) {...}
由于这两个属性都没有伪造值,因此如果填充它们,它应该可用于测试。
编辑:我忘记提到的另一项检查是使用内置get
method的Mongoose:
if (!User.get('local.password')) {...}
答案 1 :(得分:1)
如果您只需要数据而不需要其他Mongoose魔法,例如.save()
,.remove()
等,那么最简单的方法就是使用.lean()
:
user.findOne( { 'email' : email }, function( err, User ).lean()
{
if ( err )
{
return done(err);
}
if ( !User )
{
return done(null, false, { error : "User not found"});
}
if ( !User.hasOwnProperty('local') || !User.local.hasOwnProperty('password') )
{
console.log("here: " + User.hasOwnProperty('local')); // Should now be "here: true"
}
if ( !User.validPass(password) )
{
return done(null, false, { error : "Incorrect Password"});
}
return done(null, User);
});
答案 2 :(得分:0)
您还可以从MongoDB Schema中分离返回的JSON - JSONuser = JSON.parse(JSON.stringify(User))
- 然后使用JSONuser自由获取,更改或添加其任何属性。