我正在尝试创建多个帐户。
第一个帐户始终有效,但是当我尝试制作新帐户时,我收到以下错误:
BulkWriteError: insertDocument :: caused by :: 11000 E11000 duplicate key error index: db.users.$friends.userid_1 dup key: { : null }
第一个用户很好,包含一个空数组的朋友,正如我希望的那样。
但是没有创建下一个用户。
我该怎么做才能解决这个错误?
用户中的朋友的用户架构片段如下:
friends : [
{
userid : {type: String, default: '', unique: true },
}
],
friendRequests: [
{
userid : {type: String, default: '', unique: true },
}
编辑:
我一直在研究https://docs.mongodb.com/manual/core/index-unique/#unique-index-and-missing-field,但仍然无法使其发挥作用。
EDIT2:
默认情况下,它不会创建任何朋友或朋友请求。
EDIT3:
完整代码:
passport.use('local-signup', new LocalStrategy({
usernameField : 'username',
passwordField : 'password',
passReqToCallback : true,
},
function(req, username, password, done) {
process.nextTick(function() {
console.log("doing local signup");
username = username.toLowerCase();
Account.findOne({username : username }, function(err, user) {
var expr = "/admin/";
if (err) {
return done(err);
} else if (user) {
return done(null, false, 'That username is already taken.');
} else if(username.length < 3 || username.length >= 12) {
return done(null, false, 'Username has to be between 3 and 12 characters! :( ' + username);
} else if(/^[a-zA-Z0-9- ]*$/.test(username) == false) {
return done(null, false, 'You cant have any special characters!');
} else if(password.length < 5 || password.length > 15) {
return done(null, false, 'Password need to be 5-15 characters long!');
} else {
var newUser = new Account();
newUser.username = username;
newUser.password = newUser.encryptPassword(password);
newUser.save(function(err) {
if (err)
throw err;
return done(null, newUser);
});
}
});
});
}));
用户模型:
var mongoose = require('mongoose');
var Schema = mongoose.Schema;
var passportLocalMongoose = require('passport-local-mongoose');
var bcrypt = require('bcrypt-nodejs');
var UserSchema = new Schema({
username: {type: String, index: { unique: true }},
password: {type: String},
salt: { type: String},
hash: {type: String},
gender : {type: String, default: 'male'},
friends : [
{
userid : {type: String, default: '', unique: true },
}
],
friendRequests: [
{
userid : {type: String, default: '', unique: true },
}
]
});
UserSchema.methods.encryptPassword = function(password) {
return bcrypt.hashSync(password, bcrypt.genSaltSync(10));
}
UserSchema.methods.validPassword = function(password) {
return bcrypt.compareSync(password, this.password);
}
module.exports = mongoose.model('Users', UserSchema);
答案 0 :(得分:1)
如comment
中所述,Mongodb不会在单个文档中强制执行数组值的唯一性。
所以你必须处理客户端代码中数组的唯一性。您可以使用策略组合来处理您的需求。
首先删除唯一索引并使用Mongoose unique array plugin
让mongoose在创建/更新文档时检查数组中的唯一性。
该插件适用于标量和文档数组。对于您的情况,您可以进行以下更改。
var uniqueArrayPlugin = require('mongoose-unique-array');
UserSchema.plugin(uniqueArrayPlugin);
这将通过验证器强制执行验证,并在您执行更新/保存操作时显示验证消息。
如博客中所述,在更新查询中使用$push
时,唯一插件无效。
您可以使用
Account.findOne({"friends.userid":{"$ne":inputuserid}}, {"$push":{"friends":new user doc}});
阅读作者的blog
和usage examples
以获取更多信息。