• 非常漂亮的一个验证实例


    Attributes-based Validation in a WPF MVVM Application

    , 28 Jul 2010 CPOL
     otes of 3 or less require a comment
     
    Description of a method which uses attribute to perform user entry validation in a WPF MVVM application

    Introduction

    In this article, I'm sharing a simple MVVM application with validation using an attribute-based approach. Basically, it means that you'll be able to describe validation rules using this syntax:

    [Required(ErrorMessage = "Field 'FirstName' is required.")]
    public string FirstName
    {
        get
        {
            return this.firstName;
        }
        set
        {
            this.firstName = value;
            this.OnPropertyChanged("FirstName");
        }
    }

    Here is a picture of the demo application running:

    The UI requirements for the demo application are:

    • Fill various information in 3 different tabs and provide error meaningful messages and feedback to the user when a field is incorrect:

    • Give real time feedback about the completeness of the filling process using 3 approaches:
      • When a tab is fully completed, it goes from red to green:

      • The progress is shown to the user using a progress bar:

      • When everything is filled, the Save button is activated:

    Background

    WPF provides several techniques in order to validate what the user enters in an application.

    ValidationRules

    From the MSDN article on ValidationRules:

    When you use the WPF data binding model, you can associate ValidationRules with your binding object. To create custom rules, make a subclass of this class and implement the Validate method. The binding engine checks each ValidationRule that is associated with a binding every time it transfers an input value, which is the binding target property value, to the binding source property.

    IDataErrorInfo

    From the original blog post of Marianor about using attributes with IDataErrorInfo interface:

    WPF provides another validation infrastructure for binding scenarios through IDataErrorInfo interface. Basically, you have to implement the Item[columnName] property putting the validation logic for each property requiring validation. From XAML, you need to set ValidatesOnDataErrors to true and decide when you want the binding invoke the validation logic (through UpdateSourceTrigger).

    Combining IDataErrorInfo and attributes

    In this article, we use a technique which combines validation attributes (an explanation of each validation attribute is out of the scope of this article) and the IDataErrorInfo interface.

    Overall Design

    Here is the class diagram of the application’s classes:

    There is nothing really new here. The MainWindow’s Content is set to the MainFormView view. The associated ViewModel, MainFormViewModel manages a set of FormViewModel which is the base ViewModel class for each tab in the View.

    In order to specify to the WPF engine how to render a FormViewModelBase, all we need to do is to create a DataTemplate and gives the correct TargetType. For example, in order to associate the ProfileFormViewModel with the ProfileFormView, we create this DataTemplate:

    <DataTemplate DataType="{x:Type ViewModel:ProfileFormViewModel}">
    <View:ProfileFormView />
    </DataTemplate>

    Then the DataBinding does everything to populate the content of the TabControl using this very simple XAML:

    <TabControl ItemsSource="{Binding Forms}" />

    This is very similar to an approach I blogged a couple of months ago (see here for more details). The new stuff resides in the ValidationViewModelBase class which is the new base class I’m introducing for ViewModel classes which need to support validation. That’s the goal of the next section of this article.

    Attribute-based Validation and the IDataError Interface

    The solution I’m using here to combine attributes and IDataError interface is based on the work of Marianor (full article here). I tweaked a little bit of his code in order to have a generic solution (and that’s the goal of the ValidationViewModelBase class). The basic idea is to be able to implement the IDataErrorInfo interface (and its 2 properties) in a generic way using attributes in System.ComponentModel. The class uses extensively LINQ in order to perform the validation.

    using System;
    using System.Collections.Generic;
    using System.ComponentModel;
    using System.ComponentModel.DataAnnotations;
    using System.Linq;
    using System.Reflection;
    
    using WpfFormsWithValidationDemo.Toolkit.Behavior;
    
    namespace WpfFormsWithValidationDemo.Toolkit.ViewModel
    {
        /// <span class="code-SummaryComment"><summary>
    </span>    /// A base class for ViewModel classes which supports validation 
        /// using IDataErrorInfo interface. Properties must defines
        /// validation rules by using validation attributes defined in 
        /// System.ComponentModel.DataAnnotations.
        /// <span class="code-SummaryComment"></summary>
    </span>    public class ValidationViewModelBase : ViewModelBase, 
    		IDataErrorInfo, IValidationExceptionHandler
        {
            private readonly Dictionary<string, 
    		Func<ValidationViewModelBase, object>>

    Please note I’m also exposing the number of valid properties and the total number of properties with validation (this is used in order to compute the value of the progress bar). From the developer point of view, using this class in an existing ViewModel is very straightforward: Inherit from the new ValidationViewModelBase class instead of your traditional ViewModelBase class and then add validation attributes on the properties which requires validation.

    Available Attributes (from the System.ComponentModel.DataAnnotations namespace)

    Name Description
    RequiredAttribute Specifies that a data field value is required
    RangeAttribute Specifies the numeric range constraints for the value of a data field
    StringLengthAttribute Specifies the minimum and maximum length of characters that are allowed in a data field
    RegularExpressionAttribute Specifies that a data field value must match the specified regular expression
    CustomValidationAttribute Specifies a custom validation method to call at run time (you must implement the IsValid() method)

    Dealing with Validation Exceptions

    As I was working with this new approach based on attributes, I faced a problem: how to deal with validation exception. A validation exception happens when the user input is incorrect, for example if a TextBox has its Text property to an int property, then an input like "abc" (which cannot be converted of course to an int) will raise an exception.

    The approach I'm proposing is based on a behavior. A complete description of what behaviors are is out of the scope of this article. For a nice description, you can check out this article.

    The behavior I'm proposing must be attached to the parent UI elements which contain the input controls that can raise exception. These are a couple of lines in the XAML:

     <Grid>
      <i:Interaction.Behaviors>
        <Behavior:ValidationExceptionBehavior />
      </i:Interaction.Behaviors>
    
      <!--<span class="code-comment"> rest of the code... --></span>

    When this behavior is loaded, it adds an handler for the ValidationError.ErrorEvent RoutedEvent so that it is notified each time a validation error occurs. When this happens, the behavior calls a method on the ViewModel (through a simple interface in order to limit coupling) so that the ViewModel can track the number of validation errors. Here is the code of the behavior:

    using System;
    using System.Windows;
    using System.Windows.Controls;
    using System.Windows.Interactivity;
    
    namespace WpfFormsWithValidationDemo.Toolkit.Behavior
    {
        /// <span class="code-SummaryComment"><summary>
    </span>    /// A simple behavior that can transfer the number of 
        /// validation error with exceptions
        /// to a ViewModel which supports the INotifyValidationException interface
        /// <span class="code-SummaryComment"></summary>
    </span>    public class ValidationExceptionBehavior : Behavior<FrameworkElement>
        {
            private int validationExceptionCount;
    
            protected override void OnAttached()
            {
                this.AssociatedObject.AddHandler(Validation.ErrorEvent, 
    		new EventHandler<ValidationErrorEventArgs>(this.OnValidationError));
            }
    
            private void OnValidationError(object sender, ValidationErrorEventArgs e)
            {
                // we want to count only the validation error with an exception
                // other error are handled by using the attribute on the properties
                if (e.Error.Exception == null)
                {
                    return;
                }
    
                if (e.Action == ValidationErrorEventAction.Added)
                {
                    this.validationExceptionCount++;
                }
                else
                {
                    this.validationExceptionCount--;
                }
    
                if (this.AssociatedObject.DataContext is IValidationExceptionHandler)
                {
                    // transfer the information back to the viewmodel
                    var viewModel = (IValidationExceptionHandler)
    				this.AssociatedObject.DataContext;
                    viewModel.ValidationExceptionsChanged(this.validationExceptionCount);
                }
            }
        }
    }

    Progress Reporting

    One of my requirements was “When a tab is fully completed, it goes from red: to green: ”. In order to realize this particular feature, I added an “IsValid” property to the FormViewModelBase class (which is the base class for all ViewModels in the TabControl). This property is updated whenever a PropertyChanged occurs by looking if the Error property (of the IDataErrorInfo interface) is empty:

    protected override void PropertyChangedCompleted(string propertyName)
    {
        // test prevent infinite loop while settings IsValid
        // (which causes an PropertyChanged to be raised)
        if (propertyName != "IsValid")
        {
            // update the isValid status
            if (string.IsNullOrEmpty(this.Error) &&
            	this.ValidPropertiesCount == this.TotalPropertiesWithValidationCount)
            {
                this.IsValid = true;
            }
            else
            {
                this.IsValid = false;
            }
        }
    }

    Then a simple trigger in the XAML is enough to have the visual effect I described:

    <Style TargetType="{x:Type TabItem}">
      <Setter Property="HeaderTemplate">
        <Setter.Value>
          <DataTemplate>
            <StackPanel Orientation="Horizontal">
              <TextBlock Text="{Binding FormName}" VerticalAlignment="Center" Margin="2" />
              <Image x:Name="image"
                     Height="16"
                     Width="16"
                     Margin="3"
                     Source="../Images/Ok16.png"/>
            </StackPanel>
            <DataTemplate.Triggers>
              <DataTrigger Binding="{Binding IsValid}" Value="False">
                <Setter TargetName="image" 
    		Property="Source" Value="../Images/Warning16.png" />
              </DataTrigger>
            </DataTemplate.Triggers>
          </DataTemplate>
        </Setter.Value>
      </Setter>
    </Style>

    In order to have the progress bar working, I’m computing the overall progress in the parent ViewModel (the one which owns the various FormViewModelBase ViewModels):

    /// <span class="code-SummaryComment"><summary>
    </span>/// Gets a value indicating the overall progress (from 0 to 100) 
    /// of filling the various properties of the forms.
    /// <span class="code-SummaryComment"></summary>
    </span>public double Progress
    {
        get
        {
            double progress = 0.0;
            var formWithValidation = this.Forms.Where(f => 
    		f.TotalPropertiesWithValidationCount != 0);
            var propertiesWithValidation = this.Forms.Sum(f => 
    		f.TotalPropertiesWithValidationCount);
    
            foreach (var form in formWithValidation)
            {
                progress += (form.ValidPropertiesCount * 100.0) / propertiesWithValidation;
            }
    
            return progress;
        }
    }

    Points of Interest

    The goal of this technique as I said in the introduction is to have a replacement for the traditional ValidationRules approach which complicates the XAML a lot. Using LINQ and Attributes is a nice way to implement this new possibility. While approaching the end of the writing of this article, I noticed that a similar solution is available in a famous MVVM frameworks made by Mark Smith (the MVVM Helpers).

    Acknowledgment

    I would like to profusely thank people who helped me to review this article: my co-worker Charlotte and Sacha Barber (CodeProject and Microsoft MVP).

    History

    • 28th July 2010: Original version

    License

    This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)

  • 相关阅读:
    selenium-webdriver的二次封装(十)
    selenium-配置文件定位元素(九)
    selenium-获取元素属性(六)
    selenium-判断元素是否可见(五)
    selenium-确认进入了预期页面(四)
    selenium-启动浏览器(二)
    selenium-确定找到的element唯一(三)
    python-词云
    linux安装sqlcmd登录sqlserver
    在centos使用rpm包的方式安装mysql,以及更改root密码
  • 原文地址:https://www.cnblogs.com/qq247039968/p/4066247.html
Copyright © 2020-2023  润新知