为什么我不能访问mongoose模式的方法?

时间:2017-02-17 16:25:42

标签: node.js mongoose mongoose-populate

我在Nodejs应用程序中有这个Mongoose模式:

const mongoose = require('mongoose'),
    Schema = mongoose.Schema,
    sodium = require('sodium').api;

const UserSchema = new Schema({
    username: {
        type: String,
        required: true,
        index: { unique: true }
    },
    salt: {
        type: String,
        required: false
    },
    password: {
        type: String,
        required: true
    }
});

UserSchema.methods.comparePassword = function(candidatePassword, targetUser) {
    let saltedCandidate = candidatePassword + targetUser.salt;
    if (sodium.crypto_pwhash_str_verify(saltedCandidate, targetUser.password)) {
        return true;
    };
    return false;
};

module.exports = mongoose.model('User', UserSchema);

我创建了这个路线文件。

const _ = require('lodash');
const User = require('../models/user.js'); // yes, this is the correct location

module.exports = function(app) {
    app.post('/user/isvalid', function(req, res) {
        User.find({ username: req.body.username }, function(err, user) {
            if (err) {
                res.json({ info: 'that user name or password is invalid. Maybe both.' });
            };
            if (user) {
                if (User.comparePassword(req.body.password, user)) {
                    // user login
                    res.json({ info: 'login successful' });
                };
                // login fail
                res.json({ info: 'that user name or password is invalid Maybe both.' });
            } else {
                res.json({ info: 'that user name or password is invalid. Maybe both.' });
            };
        });
    });
};

然后我使用Postman使用适当的Body内容调用127.0.0.1:3001/user/isvalid。终端说告诉我TypeError: User.comparePassword is not a function并崩溃应用程序。

if (user)位通过以来,这表明我已经从Mongo正确检索了一个文档,并且拥有了一个User模式的实例。为什么该方法无效?

eta:模块导出我原本无法复制/粘贴

1 个答案:

答案 0 :(得分:6)

这会创建实例方法:

UserSchema.methods.comparePassword = function(candidatePassword, targetUser) {
    // ...
};

如果你想要静态方法,请使用:

UserSchema.statics.comparePassword = function(candidatePassword, targetUser) {
    // ...
};

静态方法是指您想要将其称为User.comparePassword()

实例方法是指您想要将其称为someUser.comparePassword()(在这种情况下,这将非常有意义,因此您不必明确地传递用户实例)。

参见文档: