web-dev-qa-db-ja.com

テキストブロックwpfにハイパーリンクを追加

挨拶、私はデータベースにいくつかのテキストがあり、それは次のとおりです:

ロレム・イプサム・ドーラーは座り心地がよく、僧侶は外交的エリートです。 Duis tellus nisl、venenatis et pharetra ac、tempor sed sapien。整数pelentesque blandit velit、tempus urna semperで座ります。 Duis mollis、libero ut consectetur interdum、massa tellus posuere nisi、eu aliquet ellit lacus nec erat。 Prasentのコモドquam。 ** [a href = ' http://somesite.com '] some site [/ a] ** Suspendisse at nisi sit amet massa molestie gravida feugiat ac sem。 Phasellus ac mauris ipsum、vel auctor odio

私の質問は:HyperlinkTextBlockに表示するにはどうすればよいですか?この目的でwebBrowserコントロールを使用したくありません。このコントロールも使用したくない: http://www.codeproject.com/KB/WPF/htmltextblock.aspx また

34
niao

そのような状況では、値コンバーターでRegexを使用できます。

これをあなたの要件に使用してください( ここ からの元のアイデア):

    private Regex regex = 
        new Regex(@"\[a\s+href='(?<link>[^']+)'\](?<text>.*?)\[/a\]",
        RegexOptions.Compiled);

これは、リンクを含む文字列内のすべてのリンクに一致し、一致ごとに2つの名前付きグループを作成します:linkおよびtext

これで、すべての一致を繰り返すことができます。各試合はあなたに与えます

    foreach (Match match in regex.Matches(stringContainingLinks))
    { 
        string link    = match.Groups["link"].Value;
        int link_start = match.Groups["link"].Index;
        int link_end   = match.Groups["link"].Index + link.Length;

        string text    = match.Groups["text"].Value;
        int text_start = match.Groups["text"].Index;
        int text_end   = match.Groups["text"].Index + text.Length;

        // do whatever you want with stringContainingLinks.
        // In particular, remove whole `match` ie [a href='...']...[/a]
        // and instead put HyperLink with `NavigateUri = link` and
        // `Inlines.Add(text)` 
        // See the answer by Stanislav Kniazev for how to do this
    }

注:このロジックをカスタムConvertToHyperlinkedText値コンバーターで使用します。

16
mg007

表示はかなりシンプルで、ナビゲーションは別の問題です。 XAMLは次のようになります。

<TextBlock Name="TextBlockWithHyperlink">
    Some text 
    <Hyperlink 
        NavigateUri="http://somesite.com"
        RequestNavigate="Hyperlink_RequestNavigate">
        some site
    </Hyperlink>
    some more text
</TextBlock>

そして、ハイパーリンクに移動するためにデフォルトのブラウザーを起動するイベントハンドラーは次のようになります。

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

編集:データベースから取得したテキストでそれを行うには、どういうわけかテキストを解析する必要があります。テキストパーツとハイパーリンクパーツがわかったら、テキストブロックのコンテンツをコードで動的に構築できます。

TextBlockWithHyperlink.Inlines.Clear();
TextBlockWithHyperlink.Inlines.Add("Some text ");
Hyperlink hyperLink = new Hyperlink() {
    NavigateUri = new Uri("http://somesite.com")
};
hyperLink.Inlines.Add("some site");
hyperLink.RequestNavigate += Hyperlink_RequestNavigate;
TextBlockWithHyperlink.Inlines.Add(hyperLink);
TextBlockWithHyperlink.Inlines.Add(" Some more text");
95

これの別のバージョンであり、ここでの形式の認識とは完全に同じではありませんが、テキストのリンクを自動的に認識して、ハイパーリンクをライブにするためのクラスがあります。

internal class TextBlockExt
{
    static Regex _regex =
        new Regex(@"http[s]?://[^\s-]+",
                  RegexOptions.Compiled);

    public static readonly DependencyProperty FormattedTextProperty = DependencyProperty.RegisterAttached("FormattedText", 
        typeof(string), typeof(TextBlockExt), new FrameworkPropertyMetadata(string.Empty, FrameworkPropertyMetadataOptions.AffectsMeasure, FormattedTextPropertyChanged));
    public static void SetFormattedText(DependencyObject textBlock, string value)
    { textBlock.SetValue(FormattedTextProperty, value); }

