我有一个看起来像这样的验证器
public class ImageValidator : AbstractValidator<Image>
{
public ImageValidator()
{
RuleFor(e => e.Name).NotEmpty().Length(1, 255).WithMessage("Name must be between 1 and 255 chars");
RuleFor(e => e.Data).NotNull().WithMessage("Image must have data").When(e => e.Id == 0);
RuleFor(e => e.Height).GreaterThan(0).WithMessage("Image must have a height");
RuleFor(e => e.Width).GreaterThan(0).WithMessage("Image must have a width");
}
}
现在我的单元测试失败了,因为根据数据中的值填充了高度和宽度。
数据包含一个字节数组,用于创建位图图像。如果Data不为null(并且Id等于0,所以它是一个新图像),我可以创建一个Bitmap图像并获得Height和Width值。更新后,高度和宽度将已填充,数据可能为空,因为它已存储在数据库中。
如果我的验证器中数据的验证规则为真,我是否可以填充高度和宽度的值?
之前我有一张支票
if (myObject.Data == null) throw new ApplicationException(...
但是我认为这是一个验证规则,应该在验证器中,或者我只需要将规则分开?
答案 0 :(得分:2)
当前代码如下所示,请注意.NotNull()fluent接口对RuleFor的结果起作用。
RuleFor(e => e.Data)
.NotNull()
.WithMessage("Image must have data")
.When(e => e.Id == 0);
假设您可以这样做:
var rf = RuleFor(e => e.Data)
.CheckNull(p=>{
if(p){
// this is the true branch when data is null don't set height/width}
rf.WithMessage("Image must have data");
.When(e=>e.id==0);
else{
//data is not null set the height and with.
rf(e => e.Height).GreaterThan(0).WithMessage("Image must have a height");
rf(e => e.Width).GreaterThan(0).WithMessage("Image must have a width");
});
为了使您能够执行此操作,新的CheckNull例程必须能够采用与.NotNull()方法相同的类型。
答案 1 :(得分:1)
感谢John Peters向我指出了正确的方向,但这就是我最后所做的建议。
首先,我创建了一个新的验证器,用于测试字节数组是否有效。此验证器接受将对象和位图作为输入的操作。仅当验证程序有效时才会调用此操作。
public class IsImageValidator<T> : PropertyValidator
{
private Action<T, Bitmap> _action;
public IsImageValidator(Action<T, Bitmap> action) : base("Not valid image data")
{
_action = action;
}
protected override bool IsValid(PropertyValidatorContext context)
{
var isNull = context.PropertyValue == null;
if (isNull)
{
return false;
}
try
{
// we need to determine the height and width of the image
using (var ms = new System.IO.MemoryStream((byte[])context.PropertyValue))
{
using (var bitmap = new System.Drawing.Bitmap(ms))
{
// valid image, so call action
_action((T)context.Instance, bitmap);
}
}
}
catch (Exception e)
{
return false;
}
return true;
}
}
为了更容易地调用此验证器,我创建了一个简单的扩展,如此
public static class SimpleValidationExtensions
{
public static IRuleBuilderOptions<T, TProperty> IsImage<T, TProperty>(this IRuleBuilder<T, TProperty> ruleBuilder, Action<T, Bitmap> action)
{
return ruleBuilder.SetValidator(new IsImageValidator<T>(action));
}
}
现在我可以在我的ImageValidator中调用验证器方法,所以我的ImageValidator现在看起来像这样。如您所见,我现在可以设置高度和宽度属性。
public ImageValidator()
{
RuleFor(e => e.Name).NotEmpty().Length(1, 255).WithMessage("Name must be between 1 and 255 chars");
RuleFor(e => e.Data).IsImage((e, bitmap) =>
{
e.Height = bitmap.Height;
e.Width = bitmap.Width;
}).WithMessage("Image data is not valid").When(e => e.Id == 0);
RuleFor(e => e.Height).GreaterThan(0).WithMessage("Image must have a height");
RuleFor(e => e.Width).GreaterThan(0).WithMessage("Image must have a width");
}