Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to serialize a model with all validation attributes from the individual properties?

Context: creating a jsonP service with mvc controller methods which provides a definition of formfields including all validation rules.

My problem is that I do not know how to serialize the validation attributes. I prefer the validation attributes in the same format as they are serialized by Razor when using unobtrusive validation in regular Mvc views.

For serializing to json I use NewtonSoft.Json (4.0.2).

Example of model: public class Profile{

    [Required(ErrorMessage="This field is required.")]
    [StringLength(25, ErrorMessage="Max 25 chars.")]
    public string Firstname{get;set;}
    }

Example of preferred serialized javascript:

     {"Firstname": "John", 
      "ValidationRules":[{"data-val-required":"This field is required.", "data-val-length-max":25, "data-val-length":"Max 25 chars." }]}

Any help or pointers are very much appreciated.

like image 266
bees73 Avatar asked Jun 20 '11 14:06

bees73


1 Answers

This will construct a dictionary with the validation attributes for a given property based on the data annotation attributes:

var metadata = ModelMetadataProviders.Current.GetMetadataForProperty(null, typeof(MyModel), "MyProperty");
var validationRules = metadata.GetValidators(ControllerContext).SelectMany(v => v.GetClientValidationRules());
var validationAttributes = new Dictionary<string, string>();

foreach (ModelClientValidationRule rule in validationRules)
{
    string key = "data-val-" + rule.ValidationType;
    validationAttributes.Add(key, HttpUtility.HtmlEncode(rule.ErrorMessage ?? string.Empty));
    key = key + "-";
    foreach (KeyValuePair<string, object> pair in rule.ValidationParameters)
    {
        validationAttributes.Add(key + pair.Key,
            HttpUtility.HtmlAttributeEncode(
                pair.Value != null ? Convert.ToString(pair.Value, CultureInfo.InvariantCulture) : string.Empty));
    }
}

You should then serialize the validationAttributes dictionary with your property in your custom JSON serialization code.

like image 68
Tz_ Avatar answered Sep 18 '22 23:09

Tz_