I need to highlight all occurrences of selected word in AvalonEdit. I created an instance of HihglinghtingRule class:
var rule = new HighlightingRule()
{
Regex = regex, //some regex for finding occurences
Color = new HighlightingColor {Background = new SimpleHighlightingBrush(Colors.Red)}
};
What should I do after it ? Thanks.
To use that HighlightingRule
, you would have to create another instance of the highlighting engine (HighlightingColorizer
etc.)
It's easier and more efficient to write a DocumentColorizingTransformer
that highlights your word:
public class ColorizeAvalonEdit : DocumentColorizingTransformer
{
protected override void ColorizeLine(DocumentLine line)
{
int lineStartOffset = line.Offset;
string text = CurrentContext.Document.GetText(line);
int start = 0;
int index;
while ((index = text.IndexOf("AvalonEdit", start)) >= 0) {
base.ChangeLinePart(
lineStartOffset + index, // startOffset
lineStartOffset + index + 10, // endOffset
(VisualLineElement element) => {
// This lambda gets called once for every VisualLineElement
// between the specified offsets.
Typeface tf = element.TextRunProperties.Typeface;
// Replace the typeface with a modified version of
// the same typeface
element.TextRunProperties.SetTypeface(new Typeface(
tf.FontFamily,
FontStyles.Italic,
FontWeights.Bold,
tf.Stretch
));
});
start = index + 1; // search for next occurrence
}
}
}
We have to decide if there is a selection or not:
TextEditor.TextArea.SelectionChanged += (sender, args) =>
{
if (string.IsNullOrWhiteSpace(TextEditor.SelectedText))
{
foreach (var markSameWord in TextEditor.TextArea.TextView.LineTransformers.OfType<MarkSameWord>().ToList())
{
TextEditor.TextArea.TextView.LineTransformers.Remove(markSameWord);
}
}
else
{
TextEditor.TextArea.TextView.LineTransformers.Add(new MarkSameWord(TextEditor.SelectedText));
}
};
And here is the DocumentColorizingTransformer
class:
public class MarkSameWord : DocumentColorizingTransformer
{
private readonly string _selectedText;
public MarkSameWord(string selectedText)
{
_selectedText = selectedText;
}
protected override void ColorizeLine(DocumentLine line)
{
if (string.IsNullOrEmpty(_selectedText))
{
return;
}
int lineStartOffset = line.Offset;
string text = CurrentContext.Document.GetText(line);
int start = 0;
int index;
while ((index = text.IndexOf(_selectedText, start, StringComparison.Ordinal)) >= 0)
{
ChangeLinePart(
lineStartOffset + index, // startOffset
lineStartOffset + index + _selectedText.Length, // endOffset
element => element.TextRunProperties.SetBackgroundBrush(Brushes.LightSkyBlue));
start = index + 1; // search for next occurrence
}
}
}
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With