0

您好,我正在尝试扩展 requirefieldvalidator 以获取新属性并验证正则表达式。我知道我可以使用正则表达式控件,但是我需要 2 个控件,所以我想消除它,所以我只需要使用两个控件。我还想制作其他功能,包括扩展它。

我的问题是我不知道要覆盖什么 - 我尝试了 Validate() 但我得到“无法覆盖继承的成员 'System.Web.UI.WebControls.BaseValidator.Validate()' 因为它没有标记为虚拟的、抽象的、或覆盖”,我知道 EvaluateIsValid() 用于验证控件而不是控件中的内容。

using System;
using System.Collections.Generic;
using System.Text;
using System.Web.UI.WebControls;
using System.Text.RegularExpressions;

namespace ClassLibrary
{
    public class RequiredFieldValidatorExtended : RequiredFieldValidator
    {
        public RequiredFieldValidatorExtended()
        {

        }

        private string _regEx;
        public string RegEx
        {
            get
            {
                return _regEx;
            }
            set
            {
                _regEx = this.RegEx;
            }
        }

        protected override bool EvaluateIsValid()
        {
            TextBox textBox = (TextBox)Page.Form.FindControl(ControlToValidate);
            if (textBox.Text != null && textBox.Text.Length > 0)
            {
                if (this._regEx != null && _regEx.Length > 0)
                {
                    if (Regex.IsMatch(textBox.Text, _regEx))
                        IsValid = true;
                    else
                        IsValid = false;
                }
                IsValid = true;
            }
            else
                IsValid = false;

            base.Validate();
            return IsValid;
        }
    }
}
4

2 回答 2

1

我认为您应该改用 CustomValidator 或从 BaseValidator 抽象类派生

http://msdn.microsoft.com/en-us/library/aa720677(v=vs.71).aspx

于 2011-03-16T10:29:16.123 回答
1

您应该覆盖EvaluateIsValid()方法。BaseValidator.Validate()方法在virtual EvaluateIsValid内部使用。例如:

protected override bool EvaluateIsValid()
{
    bool isValid = base.EvaluateIsValid();
    if (isValid)
    {
        string controlToValidate = this.ControlToValidate;
        string controlValue = GetControlValidationValue(controlToValidate);
        if (!string.IsNullOrWhiteSpace(controlValue))
        {
            if (this._regEx != null && _regEx.Length > 0)
            {
                if (Regex.IsMatch(controlValue, _regEx))
                    isValid = true;
            }
        }
    }


    return isValid;
}
于 2011-03-16T10:49:33.850 回答