我已经在最后一小时尝试使用findOne,findOneOrCreate等方法为passport.js编写用户模块,但无法正确使用。
user.js的
var User = function(db) {
this.db = db;
}
User.prototype.findOne(email, password, fn) {
// some code here
}
module.exports = exports = User;
app.js
User = require('./lib/User')(db);
User.findOne(email, pw, callback);
我经历了数十次错误,主要是
TypeError: object is not a function
或
TypeError: Object function () {
function User(db) {
console.log(db);
}
} has no method 'findOne'
如何在不创建User的对象/实例的情况下使用这些函数创建合适的模块?
更新
我讨论了提议的解决方案:
var db;
function User(db) {
this.db = db;
}
User.prototype.init = function(db) {
return new User(db);
}
User.prototype.findOne = function(profile, fn) {}
module.exports = User;
没有运气。
TypeError: Object function User(db) {
this.db = db;
} has no method 'init'
答案 0 :(得分:16)
这里发生了一些事情,我已经更正了你的源代码并添加了注释来解释:
<强> LIB / user.js的强>
// much more concise declaration
function User(db) {
this.db = db;
}
// You need to assign a new function here
User.prototype.findOne = function (email, password, fn) {
// some code here
}
// no need to overwrite `exports` ... since you're replacing `module.exports` itself
module.exports = User;
<强> app.js 强>
// don't forget `var`
// also don't call the require as a function, it's the class "declaration" you use to create new instances
var User = require('./lib/User');
// create a new instance of the user "class"
var user = new User(db);
// call findOne as an instance method
user.findOne(email, pw, callback);
答案 1 :(得分:6)
您需要new User(db)
。
你可以制作一个init方法
exports.init = function(db){
return new User(db)
}
然后从您的代码:
var User = require(...).init(db);