最新消息:雨落星辰是一个专注网站SEO优化、网站SEO诊断、搜索引擎研究、网络营销推广、网站策划运营及站长类的自媒体原创博客

javascript - TypeError: Cannot read property 'apply' of undefined for Express framework - Stack Overflow

programmeradmin1浏览0评论

app.js

var app = express();
app.listen(PORT, () => console.log(`Listening on ${ PORT }`));


// all environments
app.use(bodyParser.urlencoded({ extended: false }));
app.use(bodyParser.json());

// view engine setup
app.set('views', path.join(__dirname, 'views'));
app.set('view engine', 'ejs');

app.use(logger('dev'));
app.use(express.json());
app.use(express.urlencoded({ extended: false }));
app.use(cookieParser());
app.use(express.static(path.join(__dirname, 'public')));
app.use(session({
  secret: 'keyboard cat',
  resave: true,
  saveUninitialized: false,
  // cookie: { 
  //   maxAge: 365 * 24 * 60 * 60 * 1000,
  //   path : '/'
  // }
}));

app.use('/portal/admin', adminRouter);
app.use('/portal/merchant', indexRouter);
app.use('/users', usersRouter);
app.use('/api/v1/users',apiRouter);
app.use('/api/v1/users',customerInstallmentAPIRouter);
app.use('/api/v1/payment',paymentMethodAPIRouter);

// catch 404 and forward to error handler
app.use(function(req, res, next) {
  res.setHeader('Access-Control-Allow-Origin', '*');
  // Request methods you wish to allow
  res.setHeader('Access-Control-Allow-Methods', 'GET, POST, OPTIONS, PUT, PATCH, DELETE');
  res.setHeader('Access-Control-Allow-Headers', 'X-Requested-With, content-type, Authorization, Content-Type');
  res.setHeader('Access-Control-Allow-Credentials', true);
  next(createError(404));
});

// error handler
app.use(function(err, req, res, next) {
  // set locals, only providing error in development
  res.locals.message = err.message;
  res.locals.error = req.app.get('env') === 'development' ? err : {};
  // render the error page
  res.status(err.status || 500);
  res.render('error');
});

app.get('/portal/merchant',indexRouter); //call to index site

//login
app.get('/login', usersRouter); // call to login site
app.post('/login',usersRouter); // post to /users/login site

//logout
app.get('/home/logout',usersRouter);

//signup
app.get('/signup', usersRouter); // call to /users/signup site
app.post('/signup',usersRouter); //call to /post/signup 

//dashboard
app.get('/home/dashboard',usersRouter);

//profile
app.get('/home/profile',usersRouter);

db.sequelize
.authenticate()
.then(() => {
  console.log('Connection has been established successfully.');
})
.catch(err => {
  console.error('Unable to connect to the database:', err);
});

//run scheduler to check due date
//cronJob.dueDateCronJob();

app.use(passport.initialize());
app.use(passport.session()); // persistent login sessions

require('./routes/adminportal/home.js')(app,passport); 

module.exports = app;

It seems that the error happens at require('./routes/adminportal/home.js')(app,passport);

passport.js

// config/passport.js

// load all the things we need
var LocalStrategy   = require('passport-local').Strategy;

// load up the user model
var User            = require('../models/admin.js');

// expose this function to our app using module.exports
module.exports = function(passport) {

    // =========================================================================
    // passport session setup ==================================================
    // =========================================================================
    // required for persistent login sessions
    // passport needs ability to serialize and unserialize users out of session

    // used to serialize the user for the session
    passport.serializeUser(function(user, done) {
        done(null, user.id);
    });

    // used to deserialize the user
    passport.deserializeUser(function(id, done) {
        User.findById(id, function(err, user) {
            done(err, user);
        });
    });
    // =========================================================================
    // LOCAL LOGIN =============================================================
    // =========================================================================
    // we are using named strategies since we have one for login and one for signup
    // by default, if there was no name, it would just be called 'local'

    passport.use('local-login', new LocalStrategy({
        // by default, local strategy uses username and password, we will override with email
        usernameField : 'email_address',
        passwordField : 'password',
        passReqToCallback : true // allows us to pass back the entire request to the callback
    },
    function(req, email, password, done) { // callback with email and password from our form

        // find a user whose email is the same as the forms email
        // we are checking to see if the user trying to login already exists
        User.findOne({ 'local.email' :  email }, function(err, user) {
            // if there are any errors, return the error before anything else
            if (err)
                return done(err);

            // if no user is found, return the message
            if (!user)
                return done(null, false, req.flash('loginMessage', 'No user found.')); // req.flash is the way to set flashdata using connect-flash

            // if the user is found but the password is wrong
            if (!user.validPassword(password))
                return done(null, false, req.flash('loginMessage', 'Oops! Wrong password.')); // create the loginMessage and save it to session as flashdata

            // all is well, return successful user
            return done(null, user);
        });

    }));
};

home.js

var express = require('express');
var router = express.Router();
var db = require('../sequelizeDB.js');
const passport = require('passport');
const LocalStrategy = require('passport-local').Strategy;

/* GET home page. */
router.get('/', function(req, res, next) {
  if(req.session.userId != null){
    message = '';
    //res.render('dashboard',{message:message});
    res.redirect("adminportal/home.ejs");
  }else{
    var message = '';
    var sess = req.session; 
    res.render('adminportal/login.ejs',{message: message});   
  }
});



router.post('/login',passport.authenticate('local-login', {
  successRedirect : '/listOfCustomers', // redirect to the secure profile section
  failureRedirect : '/', // redirect back to the signup page if there is an error
  failureFlash : true // allow flash messages
}), function(req, res, next) {
  var message = '';
  var sess = req.session; 

 if(req.method === "POST"){
    var post  = req.body;
    var name= post.user_name;
    var pass= post.password;

  } else {
      res.render('adminportal/login.ejs',{message: message});
  }         
});

function isLoggedIn(req, res, next) {

  // if user is authenticated in the session, carry on 
  if (req.isAuthenticated())
      return next();

  // if they aren't redirect them to the home page
  res.redirect('adminportal/login.ejs');
}


router.get('/listOfCustomers',isLoggedIn, function(req, res, next) {

  if(req.method === "GET"){
      db.customers.findAll().then(customers =>{
        res.render('adminportal/listOfCustomers.ejs',{data:customers});
      })
  }
}); 

module.exports = router;

Am I doing it wrongly ? I am following a tutorial on this website:

I am trying to do authentication on my website by using passport.js. Been struggling for hours to solve this. Any help will be appreciated. Thanks.

app.js

var app = express();
app.listen(PORT, () => console.log(`Listening on ${ PORT }`));


// all environments
app.use(bodyParser.urlencoded({ extended: false }));
app.use(bodyParser.json());

// view engine setup
app.set('views', path.join(__dirname, 'views'));
app.set('view engine', 'ejs');

app.use(logger('dev'));
app.use(express.json());
app.use(express.urlencoded({ extended: false }));
app.use(cookieParser());
app.use(express.static(path.join(__dirname, 'public')));
app.use(session({
  secret: 'keyboard cat',
  resave: true,
  saveUninitialized: false,
  // cookie: { 
  //   maxAge: 365 * 24 * 60 * 60 * 1000,
  //   path : '/'
  // }
}));

app.use('/portal/admin', adminRouter);
app.use('/portal/merchant', indexRouter);
app.use('/users', usersRouter);
app.use('/api/v1/users',apiRouter);
app.use('/api/v1/users',customerInstallmentAPIRouter);
app.use('/api/v1/payment',paymentMethodAPIRouter);

// catch 404 and forward to error handler
app.use(function(req, res, next) {
  res.setHeader('Access-Control-Allow-Origin', '*');
  // Request methods you wish to allow
  res.setHeader('Access-Control-Allow-Methods', 'GET, POST, OPTIONS, PUT, PATCH, DELETE');
  res.setHeader('Access-Control-Allow-Headers', 'X-Requested-With, content-type, Authorization, Content-Type');
  res.setHeader('Access-Control-Allow-Credentials', true);
  next(createError(404));
});

// error handler
app.use(function(err, req, res, next) {
  // set locals, only providing error in development
  res.locals.message = err.message;
  res.locals.error = req.app.get('env') === 'development' ? err : {};
  // render the error page
  res.status(err.status || 500);
  res.render('error');
});

app.get('/portal/merchant',indexRouter); //call to index site

//login
app.get('/login', usersRouter); // call to login site
app.post('/login',usersRouter); // post to /users/login site

//logout
app.get('/home/logout',usersRouter);

//signup
app.get('/signup', usersRouter); // call to /users/signup site
app.post('/signup',usersRouter); //call to /post/signup 

//dashboard
app.get('/home/dashboard',usersRouter);

//profile
app.get('/home/profile',usersRouter);

db.sequelize
.authenticate()
.then(() => {
  console.log('Connection has been established successfully.');
})
.catch(err => {
  console.error('Unable to connect to the database:', err);
});

//run scheduler to check due date
//cronJob.dueDateCronJob();

app.use(passport.initialize());
app.use(passport.session()); // persistent login sessions

require('./routes/adminportal/home.js')(app,passport); 

module.exports = app;

It seems that the error happens at require('./routes/adminportal/home.js')(app,passport);

passport.js

// config/passport.js

// load all the things we need
var LocalStrategy   = require('passport-local').Strategy;

// load up the user model
var User            = require('../models/admin.js');

