web-dev-qa-db-ja.com

WPF検証エラーの検出

WPFでは、ExceptionValidationRuleまたはDataErrorValidationRuleを使用して、データバインディング中にデータレイヤーでスローされたエラーに基づいて検証をセットアップできます。

この方法で多数のコントロールを設定し、[保存]ボタンがあるとします。ユーザーが「保存」ボタンをクリックした場合、保存を続行する前に検証エラーがないことを確認する必要があります。検証エラーがある場合、それらを大声で叫ぶ必要があります。

WPFでは、データバインドされたコントロールのいずれかに検証エラーが設定されているかどうかをどのように確認しますか?

114
Kevin Berridge

この投稿は非常に役に立ちました。貢献してくれたすべての人に感謝します。ここにあなたが好きでも嫌いでもあるLINQバージョンがあります。

private void CanExecute(object sender, CanExecuteRoutedEventArgs e)
{
    e.CanExecute = IsValid(sender as DependencyObject);
}

private bool IsValid(DependencyObject obj)
{
    // The dependency object is valid if it has no errors and all
    // of its children (that are dependency objects) are error-free.
    return !Validation.GetHasError(obj) &&
    LogicalTreeHelper.GetChildren(obj)
    .OfType<DependencyObject>()
    .All(IsValid);
}
133
Dean

次のコード(Chris Sell&Ian GriffithsによるProgramming WPF bookから)は、依存関係オブジェクトとその子に関するすべてのバインディングルールを検証します。

public static class Validator
{

    public static bool IsValid(DependencyObject parent)
    {
        // Validate all the bindings on the parent
        bool valid = true;
        LocalValueEnumerator localValues = parent.GetLocalValueEnumerator();
        while (localValues.MoveNext())
        {
            LocalValueEntry entry = localValues.Current;
            if (BindingOperations.IsDataBound(parent, entry.Property))
            {
                Binding binding = BindingOperations.GetBinding(parent, entry.Property);
                foreach (ValidationRule rule in binding.ValidationRules)
                {
                    ValidationResult result = rule.Validate(parent.GetValue(entry.Property), null);
                    if (!result.IsValid)
                    {
                        BindingExpression expression = BindingOperations.GetBindingExpression(parent, entry.Property);
                        System.Windows.Controls.Validation.MarkInvalid(expression, new ValidationError(rule, expression, result.ErrorContent, null));
                        valid = false;
                    }
                }
            }
        }

        // Validate all the bindings on the children
        for (int i = 0; i != VisualTreeHelper.GetChildrenCount(parent); ++i)
        {
            DependencyObject child = VisualTreeHelper.GetChild(parent, i);
            if (!IsValid(child)) { valid = false; }
        }

        return valid;
    }

}

あなたのページ/ウィンドウでこのような保存ボタンクリックイベントハンドラでこれを呼び出すことができます

private void saveButton_Click(object sender, RoutedEventArgs e)
{

  if (Validator.IsValid(this)) // is valid
   {

    ....
   }
}
47
aogan

ListBoxを使用している場合、投稿されたコードは機能しませんでした。私はそれを書き直し、今では動作します:

public static bool IsValid(DependencyObject parent)
{
    if (Validation.GetHasError(parent))
        return false;

    // Validate all the bindings on the children
    for (int i = 0; i != VisualTreeHelper.GetChildrenCount(parent); ++i)
    {
        DependencyObject child = VisualTreeHelper.GetChild(parent, i);
        if (!IsValid(child)) { return false; }
    }

    return true;
}
31
H-Man2

