回答:
MiscUtilの一部であるが、このStackOverflow回答でも利用できるStringReader
と私のLineReader
クラスの組み合わせを使用することをお勧めします。そのクラスだけを独自のユーティリティプロジェクトに簡単にコピーできます。次のように使用します。
string text = @"First line
second line
third line";
foreach (string line in new LineReader(() => new StringReader(text)))
{
Console.WriteLine(line);
}
それがnullなどをテストするために呼び出すコードを必要としないことを共通して(つまり、ファイルまたは任意のかどうか)は、文字列データの体のすべての行をオーバーループ:)ことを言って、あなたがいる場合かやりたいです手動ループ、これは私がFredrikよりも一般的に好む形式です。
using (StringReader reader = new StringReader(input))
{
string line;
while ((line = reader.ReadLine()) != null)
{
// Do something with the line
}
}
この方法では、null値を1回テストするだけでよく、do / whileループについて考える必要もありません(何らかの理由で、まっすぐなwhileループよりも常に読むのに多くの労力が必要になります)。
a StringReader
を使用して、一度に1行ずつ読み取ることができます。
using (StringReader reader = new StringReader(input))
{
string line = string.Empty;
do
{
line = reader.ReadLine();
if (line != null)
{
// do something with the line
}
} while (line != null);
}
MSDNからStringReader
string textReaderText = "TextReader is the abstract base " +
"class of StreamReader and StringReader, which read " +
"characters from streams and strings, respectively.\n\n" +
"Create an instance of TextReader to open a text file " +
"for reading a specified range of characters, or to " +
"create a reader based on an existing stream.\n\n" +
"You can also use an instance of TextReader to read " +
"text from a custom backing store using the same " +
"APIs you would use for a string or a stream.\n\n";
Console.WriteLine("Original text:\n\n{0}", textReaderText);
// From textReaderText, create a continuous paragraph
// with two spaces between each sentence.
string aLine, aParagraph = null;
StringReader strReader = new StringReader(textReaderText);
while(true)
{
aLine = strReader.ReadLine();
if(aLine != null)
{
aParagraph = aParagraph + aLine + " ";
}
else
{
aParagraph = aParagraph + "\n";
break;
}
}
Console.WriteLine("Modified text:\n\n{0}", aParagraph);
String.Splitメソッドを使用してみてください。
string text = @"First line
second line
third line";
foreach (string line in text.Split('\n'))
{
// do something
}