1

我正在尝试使用 ASP.NET MVC 2 Preview 1 项目设置 xVal。我基本上遵循http://blog.codeville.net/2009/01/10/xval-a-validation-framework-for-aspnet-mvc/上的示例(到目前为止,仅限服务器端) .

我已经注释了一个 BlogPost 实体,这里是 Post 操作:

[HttpPost]
public ActionResult Index(BlogPost b)
{
    try
    {
        _blogService.Insert(b);
    }
    catch (RulesException ex)
    {
        ex.AddModelStateErrors(ModelState, "");
    }

    return (View(b));
}

这是服务方法:

public void Insert(BlogPost post)
{
    var errors = DataAnnotationsValidationRunner.GetErrors(post);
    if(errors.Any())
    {
        throw new RulesException(errors);
    }

    _blogRepo.Insert(post);
}

(请注意,DataAnnotationsValidationRunner 是来自示例博客文章的逐字记录)。当我提交一个完全无效的 BlogPost 表单时,我得到了以下验证错误列表:

  • 需要一个数值。
  • 请输入标题
  • 请输入发布日期
  • 请输入一些内容
  • 请输入标题
  • 请输入发布日期
  • 请输入一些内容

我什至不知道第一条消息的用途,但正如您所见,其他错误出现了两次。我究竟做错了什么?或者这是 MVC V2 的问题?

4

1 回答 1

1

从 ASP.Net MVC 2 Preview 1 开始,我们现在获得了开箱即用的 DataAnnotation 验证支持,所以我猜您的问题是,当 ModelBinder 逻辑运行时,它正在应用 DataAnnotation 规则:

public ActionResult Index(BlogPost b) //Create BlogPost object and apply rules

然后使用您的 XVal 逻辑,您再次请求检查:

var errors = DataAnnotationsValidationRunner.GetErrors(post);

这得到了它们以相同顺序重复的事实的支持。

您的代码在 MVC 版本 1 中可以正常工作,因为public ActionResult Index(BlogPost b)不会运行 DataAnnotation 规则。如果可以关闭新的 DataAnnotation 逻辑并仅使用 XVal,我还没有阅读任何内容。

在Scott 的 postable preview 1上有更多相关信息

要找出第一项运行调试并检查 ModelState 上有哪些错误,因为这将告诉您错误与对象上的哪个属性相关。

[HttpPost]
public ActionResult Index(BlogPost b)
{
    try
    {
        _blogService.Insert(b); //Add breakpoint here and check ModelState
    }
    catch (RulesException ex)
    {
        ex.AddModelStateErrors(ModelState, "");
    }

    return (View(b));
}
于 2009-08-09T11:42:25.960 回答