Вы можете анализировать привязку команд из xml вместо событий Click:
<Button x:Name='BtnEditAc' Command='{Binding MyCommand}' Grid.Row='0' ...
Если по какой-то причине вы не хотите использовать команды, вы можете вручную добавить событие щелчка в коде, если только вы можете найти Button
в элементе xaml
, который вы только что проанализировали. Например, если вы знаете, что корневым элементом в вашем сериализованном xaml будет Grid
:
Grid rootElement = (Grid)XamlReader.Parse(xaml, context);
grdMain.Children.Add(rootElement);
Button btn = (Button)rootElement.FindName("BtnEditAc");
btn.Click += btn_Click;
Или:
UIElement elem = (UIElement)XamlReader.Parse(xaml, context);
Button b =(Button) LogicalTreeHelper.FindLogicalNode(elem, "BtnEditAc");
В качестве альтернативы, если вы не знаете тип корневого элемента, вы можете использовать этот код , чтобы найти его по имени и типу:
public static T FindChild<T>(this 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;
}
или, если вы не знаете имя своей кнопки, вы можете, например, получить первый дочерний элемент типа Button (или реализовать метод, который будет возвращать все дочерние элементы данного типа) с помощью этого метода расширения
public static T GetChildOfType<T>(this DependencyObject depObj) where T : DependencyObject
{
if (depObj == null) return null;
for (int i = 0; i < VisualTreeHelper.GetChildrenCount(depObj); i++)
{
var child = VisualTreeHelper.GetChild(depObj, i);
var result = (child as T) ?? GetChildOfType<T>(child);
if (result != null) return result;
}
return null;
}
Если вы хотите установить обработчик событий в xaml и разобрать его вручную, я не знаю, можно ли это сделать.