我知道我们可以在XAML中使用<Run>
来实现我的要求:
<TextBlock.Inlines>
<Run Text="This is" />
<Run FontWeight="Bold" Text="Bold Text." />
</TextBlock.Inlines>
我也可以在代码后面执行如下操作:
TextBlock.Inlines.Add(new Run("This is"));
TextBlock.Inlines.Add(new Bold(new Run("Bold Text.")));
但我的问题有所不同:
假设我的数据库中有以下Text:
This is <b>Bold Text</b>.
现在,我的Textblock绑定到一个包含数据库中上述文本的字段。
我想要text between <b> and </b> to be bold
。我怎样才能做到这一点?
答案 0 :(得分:7)
如果要显示HTML,请使用Web浏览器控件。
<WebBrowser Name="myWebBrowser"/>
在你的代码中,传递你的文字:
myWebBrowser.NavigateToString(myHTMLString);
如果没有,并且粗体是唯一要完成但不能嵌套的东西,你可以这样做:
string s = "<b>This</b> is <b>bold</b> text <b>bold</b> again."; // Sample text
var parts = s.Split(new []{"<b>", "</b>"}, StringSplitOptions.None);
bool isbold = false; // Start in normal mode
foreach (var part in parts)
{
if (isbold)
myTextBlock.Inlines.Add(new Bold(new Run(part)));
else
myTextBlock.Inlines.Add(new Run(part));
isbold = !isbold; // toggle between bold and not bold
}
答案 1 :(得分:4)
您希望将自定义格式替换为<Bold>
- 有关详细信息,请参阅TextBlock。文章中的样本:
<TextBlock Name="textBlock1" TextWrapping="Wrap">
<Bold>TextBlock</Bold> is designed to be <Italic>lightweight</Italic>,
and is geared specifically at integrating <Italic>small</Italic> portions
of flow content into a UI.
</TextBlock>
一种方法是重新格式化字符串以匹配TextBlock
期望的内容。
如果您有HTML输入 - 首先用HtmlAgilityPack解析文本,然后遍历结果元素并使用b
构造字符串 - 元素替换为文本换行<Bold>
,类似于其他格式。
如果已知数据库内容只有有效的开始/结束对(非随机HTML),您甚至可以使用基本的String.Replace
:text = text.Replace(“”,“”)`。
如果您拥有自己的自定义格式(如*boldtext*
),则需要为此创建自定义解析器。
答案 2 :(得分:3)
您可以订阅TargetUpdated
活动:
void textBlock_TargetUpdated(object sender, DataTransferEventArgs e)
{
string text = textBlock.Text;
if (text.Contains("<b>"))
{
textBlock.Text = "";
int startIndex = text.IndexOf("<b>");
int endIndex = text.IndexOf("</b>");
textBlock.Inlines.Add(new Run(text.Substring(0, startIndex)));
textBlock.Inlines.Add(new Bold(new Run(text.Substring(startIndex + 3, endIndex - (startIndex + 3)))));
textBlock.Inlines.Add(new Run(text.Substring(endIndex + 4)));
}
}
和TextBlock
的XAML:
<TextBlock x:Name="textBlock" Text="{Binding NotifyOnTargetUpdated=True}"></TextBlock>