2

MongoDBに単純なユーザーコレクションがあります。私はmongo-nativeドライバーを使用しています。

{
    "email": "johndow@example.com",
    "password": "123456",
    "_id": {
        "$oid": "50658c835b821298d3000001"
    }
}

ペアのemail:passを介してauthを使用するときに、デフォルトのpassport-local関数findByUsernameを次のように書き直しました。

function findByEmail(email, fn) {
    db.collection("users", function(err, collection) {
        collection.find({}, {}, function(err, users) {
            users.each(function(err, user) {
                if (user.email === email) {
                    return fn(null, user);
                }
            });
            return fn(null, null);
        });
    });
}

すべてのユーザーをDBから取得し、-user.email ==提供された電子メールであるかどうかを確認してから、ユーザーオブジェクトを返します。

MongoDBの_idパラメーターをユーザーのIDとして使用しているため、次の2つの関数を変更しました。

passport.serializeUser(function(user, done) {
    done(null, user._id);
});

passport.deserializeUser(function(id, done) {
    findById(id, function(err, user) {
        done(err, user);
    });
});

そして、これはパスポートローカル戦略の私のコードです:

passport.use(new LocalStrategy( function(email, password, done) {
    process.nextTick(function() {
        console.log('initialize findByEmail() for "',email,'"');
        findByEmail(email, function(err, user) {
            if (err) {
                return done(err);
            }
            if (!user) {
                console.log('Unknown user ' + email)
                return done(null, false, {
                    message: 'Unknown user ' + email

                });
            }
            if (user.password != password) {
                console.log('Invalid password')
                return done(null, false, {
                    message: 'Invalid password'
                });
            }
            //сonsole.log('ALL VERIFIATION PASSED');
            return done(null, user);
        })
    });
}));

ログインページからデータを投稿します:

app.post('/login', passport.authenticate('local', {
    failureRedirect: '/',
    failureFlash: true
}), function(req, res) {
    res.redirect('/desk');
});

そして、私は得る

Error: Can't set headers after they are sent.

そしてこの後私は得る

TypeError: Cannot read property 'email' of null

最後のエラーは本当に奇妙です。なぜなら、findByEmailにはconsole.log(user)行があり(このリストから削除されています)、すべてのユーザーのデータがリストされているからです。

私は何が間違っているのですか?

4

1 に答える 1

2

十分に文書化されていませんが、コールバックの2番目のパラメーターに値をcursor.each提供して、カーソルに使用可能な文書がないことを示します。ドキュメントnullの例でのみ言及されています。

したがって、あなたの場合、コールバックでチェックする必要がありuser !== nullますusers.each

findただし、呼び出しを次のように変更して、mongoに検索を実行させる方が効率的です。

collection.findOne({email: email}, {}, function(err, user) {
    if (user) {
        // email was found case
        ...
    }
    ...
}
于 2012-09-28T13:34:53.663 に答える