4

我正在阅读 NerDinner 免费教程 http://nerddinnerbook.s3.amazonaws.com/Intro.htm

我到了第 5 步的某个地方,它说要使代码更清晰,我们可以创建一个扩展方法。我查看了完整的代码,它有这个使用扩展方法:

catch
{
    ModelState.AddModelErrors(dinner.GetRuleViolations());
    return View(new DinnerFormViewModel(dinner));
}

然后 this 作为扩展方法的定义。

namespace NerdDinner.Helpers {

    public static class ModelStateHelpers {

        public static void AddModelErrors(this ModelStateDictionary modelState, IEnumerable<RuleViolation> errors) {

            foreach (RuleViolation issue in errors) {
                modelState.AddModelError(issue.PropertyName, issue.ErrorMessage);
            }
        }
    }
}

我尝试按照教程所说的结合代码包含的内容,但收到预期的错误,即没有AddModelErrors方法只接受 1 个参数。

我显然在这里遗漏了一些非常重要的东西。它是什么?

4

2 回答 2

11

您需要包括助手参考;

using NerdDinner.Helpers;

using NerdDinner.Models;

然后检查有效并添加错误;

if (!dinner.IsValid)
{
    ModelState.AddModelErrors(dinner.GetRuleViolations());
    return View(dinner);
}

您的晚餐还必须有部分课程;

public partial class Dinner
{
    public bool IsValid
    {
        get { return (GetRuleViolations().Count() == 0); }
    }

    public IEnumerable<RuleViolation> GetRuleViolations()
    {
        if (String.IsNullOrEmpty( SomeField ))
            yield return new RuleViolation("Field value text is required", "SomeField");
    }

    partial void OnValidate(ChangeAction action)
    {
        if (!IsValid)
            throw new ApplicationException("Rule violations prevent saving");
    }
}

不要忘记RuleViolation上课;

public class RuleViolation
{
    public string ErrorMessage { get; private set; }
    public string PropertyName { get; private set; }

    public RuleViolation(string errorMessage)
    {
        ErrorMessage = errorMessage;
    }

    public RuleViolation(string errorMessage, string propertyName)
    {
        ErrorMessage = errorMessage;
        PropertyName = propertyName;
    }
}
于 2009-06-30T02:04:50.773 回答
3

如果您收到与此海报相同的错误消息:

“‘System.Web.Mvc.ModelStateDictionary’不包含‘AddModelErrors’的定义,并且找不到接受‘System.Web.Mvc.ModelStateDictionary’类型的第一个参数的扩展方法‘AddModelErrors’(您是否缺少使用指令还是程序集引用?)”

你可能会遇到这个问题:

http://p2p.wrox.com/book-professional-asp-net-mvc-1-0-isbn-978-0-470-38461-9/74321-addmodalerrors-allcountries-page-87-view-data-字典.html#post248356

于 2009-10-22T00:36:54.777 回答