4

私はこの問題の答えを見つけようとしましたが、すべての投稿で、子供を再帰的に見つけるための答えがありますが、隠された子供や倒れた子供には効果がありません。

また、すべての投稿で誰かがこれが可能かどうか尋ねましたが、誰も答えていないので、私はこれが不可能だと思い始めています

誰かがこれを行う方法を持っているなら、私は永遠に感謝します。

私の関数は次のようになります。

        public static DependencyObject FindLogicalDescendentByName(this DependencyObject source, string name)
    {
        DependencyObject result = null;
        IEnumerable children = LogicalTreeHelper.GetChildren(source);

        foreach (var child in children)
        {
            if (child is DependencyObject)
            {
                if (child is FrameworkElement)
                {
                    if ((child as FrameworkElement).Name.Equals(name))
                        result = (DependencyObject)child;
                    else
                        result = (child as DependencyObject).FindLogicalDescendentByName(name);
                }
                else
                {
                    result = (child as DependencyObject).FindLogicalDescendentByName(name);
                }
                if (result != null)
                    return result;
            }
        }
        return result;
    }

-編集済みだから、私の問題は、アイテムが作成される前にアイテムを見つけようとしていたことだと気づきました。

xamlのプロパティにバインドして、指定された名前のアイテムを検索しましたが、その時点でアイテムは作成されていませんでした。xamlでアイテムを並べ替えると、機能し、アイテムが見つかります。 .. doh!

4

1 に答える 1

2

これが私のコードです。X:Nameとタイプを指定すると機能します

呼び出しの例:

System.Windows.Controls.Image myImage = FindChild<System.Windows.Controls.Image>(this (or parent), "ImageName");



/// <summary>
/// Find specific child (name and type) from parent
/// </summary>
public static T FindChild<T>(DependencyObject parent, string childName) where T : DependencyObject
{
   // Confirm parent and childName are valid. 
   if (parent == null) return null;

   T foundChild = null;

   int childrenCount = VisualTreeHelper.GetChildrenCount(parent);
   for (int i = 0; i < childrenCount; i++)
   {
      var child = VisualTreeHelper.GetChild(parent, i);
      // If the child is not of the request child type child
      T childType = child as T;
      if (childType == null)
      {
         // recursively drill down the tree
         foundChild = FindChild<T>(child, childName);

         // If the child is found, break so we do not overwrite the found child. 
         if (foundChild != null) break;
      }
      else if (!string.IsNullOrEmpty(childName))
      {
         var frameworkElement = child as FrameworkElement;
         // If the child's name is set for search
         if (frameworkElement != null && frameworkElement.Name == childName)
         {
            // if the child's name is of the request name
            foundChild = (T)child;
            break;
         }
      }
      else
      {
         // child element found.
         foundChild = (T)child;
         break;
      }
   }

     return foundChild;
  }
于 2012-05-23T15:21:06.033 に答える