web-dev-qa-db-ja.com

PassportJSを使用して、追加のフォームフィールドをローカル認証戦略にどのように渡しますか?

私はpassportJSを使用しており、認証戦略(passport-local)にreq.body.usernameおよびreq.body.passwordだけでなく、それ以上のものを提供したいと思っています。

3つのフォームフィールドがあります:usernamepassword、&foo

次のようなローカル戦略からreq.body.fooにアクセスするにはどうすればよいですか?

passport.use(new LocalStrategy(
  {usernameField: 'email'},
    function(email, password, done) {
      User.findOne({ email: email }, function(err, user) {
        if (err) { return done(err); }
        if (!user) {
          return done(null, false, { message: 'Unknown user' });
        }
        if (password != 1212) {
          return done(null, false, { message: 'Invalid password' });
        }
        console.log('I just wanna see foo! ' + req.body.foo); // this fails!
        return done(null, user, aToken);

      });
    }
));

私はこれを私のルート内で(ルートミドルウェアとしてではなく)と呼んでいます:

  app.post('/api/auth', function(req, res, next) {
    passport.authenticate('local', {session:false}, function(err, user, token_record) {
      if (err) { return next(err) }
      res.json({access_token:token_record.access_token});
   })(req, res, next);

  });
84
k00k

次のように、有効にできるpassReqToCallbackオプションがあります。

passport.use(new LocalStrategy(
  {usernameField: 'email', passReqToCallback: true},
  function(req, email, password, done) {
    // now you can check req.body.foo
  }
));

Set reqがverifyコールバックの最初の引数になると、必要に応じて検査できます。

163
Jared Hanson

ほとんどの場合、ログイン用に2つのオプションを提供する必要があります

  • メールで
  • モバイルで

そのシンプルな、私たちは一般的なファイルされたユーザー名を取得し、2つのオプションで$ orをクエリできます。

また、「passReqToCallback」も最適なオプションとして使用できます。@ Jared Hansonに感謝します。

passport.use(new LocalStrategy({
    usernameField: 'username', passReqToCallback: true
}, async (req, username, password, done) => {
    try {
        //find user with email or mobile
        const user = await Users.findOne({ $or: [{ email: username }, { mobile: username }] });

        //if not handle it
        if (!user) {
            return done(null, {
                status: false,
                message: "That e-mail address or mobile doesn't have an associated user account. Are you sure you've registered?"
            });
        }

        //match password
        const isMatch = await user.isValidPassword(password);
        debugger
        if (!isMatch) {
            return done(null, {
                status: false,
                message: "Invalid username and password."
            })
        }

        //otherwise return user
        done(null, {
            status: true,
            data: user
        });
    } catch (error) {
        done(error, {
            status: false,
            message: error
        });
    }
}));
0
Bhagvat Lande