转自http://firechun.blog.163.com/blog/static/31804522201103133832931/
为应用程序的模型类添加数据注释(Data Annotations)让我们对数据进行验证变得很容易,数据注释可以让我们描述要应用到模型属性上的规则,ASP.NET MVC会强制应用这些规则并显示恰当的消息给用户。
为Album表单添加验证
我们将使用下列数据注释特性:
- Required——表示该字段为必填字段
- DisplayName——定义我们要显示在表单字段和验证信息中出现的文本
- StringLength——为字符串属性定义最大长度
- Range——为数值字段定义最大值和最小值
- Bind——列出为模型属性绑定参数或表单数据时,包括或排除的字段
- ScaffoldColumn ——在编辑器表单中允许隐藏的字段
注意:要获得更多使用数据注释特性为模型验证的信息,访问MSDN文档:http://go.microsoft.com/fwlink/?LinkId=159063
打开Album类并在顶部添加下列命名空间:
using System.ComponentModel;
using System.ComponentModel.DataAnnotations;
using System.Web.Mvc;
为属性添加显示和验证特性,如下所示:
namespace MvcMusicStore.Models
{
[Bind(Exclude = "AlbumId")]
public class Album
{
[ScaffoldColumn(false)]
public int AlbumId { get; set; }
[DisplayName("Genre")]
public int GenreId { get; set; }
[DisplayName("Artist")]
public int ArtistId { get; set; }
[Required(ErrorMessage = "An Album Title is required")]
[StringLength(160)]
public string Title { get; set; }
[Required(ErrorMessage = "Price is required")]
[Range(0.01, 100.00,
ErrorMessage = "Price must be between 0.01 and 100.00")]
public decimal Price { get; set; }
[DisplayName("Album Art URL")]
[StringLength(1024)]
public string AlbumArtUrl { get; set; }
public virtual Genre Genre { get; set; }
public virtual Artist Artist { get; set; }
}
}
在类中添中这些后,Create和Edit界面立即对字段验证,并使用我们定义的显示名称(DisplayName),例如用Album Art URL替换了AlbumArtURL。运行应用程序并浏览/StoreManager/Create:
点击“Save”按纽时,不符合验证规则的字段旁会显示验证错误信息。
测试客户端验证
从应用角度来看,服务器端验证是非常重要的,因为用户可能绕过客户端验证。然而只对Web表单进行服务器验证有三个重大问题:
- 1.在表单提交->服务器端验证->返回到用户浏览器的过程中,用户必须等待。
- 2.用户正确填写字段并通过验证规则时不能及时得到反馈。
- 3.我们浪费服务器资源执行验证逻辑,而没有利用用户的浏览器。
很幸运,ASP.NET MVC模板架构内建了客户端验证,不需要任何额外的工作。
在Title字段输入单个字符以满足非空验证,验证会立即消失(证明它是客户端验证)。