ASP.NET MVC 2 - сообщения об ошибках атрибута проверки не отображаются в моем представлении при использовании атрибутов условной проверки Саймона Инса - PullRequest
0 голосов
/ 31 августа 2011

Я пытаюсь использовать атрибуты условной проверки Саймона Инса для одной из моих моделей представлений.Кажется, логика работает, но сообщение об ошибке атрибута не отображается в методах ValidationFor() моего представления.

Атрибут:

public class RequiredIfAttribute : ValidationAttribute
{
    private RequiredAttribute innerAttribute = new RequiredAttribute();
    public string DependentProperty { get; set; }
    public object TargetValue { get; set; }

    public RequiredIfAttribute(string dependentProperty, object targetValue)
    {
        this.DependentProperty = dependentProperty;
        this.TargetValue = targetValue;
    }

    public override bool IsValid(object value)
    {
        return innerAttribute.IsValid(value);
    }
}

Валидатор:

public class RequiredIfValidator : DataAnnotationsModelValidator<RequiredIfAttribute>
{
    public RequiredIfValidator(ModelMetadata metadata, ControllerContext context, RequiredIfAttribute attribute)
        : base(metadata, context, attribute)
    {
    }

    public override IEnumerable<ModelClientValidationRule> GetClientValidationRules()
    {
        // no client validation - I might well blog about this soon!
        return base.GetClientValidationRules();
    }

    public override IEnumerable<ModelValidationResult> Validate(object container)
    {
        // get a reference to the property this validation depends upon
        var field = Metadata.ContainerType.GetProperty(Attribute.DependentProperty);

        if (field != null)
        {
            // get the value of the dependent property
            var value = field.GetValue(container, null);

            // compare the value against the target value
            if ((value == null && Attribute.TargetValue == null) ||
                (value.Equals(Attribute.TargetValue)))
            {
                // match => means we should try validating this field
                if (!Attribute.IsValid(Metadata.Model))
                    // validation failed - return an error
                    yield return new ModelValidationResult { Message = ErrorMessage };
            }
        }
    }
}

Как они подключены (Global.asax.cs):

public class MvcApplication : System.Web.HttpApplication
{
    public static void RegisterRoutes(RouteCollection routes)
    {
        routes.IgnoreRoute("{resource}.axd/{*pathInfo}");

        routes.MapRoute(
            "Default", // Route name
            "{controller}/{action}/{id}", // URL with parameters
            new { controller = "Home", action = "Index", id = UrlParameter.Optional } // Parameter defaults
        );

    }

    protected void Application_Start()
    {
        AreaRegistration.RegisterAllAreas();
        RegisterRoutes(RouteTable.Routes);
        ControllerBuilder.Current.SetControllerFactory(new NinjectControllerFactory());
        DataAnnotationsModelValidatorProvider.AddImplicitRequiredAttributeForValueTypes = false;
        DataAnnotationsModelValidatorProvider.RegisterAdapter(typeof(RequiredIfAttribute), typeof(RequiredIfValidator));
    }
}

И как я пытаюсь это использовать:

public class AdminGameViewModel
{
    public bool IsCreated { get; set; }

    [Required]
    public int GameID { get; set; }

    [Required(ErrorMessage = "A game must have a title")]
    [DisplayFormat(ConvertEmptyStringToNull=false)]
    public string GameTitle { get; set; }

    [Required(ErrorMessage = "A short URL must be supplied")]
    [DisplayFormat(ConvertEmptyStringToNull=false)]
    public string Slug { get; set; }

    [RequiredIf("IsCreated", true, ErrorMessage = "A box art image must be supplied")]
    public HttpPostedFileBase BoxArt { get; set; }

    [RequiredIf("IsCreated", true, ErrorMessage = "A large image for the index page is required")]
    public HttpPostedFileBase IndexImage { get; set; }

    // other props of the class....
}

Я не знаюнедостаточно знаю внутреннюю работу механизма валидации MVC, чтобы решить мою проблему.Есть идеи?

1 Ответ

1 голос
/ 02 сентября 2011

Вы пробовали обновить мою реализацию MVC3? Он чище, чем хак, необходимый для валидатора в MVC2.

Одной вещью, которая отсутствует даже в коде MVC3, является необходимость переопределить FormatErrorMessage для атрибута, что, вероятно, будет похоже на то, что вы видите здесь. Для кода MVC 3 я использую;

    public override string FormatErrorMessage(string name)
    {
        if (!String.IsNullOrEmpty(this.ErrorMessage))
            innerAttribute.ErrorMessage = this.ErrorMessage;
        return innerAttribute.FormatErrorMessage(name);
    }

НТН Simon

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...