Como adicionar um manipulador de eventos usando código (WPF .NET)
Você pode atribuir um manipulador de eventos a um elemento no Windows Presentation Foundation (WPF) usando marcação ou code-behind. Embora seja comum atribuir um manipulador de eventos em XAML (Extensible Application Markup Language), às vezes talvez seja necessário atribuir um manipulador de eventos em code-behind. Por exemplo, use o código quando:
- Você atribui um manipulador de eventos a um elemento após o carregamento da página de marcação que contém o elemento.
- Você adiciona um elemento e atribui seu manipulador de eventos após o carregamento da página de marcação que conterá o elemento.
- Você define a árvore de elementos para seu aplicativo inteiramente no código.
Pré-requisitos
O artigo pressupõe um conhecimento básico de eventos roteados e que você leu Visão geral de eventos roteados. Para seguir os exemplos neste artigo, é útil se você estiver familiarizado com XAML (Extensible Application Markup Language) e souber como escrever aplicativos WPF (Windows Presentation Foundation).
Sintaxe para atribuição de manipulador de eventos
O C# dá suporte à atribuição do manipulador de eventos usando:
- O
+=
operador, que também é usado no modelo de manipulação de eventos CLR (Common Language Runtime). - O método UIElement.AddHandler.
O VB oferece suporte à atribuição do manipulador de eventos usando:
- A instrução AddHandler com o operador AddressOf, que também é usado no modelo de manipulação de eventos CLR.
- A palavra-chave Handles na definição do manipulador de eventos. Para obter mais informações, consulte Visual Basic e manipulação de eventos do WPF.
- O UIElement.AddHandler método, juntamente com o
AddressOf
operador para fazer referência ao manipulador de eventos.
Exemplo
O exemplo a seguir usa XAML para definir um Button nome ButtonCreatedByXaml
e atribuir o ButtonCreatedByXaml_Click
método como seu Click manipulador de eventos. Click
é um evento roteado interno para botões que derivam de ButtonBase.
<StackPanel Name="StackPanel1">
<Button
Name="ButtonCreatedByXaml"
Click="ButtonCreatedByXaml_Click"
Content="Create a new button with an event handler"
Background="LightGray">
</Button>
</StackPanel>
O exemplo usa code-behind para implementar os ButtonCreatedByXaml_Click
manipuladores and ButtonCreatedByCode_Click
e atribuir o ButtonCreatedByCode_Click
manipulador aos ButtonCreatedByCode
elementos and StackPanel1
. Os métodos do manipulador de eventos só podem ser implementados no code-behind.
// The click event handler for the existing button 'ButtonCreatedByXaml'.
private void ButtonCreatedByXaml_Click(object sender, RoutedEventArgs e)
{
// Create a new button.
Button ButtonCreatedByCode = new();
// Specify button properties.
ButtonCreatedByCode.Name = "ButtonCreatedByCode";
ButtonCreatedByCode.Content = "New button and event handler created in code";
ButtonCreatedByCode.Background = Brushes.Yellow;
// Add the new button to the StackPanel.
StackPanel1.Children.Add(ButtonCreatedByCode);
// Assign an event handler to the new button using the '+=' operator.
ButtonCreatedByCode.Click += new RoutedEventHandler(ButtonCreatedByCode_Click);
// Assign an event handler to the new button using the AddHandler method.
// AddHandler(ButtonBase.ClickEvent, new RoutedEventHandler(ButtonCreatedByCode_Click);
// Assign an event handler to the StackPanel using the AddHandler method.
StackPanel1.AddHandler(ButtonBase.ClickEvent, new RoutedEventHandler(ButtonCreatedByCode_Click));
}
// The Click event handler for the new button 'ButtonCreatedByCode'.
private void ButtonCreatedByCode_Click(object sender, RoutedEventArgs e)
{
string sourceName = ((FrameworkElement)e.Source).Name;
string senderName = ((FrameworkElement)sender).Name;
Debug.WriteLine($"Routed event handler attached to {senderName}, " +
$"triggered by the Click routed event raised by {sourceName}.");
}
' The click event handler for the existing button 'ButtonCreatedByXaml'.
Private Sub ButtonCreatedByXaml_Click(sender As Object, e As RoutedEventArgs)
' Create a new button and specify button properties.
Dim ButtonCreatedByCode As New Button With {
.Name = "ButtonCreatedByCode",
.Content = "New button and event handler created in code",
.Background = Brushes.Yellow
}
' Add the new button to the StackPanel.
StackPanel1.Children.Add(ButtonCreatedByCode)
' Assign an event handler to the new button using the AddHandler statement.
AddHandler ButtonCreatedByCode.Click, AddressOf ButtonCreatedByCode_Click
' Assign an event handler to the new button using the AddHandler method.
' ButtonCreatedByCode.AddHandler(ButtonBase.ClickEvent, New RoutedEventHandler(AddressOf ButtonCreatedByCode_Click))
' Assign an event handler to the StackPanel using the AddHandler method.
StackPanel1.AddHandler(ButtonBase.ClickEvent, New RoutedEventHandler(AddressOf ButtonCreatedByCode_Click))
End Sub
' The Click event handler for the new button 'ButtonCreatedByCode'.
Private Sub ButtonCreatedByCode_Click(sender As Object, e As RoutedEventArgs)
Dim sourceName As String = CType(e.Source, FrameworkElement).Name
Dim senderName As String = CType(sender, FrameworkElement).Name
Debug.WriteLine($"Routed event handler attached to {senderName}, " +
$"triggered by the Click routed event raised by {sourceName}.")
End Sub
Quando ButtonCreatedByXaml
é clicado e seu manipulador de eventos é executado, ButtonCreatedByXaml_Click
programaticamente:
- Adiciona um novo botão nomeado
ButtonCreatedByCode
à árvore de elementos XAML já construída. - Especifica as propriedades do novo botão, como nome, conteúdo e cor do plano de fundo.
- Atribui o
ButtonCreatedByCode_Click
manipulador de eventos aoButtonCreatedByCode
. - Atribui o mesmo
ButtonCreatedByCode_Click
manipulador de eventos aoStackPanel1
.
Quando ButtonCreatedByCode
é clicado:
- O Click evento roteado é gerado em
ButtonCreatedByCode
. - O
ButtonCreatedByCode_Click
manipulador de eventos atribuído aButtonCreatedByCode
é disparado. - O
Click
evento roteado percorre a árvore de elementos atéStackPanel1
. - O
ButtonCreatedByCode_Click
manipulador de eventos atribuído aStackPanel1
é disparado. - O
Click
evento roteado continua na árvore de elementos, potencialmente acionando outrosClick
manipuladores de eventos atribuídos a outros elementos percorridos.
O ButtonCreatedByCode_Click
manipulador de eventos obtém as seguintes informações sobre o evento que o acionou:
- O objeto sender , que é o elemento ao qual o manipulador de eventos é atribuído. Será
sender
ButtonCreatedByCode
a primeira vez que o manipulador será executado eStackPanel1
a segunda vez. - O RoutedEventArgs.Source objeto, que é o elemento que originalmente gerou o evento. Neste exemplo, o
Source
é sempreButtonCreatedByCode
.
Observação
Uma diferença fundamental entre um evento roteado e um evento CLR é que um evento roteado percorre a árvore de elementos, procurando manipuladores, enquanto um evento CLR não atravessa a árvore de elementos e os manipuladores só podem anexar ao objeto de origem que gerou o evento. Como resultado, um evento sender
roteado pode ser qualquer elemento percorrido na árvore de elementos.
Para obter mais informações sobre como criar e manipular eventos roteados, consulte Como criar um evento roteado personalizado e Manipular um evento roteado.
Confira também
.NET Desktop feedback