自动属性验证

时间:2014-05-21 11:19:51

标签: c# validation ninject aop postsharp

有时,我确实有很多复杂的模型,需要在设置时验证许多字符串属性,但验证通常不会超过 IsNotNullOrWhitespace

这通常会导致不必要的代码重复,所以我想知道是否有办法自动验证属性setter值,最好没有任何额外的框架。

可能的解决方案

  • AOP(例如使用PostSharp)
  • 流利验证
  • 数据注释

Data Annotations对我来说是最自然的方式,因为验证非常接近模型,因为它是.Net-Framework的一部分,属性是可以的。但是,如果我在MVC或序列化之外使用模型,我必须使用验证器手动进行验证。所以我必须在许多地方(存储库,API,服务)进行验证,如果我忘记在某处执行此操作,我的域规则可能会被破坏。

AOP可能是完美的方式,但是在C#中没有这样的东西,并且将我的域模型与PostSharp或Ninject(拦截)之类的基础架构组件紧密耦合是一个禁忌。

1 个答案:

答案 0 :(得分:1)

尝试NConcern AOP Framework

这个新的最小运行时AOP框架(我积极参与其中)可以帮助您通过AOP管理验证,而无需耦合您的域程序集。

进入验证程序集,定义自己的验证属性以及如何验证它。

定义/识别电子邮件的自定义属性

[AttributeUsage(AttributeTargets.Property)]
public class Email : Attribute
{
    //validation method to use for email checking
    static public void Validate(string value)
    {
        //if value is not a valid email, throw an exception!
    }
}

检查代码合同的验证方面

//Validation aspect handle all my validation custom attribute (here only email)
public class EmailValidation : IAspect
{
    public IEnumerable<IAdvice> Advise(MethodInfo method)
    {
        yield return Advice.Before((instance, arguments) =>
        {
            foreach (var argument in arguments)
            {
                if (argument == null) { continue; }
                Email.Validate(argument.ToString());
            }
        });
    }
}

您的域名程序集

public class Customer
{
    [Email]
    public string Login { get; set; }
}

进入另一个程序集(验证和域之间的链接

//attach validation to Customer class.
foreach (var property in typeof(Customer).GetProperties())
{
    if (property.IsDefined(typeof(Email), true))
    {
        Aspect.Weave<Validation>(property.GetSetMethod(true));
    }
}