Reputation: 601
I'm very new to wpf and I would like to make a text analysing tool. I already know how to import text into rich textbox and format it properly, but now I want to run a method that extracts all lines in the flowdocument that start with INT or EXT and place them in a listbox. It seems to be quite easier to do this in winforms than in WPF.
Is there someone who can guide me with this?
I wish I could already provide some code but the flowdocument is new to me as is wpf.
Upvotes: 1
Views: 733
Reputation: 2702
I have written a code snippet to collect the lines that begin with INT or EXT. I am sure the code is not optimal, because i am not practised with RichTextBox, but i think it is very easy to understand.
private List<string> CollectLines()
{
TextRange textRange = new TextRange(
// TextPointer to the start of content in the RichTextBox.
TestRichTextBox.Document.ContentStart,
// TextPointer to the end of content in the RichTextBox.
TestRichTextBox.Document.ContentEnd);
// The Text property on a TextRange object returns a string
// representing the plain text content of the TextRange.
var text = textRange.Text;
List<string> resultList = new List<string>();
// Collect all line that begin with INT or EXT
// Or use .Contains if the line could begin with a tab (\t), spacing or whatever
using (StringReader sr = new StringReader(text))
{
var line = sr.ReadLine();
while (line != null)
{
if (line.StartsWith("INT") || line.StartsWith("EXT"))
{
resultList.Add(line);
}
line = sr.ReadLine();
}
}
return resultList;
}
Maybe you can find out how you can put the list into a listbox yourself :)
Upvotes: 2