// expose this function to our app using module.exports
module.exports = function(passport) {

    // =========================================================================
    // passport session setup ==================================================
    // =========================================================================
    // required for persistent login sessions
    // passport needs ability to serialize and unserialize users out of session

    // used to serialize the user for the session
    passport.serializeUser(function(user, done) {
        done(null, user.id);
    });

    // used to deserialize the user
    passport.deserializeUser(function(id, done) {
        User.findById(id, function(err, user) {
            done(err, user);
        });
    });
    // =========================================================================
    // LOCAL LOGIN =============================================================
    // =========================================================================
    // we are using named strategies since we have one for login and one for signup
    // by default, if there was no name, it would just be called 'local'

    passport.use('local-login', new LocalStrategy({
        // by default, local strategy uses username and password, we will override with email
        usernameField : 'email_address',
        passwordField : 'password',
        passReqToCallback : true // allows us to pass back the entire request to the callback
    },
    function(req, email, password, done) { // callback with email and password from our form

        // find a user whose email is the same as the forms email
        // we are checking to see if the user trying to login already exists
        User.findOne({ 'local.email' :  email }, function(err, user) {
            // if there are any errors, return the error before anything else
            if (err)
                return done(err);

            // if no user is found, return the message
            if (!user)
                return done(null, false, req.flash('loginMessage', 'No user found.')); // req.flash is the way to set flashdata using connect-flash

            // if the user is found but the password is wrong
            if (!user.validPassword(password))
                return done(null, false, req.flash('loginMessage', 'Oops! Wrong password.')); // create the loginMessage and save it to session as flashdata

            // all is well, return successful user
            return done(null, user);
        });

    }));
};

home.js

var express = require('express');
var router = express.Router();
var db = require('../sequelizeDB.js');
const passport = require('passport');
const LocalStrategy = require('passport-local').Strategy;

/* GET home page. */
router.get('/', function(req, res, next) {
  if(req.session.userId != null){
    message = '';
    //res.render('dashboard',{message:message});
    res.redirect("adminportal/home.ejs");
  }else{
    var message = '';
    var sess = req.session; 
    res.render('adminportal/login.ejs',{message: message});   
  }
});



router.post('/login',passport.authenticate('local-login', {
  successRedirect : '/listOfCustomers', // redirect to the secure profile section
  failureRedirect : '/', // redirect back to the signup page if there is an error
  failureFlash : true // allow flash messages
}), function(req, res, next) {
  var message = '';
  var sess = req.session; 

 if(req.method === "POST"){
    var post  = req.body;
    var name= post.user_name;
    var pass= post.password;

  } else {
      res.render('adminportal/login.ejs',{message: message});
  }         
});

function isLoggedIn(req, res, next) {

  // if user is authenticated in the session, carry on 
  if (req.isAuthenticated())
      return next();

  // if they aren't redirect them to the home page
  res.redirect('adminportal/login.ejs');
}


router.get('/listOfCustomers',isLoggedIn, function(req, res, next) {

  if(req.method === "GET"){
      db.customers.findAll().then(customers =>{
        res.render('adminportal/listOfCustomers.ejs',{data:customers});
      })
  }
}); 

module.exports = router;

Am I doing it wrongly ? I am following a tutorial on this website: https://scotch.io/tutorials/easy-node-authentication-setup-and-local

I am trying to do authentication on my website by using passport.js. Been struggling for hours to solve this. Any help will be appreciated. Thanks.

Share Improve this question edited Jun 26, 2018 at 4:05 kylas asked Jun 26, 2018 at 3:52 kylaskylas 1,4656 gold badges25 silver badges41 bronze badges 2
  • What does home.js export? You will probably need to show us that code. You also don't show any code in app.js where passport is defined and loaded. – jfriend00 Commented Jun 26, 2018 at 3:53
  • @jfriend00 updated the post. – kylas Commented Jun 26, 2018 at 4:05
Add a ment  | 

2 Answers 2

Reset to default 7

The home.js file you show exports a router. A router is not something you import like this:

require('./routes/adminportal/home.js')(app,passport); 

If you look at the code for /app/routes.js in the tutorial you pointed to, the file that works with that type of import is shown there and it has an export like this:

 module.exports = function(app, passport) {  ...  }

So, you appear to have files mixed up when trying to follow that demo. You're exporting a router, but attempting to call a function that should have been exported like the line above.

Since I can't see the overall lay of the land in your code, all I can tell you is that when you export a router, you then use it like this this:

app.use('/someOptionalPath', require('./routes/adminportal/home.js'));

or just:

app.use(require('./routes/adminportal/home.js'));

depending upon exactly what you're trying to do. That's how you hook a router into your web server.

I founded the following error

/www/wwwroot/domain./node_modules/express/lib/router/index.js:646
return fn.apply(this, arguments);
          ^

TypeError: Cannot read property 'apply' of undefined at Immediate. (/www/wwwroot/domain./node_modules/express/lib/router/index.js:646:15) at processImmediate (internal/timers.js:466:21)

And solved by replacing return fn.apply(this, arguments); with return (fn?.apply(this, arguments)) ? fn.apply(this, arguments) : ''; in (/www/wwwroot/domain./node_modules/express/lib/router/index.js:646:15)

Hope It saves some one

发布评论

评论列表(0)

  1. 暂无评论