摘要

  你还在为了验证一个Class对象中很多数据的有效性而写很多If条件判断吗?我也同样遇到这种问题,不过,最近学了一项新的方法,让我不在写很多if条件做判断,通过给属性标注特性来验证数据规则,从此再也不需要写很多If条件判断了。

  最近写C#项目中的时候,在验证数据的有效性的时候写了很多判断,结果工作量很大,然后就想能实现在类属性上标示验证的特性,来验证数据的有效性,以前听说过,但是从来没有实现过,也很少看到在项目中别人使用过,所以就一直没有研究过,但是最近在写Model的时候需要验证很多数据的有效性,所以就想研究一下。

需求:将类属性标示一个验证特性,在使用该类的时候验证数据的有效性,

  我是使用了控制台应用程序做测试,首先我的思路是将Class的属性标示上特性,用来验证属性的数据规则,

这里定义了一个验证特性,主要是来标示属性的最大长度,和当大于最大长度是得提示信息。

    /// <summary>
/// 指定数据字段中允许的最小和最大字符长度。
/// </summary>
public class StringLengthAttribute : Attribute
{
/// <summary>
/// 获取或设置字符串的最大长度。
/// </summary>
public int MaximumLength { get; set; }/// <summary>
/// 消息提示
/// </summary>
public string ErrorMessage { get; set; } /// <summary>
///
/// </summary>
/// <param name="maximumLength"></param>
public StringLengthAttribute(int maximumLength)
{
MaximumLength = maximumLength;
} }

这里是用来验证的类

    /// <summary>
/// 数据模型
/// </summary>
public class DataModel : MyIsValid<DataModel>
{
/// <summary>
/// 值
/// </summary>
[StringLength(, ErrorMessage = "Value最大长度为5")]
public string Value { get; set; }
}

然后我就写了一个基类,统统的在基类中做验证。下面是基类的代码,打算以后所有的需要做验证的类,都继承该基类,将属性标识上特性做验证呢(后来发现更好的办法),写的不好,还请多多指教。

    public class MyIsValid<T> where T : class
{ //验证信息
internal string Msg { get; set; } // 验证是否有效
internal bool IsValid()
{
var v = this as T; Type type = v.GetType(); PropertyInfo[] propeties = type.GetProperties();
foreach (PropertyInfo property in propeties)
{
List<Attribute> attributes = property.GetCustomAttributes().ToList(); var propertyValue = property.GetValue(v); Attribute stringlength = attributes.FirstOrDefault(p => p.GetType().IsAssignableFrom(typeof(StringLengthAttribute))); if (stringlength == null)
continue; int length = ((StringLengthAttribute)stringlength).MaximumLength; string currentValue = (string)propertyValue; if (currentValue.Length > length)
{
Msg = ((StringLengthAttribute)stringlength).ErrorMessage;
return false;
}
}
return true;
}
}

然后执行结果如图:

执行结果还行,只不过还需要对基类做扩展,支持针对不同的特性做不同的验证。

然后我想到了Asp.Net MVC 里面使用的数据模型绑定技术,然后就想能不能使用它的现有的方法,后来就发现了,“System.ComponentModel.DataAnnotations”这个

具体参考:https://msdn.microsoft.com/en-us/library/system.componentmodel.dataannotations.validator.aspx

