我有以下架构:
Dates.attachSchema(new SimpleSchema({
description: {
type: String,
label: "Description",
max: 50
},
start: {
type: Date,
autoform: {
afFieldInput: {
type: "bootstrap-datepicker"
}
}
},
end: {
type: Date,
autoform: {
afFieldInput: {
type: "bootstrap-datepicker"
}
}
}
}));
如何确认end
日期不在start
之前?我使用MomentJS来处理日期类型,但我的主要问题是如何访问custom
函数中的其他属性。
例如:
end: {
type: Date,
autoform: {
afFieldInput: {
type: "bootstrap-datepicker"
}
},
custom: function() {
if (moment(this.value).isBefore(start)) return "badDate";
}
}
如何访问start
?
此外,如何验证start
+ end
日期组合是否唯一,这意味着我的数据库中没有保存完全相同的文档{{ 1}}和start
约会?
答案 0 :(得分:2)
对于田间通信,您可以这样做:
end: {
type: Date,
autoform: {
afFieldInput: {
type: "bootstrap-datepicker"
}
},
custom: function() {
// get a reference to the fields
var start = this.field('start');
var end = this;
// Make sure the fields are set so that .value is not undefined
if (start.isSet && end.isSet) {
if (moment(end.value).isBefore(start.value)) return "badDate";
}
}
}
您当然应首先声明badDate
错误
SimpleSchema.messages({
badDate: 'End date must be after the start date.',
notDateCombinationUnique: 'The start/end date combination must be unique'
})
关于唯一性,首先简单模式本身不提供唯一性检查。您应该为此添加aldeed:collection2
。
此外,collection2只能检查单个字段唯一性。要完成复合索引,您应该使用ensureIndex
语法
Dates._ensureIndex( { start: 1, end: 1 }, { unique: true } )
即使在此之后,您也无法在表单上看到此复合索引的错误,因为autoform需要知道存在此类错误。
AutoForm.hooks({
NewDatesForm: { // Use whatever name you have given your form
before: {
method: function(doc) {
var form = this;
// clear the error that gets added on the previous error so the form can proceed the second time
form.removeStickyValidationError('start');
return doc;
}
},
onSuccess: function(operation, result, template) {
if (result) {
// do whatever you want if the form submission is successful;
}
},
onError: function(operation, error) {
var form = this;
if (error) {
if (error.reason && error.reason.indexOf('duplicate key error')) {
// We add this error to the first field so it shows up there
form.addStickyValidationError('start', 'notDateCombinationUnique'); // of course you have added this message to your definition earlier on
AutoForm.validateField(form.formId, 'start');
}
}
}
}
});