Проверка значений даты в Meteor AutoForm SimpleSchema

У меня есть следующая схема:

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 комбинация дат уникальна, то есть в моей базе данных нет сохраненного документа с таким же start а также end Дата?

1 ответ

Решение

Для связи между полями вы можете сделать:

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.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');
        }

      }
    }
  }
});
Другие вопросы по тегам