然后针对我的需求写了一个扩展方法,如下.(注意一定要引用:System.ComponentModel.DataAnnotations;

    public static class ExtensionHelper
{
/// <summary>
/// 验证对象是否有效
/// </summary>
/// <param name="obj">要验证的对象</param>
/// <param name="validationResults"></param>
/// <returns></returns>
public static bool IsValid(this object obj, Collection<ValidationResult> validationResults)
{
return Validator.TryValidateObject(obj, new ValidationContext(obj, null, null), validationResults, true);
} /// <summary>
/// 验证对象是否有效
/// </summary>
/// <param name="obj">要验证的对象</param>
/// <returns></returns>
public static bool IsValid(this object obj)
{
return Validator.TryValidateObject(obj, new ValidationContext(obj, null, null), new Collection<ValidationResult>(), true);
}
}

使用方式如下:

验证相关特性:https://msdn.microsoft.com/en-us/library/system.componentmodel.dataannotations.aspx

也可以自定义,

  class Program
{
static void Main(string[] args)
{
DataModel r = new DataModel(); r.EmailAddress = "cdaimesdfng1m"; var v = new Collection<ValidationResult>(); if (r.IsValid(v))
{
Console.WriteLine("");
}
else
{
v.ToList().ForEach(e =>
{
Console.WriteLine(e.ErrorMessage);
});
} Console.ReadKey();
}
} public class DataModel
{
/// <summary>
///
/// </summary>
[Required]
[StringLength(, ErrorMessage = "太大")]
public string Name { get; set; } /// <summary>
///
/// </summary>
[Range(, )]
public string d { get; set; } /// <summary>
///
/// </summary>
[EmailAddress]
public string EmailAddress { get; set; }
}

Demo下载地址:http://download.csdn.net/detail/u014265946/9330181

http://tool.nuoeu.com

对System.ComponentModel.DataAnnotations 的学习应用的更多相关文章

  1. System.ComponentModel.DataAnnotations 冲突

    项目从原来的.NET Framework4.0 升级到 .NET Framework4.5 编译报错. 查找原因是: Entity Framework 与 .net4.5 的 System.Compo ...

  2. System.ComponentModel.DataAnnotations.Schema.TableAttribute 同时存在于EntityFramework.dll和System.ComponentModel.DataAnnotations.dll中

    Entity Framework 与 .net4.5 的 System.ComponentModel.DataAnnotations 都有 System.ComponentModel.DataAnno ...

  3. System.ComponentModel.DataAnnotations.Schema 冲突

    System.ComponentModel.DataAnnotations.Schema 冲突 Entity Framework 与 .net4.5 的 System.ComponentModel.D ...

  4. System.ComponentModel.DataAnnotations 命名空间和RequiredAttribute 类

    System.ComponentModel.DataAnnotations 命名空间提供定义 ASP.NET MVC 和 ASP.NET 数据控件的类的特性. RequiredAttribute 指定 ...

  5. 解决EntityFramework与System.ComponentModel.DataAnnotations命名冲突

    比如,定义entity时指定一个外键, [ForeignKey("CustomerID")] public Customer Customer { get; set; } 编译时报 ...

  6. 使用System.ComponentModel.DataAnnotations验证字段数据正确性

    在.NET MVC 中,当页面提交model到Action的时候,自动填充ModelState.使用ModelState.IsValid进行方便快捷的数据验证,其验证也是调用命名空间System.Co ...

  7. C# 特性 System.ComponentModel 命名空间属性方法大全,System.ComponentModel 命名空间的特性

    目录: System.ComponentModel 特性命名空间与常用类 System.ComponentModel.DataAnnotations ComponentModel - Classes ...

  8. “CreateRiaClientFilesTask”任务意外失败。 未能加载文件程序集“System.ComponentModel.DataAnnot...

    错误  77  “CreateRiaClientFilesTask”任务意外失败.  System.Web.HttpException (0x80004005): 未能加载文件或程序集“System. ...

  9. 对于System.Net.Http的学习(三)——使用 HttpClient 检索与获取过程数据

    对于System.Net.Http的学习(一)——System.Net.Http 简介 对于System.Net.Http的学习(二)——使用 HttpClient 进行连接 如何使用 HttpCli ...

随机推荐

  1. Maven搭建 Spring环境

    http://www.cnblogs.com/huaizuo/p/4920308.html http://mvnrepository.com/artifact/commons-logging/comm ...

  2. Hbase+ Phoenix搭建教程

    Hbase+ Phoenix搭建教程 一.Hbase简介 HBase是基于列存储.构建在HDFS上的分布式存储系统,其主要功能是存储海量结构化数据. HBase构建在HDFS之上,因此HBase也是通 ...

  3. [linux] grep awk sort uniq学习

    grep的-A-B-选项详解grep能找出带有关键字的行,但是工作中有时需要找出该行前后的行,下面是解释1. grep -A1 keyword filename找出filename中带有keyword ...

  4. 在ASP.NET MVC项目中使用React

    (此文章同时发表在本人微信公众号"dotNET每日精华文章",欢迎右边二维码来关注.) 题记:最近在开发钉钉的微应用,考虑到性能和UI库的支持,遂采用了React来开发前端. 目前 ...

  5. Tortoise SVN 使用帮助

    同步至本地:新建文件夹,SNV checkout 输入用户名密码,确认. 上传文件:将要上传的文件放在一个文件夹里,选择要上传的文件所在的文件夹,右键单击,tortoiseSVN,Import,选择要 ...

  6. java.lang.OutOfMemoryError: bitmap size exceeds VM budget解决方法

    1 BitmapFactory.decodeFile(imageFile); 用BitmapFactory解码一张图片时,有时会遇到该错误.这往往是由于图片过大造成的.要想正常使用,则需要分配更少的内 ...

  7. mysql数据库链接与创建

    有童鞋问到说,环境搭建好了,mysql也安装了,但是就是进不去数据库,也启动不了,一直报错,那么下面这边就说下如何用Navicat链接上创建的数据库 首先 1)在xshell里进入mysql,命令是: ...

  8. haohantech浩瀚盘点机“PDA无线订货开单”终端 移动现场下单APP(打印扫描一体)

    手持PDA盘点机,订货的时候,用PDA上自带的激光扫描头扫描(或手输)样品的条码,然后,只需输入该款产品不同尺码的数量即可自动(或手动)发送订货数据到总部服务器.盘点机“PDA无线订货”终端功能: 1 ...

  9. <base>元素

    HTML <base> 元素 <base> 标签描述了基本的链接地址/链接目标,该标签作为HTML文档中所有的链接标签的默认链接: <head><base h ...

  10. self.automaticallyAdjustsScrollViewInsets

    导航视图内Push进来的以“TableView”(没有ScrollView截图,就将就一下)为主View的视图,本来我们的cell是放在(0,0)的位置上的,但是考虑到导航栏.状态栏会挡住后面的主视图 ...