我正在构建一个UWP应用程序。 而我想要实现的是显示推文,如果推文中有任何网址,请将其渲染为超链接文本。 所以我正在做的是浏览文本并查找网址并将运行分配到文本块中,然后将其分配给页面上的文本块。
代码背后:
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.
互联网上还有其他关于此主题的问题,但我没有得到一个好的解决方案。
答案 0 :(得分:4)
您尝试将同一个Run
元素分配给2位父母:TextBlock
和Hyperlink
。
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;
}