C# Hyperlink in TextBlock: nothing happens when I click on it

13,026

Solution 1

You need to handle the hyperlink's RequestNavigate event. Here's a quick way of doing it:

link.RequestNavigate += (sender, e) =>
{
    System.Diagnostics.Process.Start(e.Uri.ToString());
};

Solution 2

Are you handling the 'Hyperlink.RequestNavigate' event? When a user clicks a Hyperlink in a WPF window it doesn't automatically open a browser with the URI specified in its NavigateUri property.

In your code-behind you can do something like:

link.RequestNavigate += LinkOnRequestNavigate;

private void LinkOnRequestNavigate(object sender, RequestNavigateEventArgs e)
{
    System.Diagnostics.Process.Start(e.Uri.ToString());
}

Solution 3

You can make a global hyperlink handler in your App.xaml.cs

protected override void OnStartup(StartupEventArgs e) {
    EventManager.RegisterClassHandler(
        typeof(System.Windows.Documents.Hyperlink),
        System.Windows.Documents.Hyperlink.RequestNavigateEvent,
        new System.Windows.Navigation.RequestNavigateEventHandler(
            (sender, en) => Process.Start(new ProcessStartInfo(
                en.Uri.ToString()
            ) { UseShellExecute = true })
        )
    );
    base.OnStartup(e);
}

This assumes all the NavigateUri properties refer to something you want to launch, but you can always make the handler take care of edge cases.

Solution 4

For those in .Net Core, the way you do this has changed. Based on this answer and this.

link.RequestNavigate += (sender, e) =>
{
    var url = e.Uri.ToString();
    Process.Start(new ProcessStartInfo(url)
    { 
        UseShellExecute = true 
    });
};
Share:
13,026

Related videos on Youtube

Nicolas Raoul
Author by

Nicolas Raoul

I am Nicolas Raoul, IT consultant in Tokyo. Feel free to copy/paste the source code from my StackExchange answers, I release it to the public domain.

Updated on September 26, 2022

Comments

  • Nicolas Raoul
    Nicolas Raoul over 1 year

    In my C# standalone application, I want to let users click on a link that would launch their favorite browser.

    System.Windows.Controls.TextBlock text = new TextBlock();
    Run run = new Run("Link Text");
    
    Hyperlink link = new Hyperlink(run);
    link.NavigateUri = new Uri("http://w3.org");
    text.Inlines.Add(link);
    

    The link is displayed correctly.

    When I move the mouse over it, the link becomes red.

    PROBLEM: When I click it, nothing happens.

    Did I forget something? Do I need to implement some kind of method to really let the link be opened?

  • Confused101
    Confused101 about 5 years
    WPF Hyperlink is nearly useless. I want it to launch the URL using url set in xaml, otherwise why don't I just use a label and button with my view viewmodel.