我正在尝试使用RichTextBox和我的第一感觉:“使用它有多复杂!”...... 太棒了......
所以我正在尝试突出显示RichTextBox中包含的文本。
我目前有以下代码:
TextRange range = new TextRange(MyTextInput.Document.ContentStart, MyTextInput.Document.ContentEnd);
range.Text = @"TOP a multiline text or file END";
Regex reg = new Regex("(top|file|end)", RegexOptions.Compiled | RegexOptions.IgnoreCase);
foreach (Match match in reg.Matches(range.Text))
{
TextPointer start = range.Start.GetPositionAtOffset(match.Index, LogicalDirection.Forward);
TextPointer end = range.Start.GetPositionAtOffset(match.Index + match.Length, LogicalDirection.Backward);
// text contains the exact match I want
string text = range.Text.Substring(match.Index, match.Length);
// here the highlighted text isn't the text I searched...
TextRange textrange = new TextRange(start, end);
textrange.ApplyPropertyValue(TextElement.ForegroundProperty, new SolidColorBrush(Colors.Blue));
textrange.ApplyPropertyValue(TextElement.FontWeightProperty, FontWeights.Bold);
}
TOP
已正确突出显示但不是file
或end
,但突出显示or
。
有什么建议吗?
答案 0 :(得分:18)
你必须想象RichTextBox在幕后做了什么才能理解行为。我不完全确切,但我想到以下内容:第1-2行设置为RichTextBox
Paragraph
的内容Run
。
然后在ApplyPropertyValue
的第一次迭代中,RichTextBox的内容会发生变化!它现在包含一个Paragraph
,其中包含Span
(内置Run
)和一个Run。
然后你必须考虑正则表达式匹配与GetPositionAtOffset
之间的差异。正则表达式匹配返回字符串中char位置的索引。
GetPositionAtOffset使用“符号中的偏移量,为其计算并返回位置”,其中符号为:
- TextElement元素的开始或结束标记。
- InlineUIContainer或BlockUIContainer中包含的UIElement元素。请注意,这样的UIElement总是被算作一个符号; UIElement包含的任何其他内容或元素不计入符号。
- 文本Run元素中的16位Unicode字符。
所以你可能想要做的是这样的事情:
TextRange range = new TextRange(MyTextInput.Document.ContentStart, MyTextInput.Document.ContentEnd);
range.Text = @"TOP a multiline text or file END";
Regex reg = new Regex("(top|file|end)", RegexOptions.Compiled | RegexOptions.IgnoreCase);
var start = MyTextInput.Document.ContentStart;
while (start != null && start.CompareTo(MyTextInput.Document.ContentEnd) < 0)
{
if (start.GetPointerContext(LogicalDirection.Forward) == TextPointerContext.Text)
{
var match=reg.Match(start.GetTextInRun(LogicalDirection.Forward));
var textrange = new TextRange(start.GetPositionAtOffset(match.Index, LogicalDirection.Forward), start.GetPositionAtOffset(match.Index + match.Length, LogicalDirection.Backward));
textrange.ApplyPropertyValue(TextElement.ForegroundProperty, new SolidColorBrush(Colors.Blue));
textrange.ApplyPropertyValue(TextElement.FontWeightProperty, FontWeights.Bold);
start= textrange.End; // I'm not sure if this is correct or skips ahead too far, try it out!!!
}
start = start.GetNextContextPosition(LogicalDirection.Forward);
}
*免责声明:我现在还没有尝试过,因为我离开发环境太近了。我甚至不知道这是否编译,但我希望如此。