Mongoose自定义验证无法在控制器中工作

时间:2014-09-04 17:19:32

标签: javascript node.js mongodb mongoose

我的猫鼬模型包含一个只有在另一个字段等于特定值时才需要的字段(即它是有条件的)。

在这个示例中,我有一个,其 itemType 是' typeA'或者'类型B'。 someField 字段只适用于' typeB'。

在我的测试中,当直接测试模型时,验证似乎有效。但是,验证不会在控制器中触发。

我的模型如下:

var mongoose = require('mongoose'),
  Schema = mongoose.Schema;

var ItemSchema = new Schema({
  name: {
    type: String,
    trim: true,
    required: true
  },
  itemType: {
    type: String,
    enum: ['typeA', 'typeB'],
    required: true
  },
  someField: String
});

ItemSchema
  .path('someField')
  .validate(function(value, respond) {
    if (this.itemType === 'typeA') { return respond(true); }
    return respond(validatePresenceOf(value));
  }, 'someField cannot be blank for typeB');

function validatePresenceOf(value) {
  return value && value.length;
}

module.exports = mongoose.model('Item', ItemSchema);

在我对模型的单元测试中:

it('should fail when saving typeB without someField', function(done) {

  var item = new Item({
    name: 'test',
    itemType: 'typeB'
  });

  item.save(function(err){
    should.exist(err);
    done();
  });

});

上述单元测试没有问题。但是,在测试API本身时,Mongoose不会引发错误。如果控制器无法保存,则应该返回500错误:

exports.create = function(req, res) {
  var item = new Item(req.body);
  item.save(function(err, data) {
    if (err) { return res.json(500, err); }
    return res.json(200, data);
  });
};

但是,以下测试始终返回200:

var request = require('supertest');

describe('with invalid fields', function() {
  it('should respond with a 500 error', function(done) {
    request(app)
      .post('/api/item')
      .send({
        name: 'test',
        itemType: 'typeB'
        })
      .expect(500)
      .end(function(err, res) {
        if (err) return done(err);
        return done();
        });
      });
  });
});

我不确定我做错了什么,当我保存在控制器中时似乎没有触发Mongoose验证。

1 个答案:

答案 0 :(得分:4)

这里的实施是错误的。您无法在某些字段上验证'但是传递给' itemType'的价值。原因是因为你没有为“某些领域”提供任何价值。因为没有任何定义,所以永远不会调用验证器。

因此测试以相反的方式运行,并纠正您的validatePresenceOf()函数:

itemSchema.path('itemType').validate(function(value) {
  if ( value === 'typeA' )
    return true;
  console.log( validatePresenceOf(this.someField) );
  return validatePresenceOf(this.someField);

}, 'someField cannot be blank for itemType: "typeB"');

function validatePresenceOf(value) {
  if ( value != undefined )
    return value && value.length
  else
    return false;
}

正确抛出错误的是' itemType'被设置为' typeB'和“某些领域”#39;没有任何价值。