我为User实体制作了一个Mongoose数据库架构,并希望在updated_at
字段中添加当前日期。我正在尝试使用.pre('save', function() {})
回调,但每次运行它时都会收到一条错误消息,告诉我this
未定义。我也决定使用ES6,我想这可能是一个原因(尽管一切正常)。我的Mongoose / Node ES6代码如下:
import mongoose from 'mongoose'
mongoose.connect("mongodb://localhost:27017/database", (err, res) => {
if (err) {
console.log("ERROR: " + err)
} else {
console.log("Connected to Mongo successfuly")
}
})
const userSchema = new mongoose.Schema({
"email": { type: String, required: true, unique: true, trim: true },
"username": { type: String, required: true, unique: true },
"name": {
"first": String,
"last": String
},
"password": { type: String, required: true },
"created_at": { type: Date, default: Date.now },
"updated_at": Date
})
userSchema.pre("save", (next) => {
const currentDate = new Date
this.updated_at = currentDate.now
next()
})
const user = mongoose.model("users", userSchema)
export default user
错误消息是:
undefined.updated_at = currentDate.now;
^
TypeError: Cannot set property 'updated_at' of undefined
编辑:通过使用@ vbranden的答案并将其从词法函数更改为标准函数来解决此问题。但是,我遇到了一个问题,虽然它不再显示错误,但它没有更新对象中的updated_at
字段。我通过将this.updated_at = currentDate.now
更改为this.updated_at = currentDate
来解决此问题。
答案 0 :(得分:58)
问题是你的箭头函数使用了词汇decimal
module
更改
userSchema.pre("save", (next) => {
const currentDate = new Date
this.updated_at = currentDate.now
next()
})
到
userSchema.pre("save", function (next) {
const currentDate = new Date()
this.updated_at = currentDate.now
next()
})