同じ問題があり、提供された解決策を試してみました。 H-Man2のソリューションとskiba_kのソリューションの組み合わせは、1つの例外を除いて、ほとんど問題なく機能しました。私のウィンドウにはTabControlがあります。また、検証ルールは、現在表示されているTabItemに対してのみ評価されます。そこで、VisualTreeHelperをLogicalTreeHelperに置き換えました。今では動作します。

    public static bool IsValid(DependencyObject parent)
    {
        // Validate all the bindings on the parent
        bool valid = true;
        LocalValueEnumerator localValues = parent.GetLocalValueEnumerator();
        while (localValues.MoveNext())
        {
            LocalValueEntry entry = localValues.Current;
            if (BindingOperations.IsDataBound(parent, entry.Property))
            {
                Binding binding = BindingOperations.GetBinding(parent, entry.Property);
                if (binding.ValidationRules.Count > 0)
                {
                    BindingExpression expression = BindingOperations.GetBindingExpression(parent, entry.Property);
                    expression.UpdateSource();

                    if (expression.HasError)
                    {
                        valid = false;
                    }
                }
            }
        }

        // Validate all the bindings on the children
        System.Collections.IEnumerable children = LogicalTreeHelper.GetChildren(parent);
        foreach (object obj in children)
        {
            if (obj is DependencyObject)
            {
                DependencyObject child = (DependencyObject)obj;
                if (!IsValid(child)) { valid = false; }
            }
        }
        return valid;
    }
15
user195268

Deanの優れたLINQ実装に加えて、DependencyObjectsの拡張機能にコードをラップするのも楽しかったです。

public static bool IsValid(this DependencyObject instance)
{
   // Validate recursivly
   return !Validation.GetHasError(instance) &&  LogicalTreeHelper.GetChildren(instance).OfType<DependencyObject>().All(child => child.IsValid());
}

これにより、再利用性を考慮して非常に優れたものになります。

7
Matthias Loerke

小さな最適化を提供します。

同じコントロールに対して何度もこれを行う場合、上記のコードを追加して、実際に検証ルールを持つコントロールのリストを保持できます。その後、妥当性を確認する必要があるときはいつでも、ビジュアルツリー全体ではなく、これらのコントロールのみを調べてください。このようなコントロールが多数ある場合、これははるかに優れていることがわかります。

2
sprite

以下は、WPFでのフォーム検証用の library です。 Nugetパッケージはこちら

サンプル:

<Border BorderBrush="{Binding Path=(validationScope:Scope.HasErrors),
                              Converter={local:BoolToBrushConverter},
                              ElementName=Form}"
        BorderThickness="1">
    <StackPanel x:Name="Form" validationScope:Scope.ForInputTypes="{x:Static validationScope:InputTypeCollection.Default}">
        <TextBox Text="{Binding SomeProperty}" />
        <TextBox Text="{Binding SomeOtherProperty}" />
    </StackPanel>
</Border>

考え方は、追跡する入力コントロールを伝える添付プロパティを介して検証スコープを定義することです。その後、次のことができます。

<ItemsControl ItemsSource="{Binding Path=(validationScope:Scope.Errors),
                                    ElementName=Form}">
    <ItemsControl.ItemTemplate>
        <DataTemplate DataType="{x:Type ValidationError}">
            <TextBlock Foreground="Red"
                       Text="{Binding ErrorContent}" />
        </DataTemplate>
    </ItemsControl.ItemTemplate>
</ItemsControl>
1
Johan Larsson

回答フォームaoganでは、検証ルールを明示的に反復する代わりに、expression.UpdateSource():を呼び出すだけの方が良い

if (BindingOperations.IsDataBound(parent, entry.Property))
{
    Binding binding = BindingOperations.GetBinding(parent, entry.Property);
    if (binding.ValidationRules.Count > 0)
    {
        BindingExpression expression 
            = BindingOperations.GetBindingExpression(parent, entry.Property);
        expression.UpdateSource();

        if (expression.HasError) valid = false;
    }
}
0
skiba_k

すべてのコントロールツリーを再帰的に反復処理し、添付プロパティValidation.HasErrorPropertyを確認してから、最初に見つかったものに焦点を合わせることができます。

すでに記述されている多くのソリューションを使用することもできます。例や詳細については、 this threadを確認してください。

0
user21243

BookLibraryWPF Application Framework(WAF) のサンプルアプリケーションに興味があるかもしれません=。 WPFで検証を使用する方法と、検証エラーが存在する場合に[保存]ボタンを制御する方法を示します。

0
jbe