I've got a FlowDocument which has some elements like so:
<InlineUIContainer>
<Button Click="Button_Click" Tag="123456789890">
<Image Source="Images\Image1.png" />
</Button>
</InlineUIContainer>
This is stored off in a .xaml file and gets loaded at some point by doing something like so:
flowDocument = XamlReader.Load(xamlFile, parserContext) as FlowDocument;
flowDocumentReader.Document = flowDocument;
The loading fails with the following error:
XamlParseException - Failed to create a 'Click' from the text 'Button_Click'
The Button_Click method is one which exists within the MainWindow in which the FlowDocumentReader resides and the idea is that the Tag of the button has some identifier (inventory id) and the click handler will do something with that inventory id.
If the FlowDocument is in the MainWindow.xaml, everything's fine with this Button_Click event handler but I suspect that when it loads the file from disk, it knows nothing about the handler.
How can I resolve this? Ideas?
Update
While I think Pavlo's solution would work, I ended up doing the following and it seems to work rather well. In my FlowDocumentReader Xaml I added the following:
<FlowDocumentReader ButtonBase.Click="Button_Click">
and removed the click event from the xaml for the buttons. I'm still grappling with WPF and XAML but this common click handler works, I believe, because of routed events. When the Click happens for any of the buttons in my loaded FlowDocument, it bubbles up until it finds a handler, in my case the one specified in the FlowDocumentReader element.
Despite the frustration I had from not understanding, it is neat that it works this way.
Update 2:
The side effect of relying on routed events to handle the Click event for my FlowDocument's buttons is that the buttons which are part of the FlowDocumentReader itself end up bubbling their Click events into this catch-all handler I've created, which is definitely not what I want to happen.
To solve this, I am currently relying upon the fact that in the handler, which looks like so:
private void Button_Click(object sender, RoutedEventArgs e)
{
if (e.Source is Button)
{
MessageBox.Show("Button in doc clicked");
}
}
the "Source" member in the RoutedEventArgs is "Button" for the buttons in the FlowDocument and "FlowDocumentReader" for the ones that are part of the FlowDocumentReader. Appears to work though I'd be interested in hearing other ideas.