    public static string GetFormattedText(DependencyObject textBlock)
    { return (string)textBlock.GetValue(FormattedTextProperty); }

    static void FormattedTextPropertyChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)
    {
        if (!(d is TextBlock textBlock)) return; 

        var formattedText = (string)e.NewValue ?? string.Empty;
        string fullText =
            $"<Span xml:space=\"preserve\" xmlns=\"http://schemas.Microsoft.com/winfx/2006/xaml/presentation\">{formattedText}</Span>";

        textBlock.Inlines.Clear();
        using (var xmlReader1 = XmlReader.Create(new StringReader(fullText)))
        {
            try
            {
                var result = (Span)XamlReader.Load(xmlReader1);
                RecognizeHyperlinks(result);
                textBlock.Inlines.Add(result);
            }
            catch
            {
                formattedText = System.Security.SecurityElement.Escape(formattedText);
                fullText =
                    $"<Span xml:space=\"preserve\" xmlns=\"http://schemas.Microsoft.com/winfx/2006/xaml/presentation\">{formattedText}</Span>";

                using (var xmlReader2 = XmlReader.Create(new StringReader(fullText)))
                {
                    try
                    {
                        dynamic result = (Span) XamlReader.Load(xmlReader2);
                        textBlock.Inlines.Add(result);
                    }
                    catch
                    {
                        //ignored
                    }
                }
            }
        }
    }

    static void RecognizeHyperlinks(Inline originalInline)
    {
        if (!(originalInline is Span span)) return;

        var replacements = new Dictionary<Inline, List<Inline>>();
        var startInlines = new List<Inline>(span.Inlines);
        foreach (Inline i in startInlines)
        {
            switch (i)
            {
                case Hyperlink _:
                    continue;
                case Run run:
                {
                    if (!_regex.IsMatch(run.Text)) continue;
                    var newLines = GetHyperlinks(run);
                    replacements.Add(run, newLines);
                    break;
                }
                default:
                    RecognizeHyperlinks(i);
                    break;
            }
        }

        if (!replacements.Any()) return;

        var currentInlines = new List<Inline>(span.Inlines);
        span.Inlines.Clear();
        foreach (Inline i in currentInlines)
        {
            if (replacements.ContainsKey(i)) span.Inlines.AddRange(replacements[i]);
            else span.Inlines.Add(i);
        }
    }

    static List<Inline> GetHyperlinks(Run run)
    {
        var result = new List<Inline>();
        var currentText = run.Text;
        do
        {
            if (!_regex.IsMatch(currentText))
            {
                if (!string.IsNullOrEmpty(currentText)) result.Add(new Run(currentText));
                break;
            }
            var match = _regex.Match(currentText);

            if (match.Index > 0)
            {
                result.Add(new Run(currentText.Substring(0, match.Index)));
            }

            var hyperLink = new Hyperlink() { NavigateUri = new Uri(match.Value) };
            hyperLink.Inlines.Add(match.Value);
            hyperLink.RequestNavigate += HyperLink_RequestNavigate;
            result.Add(hyperLink);

            currentText = currentText.Substring(match.Index + match.Length);
        } while (true);

        return result;
    }

    static void HyperLink_RequestNavigate(object sender, System.Windows.Navigation.RequestNavigateEventArgs e)
    {
        try
        {
            Process.Start(e.Uri.ToString());
        }
        catch { }
    }
}

それを使用すると、<TextBlock ns:TextBlockExt.FormattedText="{Binding Content}" />の代わりに<TextBlock Text="{Binding Content}" />を実行するだけで、リンクを自動的に認識してアクティブ化し、<Bold>などの通常のフォーマットタグを認識します。

これは、@ gwiazdorrr here による回答と、この質問の他のいくつかの回答に基づいていることに注意してください。基本的にそれらをすべて1つにまとめ、再帰処理を行ったところ、うまくいきました。 :)。パターンとシステムは、必要に応じて他のタイプのリンクまたはマークアップを認識するように適合させることもできます。

0
sfaust