web-dev-qa-db-ja.com

DataAnnotationsを使用して2つのモデルプロパティを比較する

2つのフィールドを比較するカスタムValidationAttributeを作成するにはどうすればよいですか?これは、一般的な「パスワードの入力」、「パスワードの確認」のシナリオです。 2つのフィールドが等しいことを確認し、一貫性を保つために、DataAnnotationsを介して検証を実装する必要があります。

そのため、擬似コードでは、次のようなものを実装する方法を探しています。

public class SignUpModel
{
    [Required]
    [Display(Name = "Password")]
    public string Password { get; set; }

    [Required]
    [Display(Name = "Re-type Password")]
    [Compare(CompareField = Password, ErrorMessage = "Passwords do not match")]
    public string PasswordConfirm { get; set; }
}

public class CompareAttribute : ValidationAttribute
{
    public CompareAttribute(object propertyToCompare)
    {
        // ??
    }

    public override bool IsValid(object value)
    {
        // ??
    }
}

質問は、[Compare] ValidationAttributeをどのようにコーディングすればよいですか?

38
Scott

これを行うASP.NET MVC 3フレームワークにはCompareAttributeがあります。 ASP.NET MVC 2を使用しており、.Net 4.0をターゲットにしている場合、ASP.NET MVC 3ソースコードの実装を確認できます。

30
Joe Cartano

プロジェクトがsystem.web.mvc v3.xxxxxを参照していることを確認してください。

その場合、コードは次のようになります。

using System.Web.Mvc;

。 。 。 。

[Required(ErrorMessage = "This field is required.")]    
public string NewPassword { get; set; }

[Required(ErrorMessage = "This field is required.")]
[Compare(nameof(NewPassword), ErrorMessage = "Passwords don't match.")]
public string RepeatPassword { get; set; }
58

これは、ダリンの答えの長いバージョンです。

_public class CustomAttribute : ValidationAttribute
{    
    public override bool IsValid(object value)
    {
        if (value.GetType() == typeof(Foo))
        {
           Foo bar = (Foo)value;
           //compare the properties and return the result
        }

        throw new InvalidOperationException("This attribute is only valid for Foo objects");
    }
}
_

および使用法:

_[MetadataType(typeof(FooMD))]
public partial class Foo
{
     ... functions ...
}

[Custom]
public class FooMD
{
     ... other data annotations ...
}
_

エラーは@Html.ValidationSummary(false)に表示されます

7
AndyMcKenna

カスタム検証属性を使用して、個々のプロパティではなくモデルに適用できます。 をご覧ください。

3
Darin Dimitrov

皆さんがMVC 4を使用している場合は、このコードを試してください..エラーを解決します。

部分的なクラスimpliment comfirmemailプロパティよりも1つのMetadataclassを作成してください。詳細については、以下のコードを確認してください。

using System;
    using System.Collections.Generic;
    using System.ComponentModel.DataAnnotations;
    using StringlenghtMVC.Comman;
    using System.Web.Mvc;

using System.Collections;

    [MetadataType(typeof(EmployeeMetaData))] //here we call metadeta class
    public partial class Employee
    {
        public int Id { get; set; }
        public string Name { get; set; }
        public string Email { get; set; }
        public Nullable<int> Age { get; set; }
        public string Gender { get; set; }
        public Nullable<System.DateTime> HireDate { get; set; }

       //[CompareAttribute("Email")]
        public string ConfirmEmail { get; set; }
    }

    public class EmployeeMetaData
    {
        [StringLength(10, MinimumLength = 5)]
        [Required]
        //[RegularExpression(@"(([A-za-Z]+[\s]{1}[A-za-z]+))$", ErrorMessage = "Please enter Valid Name")]
        public string Name { get; set; }

        [Range(1, 100)]
        public int Age { get; set; }
        [CurrentDate]
        [DisplayFormat(DataFormatString = "{0:d}", ApplyFormatInEditMode = true)]
        public DateTime HireDate { get; set; }

        //[RegularExpression(@"^[\w-\._\%]+@(?:[\w]{2,6}$")]
        public string Email { get; set; }

        [System.Web.Mvc.CompareAttribute("Email")]
        public string ConfirmEmail { get; set; }


    }
2
Snehal Thakkar

この問題を検討している将来の人々のために、オブジェクトのプロパティが特定の値である場合に正規表現を評価する検証属性を記述しようとしました。私の場合、住所が配送先住所であれば、私書箱を有効にしたくありませんでした。

使用法

[Required]
public EAddressType addressType { get; set; } //Evaluate Validation attribute against this

[EvaluateRegexIfPropEqualsValue(Constants.NOT_PO_BOX_REGEX, "addressType", EAddressType.Shipping, ErrorMessage = "Unable to ship to PO Boxes or APO addresses")]
public String addressLine1 { get; set; }

そして、検証属性のコードは次のとおりです。

[AttributeUsage(AttributeTargets.Property | AttributeTargets.Field, AllowMultiple = false)]
public class EvaluateRegexIfPropEqualsValue : ValidationAttribute
{
    Regex _regex;
    string _prop;
    object _targetValue;

    public EvaluateRegexIfPropEqualsValue(string regex, string prop, object value)
    {
        this._regex = new Regex(regex);
        this._prop = prop;
        this._targetValue = value;
    }

    bool PropertyContainsValue(Object obj)
    {
        var propertyInfo = obj.GetType().GetProperty(this._prop);
        return (propertyInfo != null && this._targetValue.Equals(propertyInfo.GetValue(obj, null)));
    }

    protected override ValidationResult IsValid(object value, ValidationContext obj)
    {
        if (this.PropertyContainsValue(obj.ObjectInstance) && value != null && !this._regex.IsMatch(value.ToString()))
        {
            return new ValidationResult(this.ErrorMessage);
        }
        return ValidationResult.Success;
    }
}
1
Daniel