无法将运行添加到foreach循环中的文本块

本文关键字:循环 文本 foreach 运行 添加 | 更新日期: 2023-09-27 18:28:20

I正在构建一个UWP应用程序。我试图实现的是显示一条推文,如果推文中有任何URL,请将其呈现为超链接文本。所以我要做的是浏览文本,找到URL,将运行分配到文本块,然后将其分配到页面上的文本块。

代码背后:

TextBlock block = new TextBlock();
        Regex url_regex = new Regex(@"(http:'/'/(['w.]+'/?)'S*)" , RegexOptions.IgnoreCase | RegexOptions.Compiled);
        MatchCollection collection = url_regex.Matches(tweet);
        int index = 0;
        //for test only
        Run r = new Run();
        r.Text = "int";
        block.Inlines.Add(r);
        foreach (Match item in collection)
        {
            Run run = new Run();
            run.Text = tweet.Substring(index , item.Index);
            //error occurs here.
            block.Inlines.Add(run);
            index = item.Index;
            run.Text = tweet.Substring(index , item.Length);
            Hyperlink h = new Hyperlink();
            h.Inlines.Add(run);
            block.Inlines.Add(h);
            index = item.Index + item.Length;
        }
        r.Text = tweet.Substring(index , tweet.Length);
        block.Inlines.Add(r);
        blok = block;

Xaml:

<StackPanel Background="{ThemeResource ApplicationPageBackgroundThemeBrush}">
    <TextBox Name="input"
                PlaceholderText="input here" />
    <TextBlock Name="blok"/>
</StackPanel>

我不明白发生了什么,因为测试运行添加工作正常,因为它在foreach循环之外。一旦运行被添加到foreachloop中的内联中,就会抛出一个错误:

System.Runtime.InteropServices.COMException: No installed components were detected.
Element is already the child of another element.

互联网上还有其他关于这个话题的问题,但我没有得到一个好的解决方案。

无法将运行添加到foreach循环中的文本块

您正试图将相同的Run元素分配给两个父元素:TextBlockHyperlink

Run run = new Run();
run.Text = tweet.Substring(index , item.Index);
//error occurs here.
block.Inlines.Add(run);
index = item.Index;
run.Text = tweet.Substring(index , item.Length);
Hyperlink h = new Hyperlink();
h.Inlines.Add(run);
block.Inlines.Add(h);
index = item.Index + item.Length;

虽然这是两个不同的运行,所以将循环更改为:

foreach (Match item in collection)
{
    Run runRegularText = new Run();
    runRegularText.Text = tweet.Substring(index, item.Index);
    block.Inlines.Add(runRegularText);
    index = item.Index;
    Run runHyperlink = new Run();
    runHyperlink.Text = tweet.Substring(index, item.Length);
    Hyperlink h = new Hyperlink();
    h.Inlines.Add(runHyperlink);
    block.Inlines.Add(h);
    index = item.Index + item.Length;
}