Как найти TextRange в RichTextBox (между двумя TextPointers)
В моем System.Windows.Controls.RichTextBox я хотел бы найти TextRange данного слова. Тем не менее, он не дает мне правильное PositionAtOffset после первого найденного слова. Первое правильное, а затем для следующих найденных слов позиция неверна. Я использую правильные методы?
Цикл по списку OfWords
Word= listOfWords[j].ToString();
startPos = new TextRange(transcriberArea.Document.ContentStart, transcriberArea.Document.ContentEnd).Text.IndexOf(Word.Trim());
leftPointer = textPointer.GetPositionAtOffset(startPos + 1, LogicalDirection.Forward);
rightPointer = textPointer.GetPositionAtOffset((startPos + 1 + Word.Length), LogicalDirection.Backward);
TextRange myRange= new TextRange(leftPointer, rightPointer);
2 ответа
Решение
Этот код, адаптированный из примера в MSDN, найдет слова из указанной позиции.
TextRange FindWordFromPosition(TextPointer position, string word)
{
while (position != null)
{
if (position.GetPointerContext(LogicalDirection.Forward) == TextPointerContext.Text)
{
string textRun = position.GetTextInRun(LogicalDirection.Forward);
// Find the starting index of any substring that matches "word".
int indexInRun = textRun.IndexOf(word);
if (indexInRun >= 0)
{
TextPointer start = position.GetPositionAtOffset(indexInRun);
TextPointer end = start.GetPositionAtOffset(word.Length);
return new TextRange(start, end);
}
}
position = position.GetNextContextPosition(LogicalDirection.Forward);
}
// position will be null if "word" is not found.
return null;
}
Затем вы можете использовать его так:
string[] listOfWords = new string[] { "Word", "Text", "Etc", };
for (int j = 0; j < listOfWords.Length; j++)
{
string Word = listOfWords[j].ToString();
TextRange myRange = FindWordFromPosition(x_RichBox.Document.ContentStart, Word);
}
Я думаю, это должно работать также.
Это как "найти следующий" любой элемент из списка.
TextPointer FindWordsFromPosition(TextPointer position, IList<string> words)
{
var firstPosition = position;
while (position != null)
{
if (position.GetPointerContext(LogicalDirection.Forward) == TextPointerContext.Text)
{
string textRun = position.GetTextInRun(LogicalDirection.Forward);
var indexesInRun = new List<int>();
foreach (var word in words)
{
var index = textRun.IndexOf(word);
if (index == 0)
index = textRun.IndexOf(word, 1);
indexesInRun.Add(index);
}
indexesInRun = indexesInRun.Where(i => i != 0 && i != -1).OrderBy(i => i).ToList();
if (indexesInRun.Any())
{
position = position.GetPositionAtOffset(indexesInRun.First());
break;
}
return firstPosition;
}
else
position = position.GetNextContextPosition(LogicalDirection.Forward);
}
return position;
}