Alpha Sisyphus
Alpha Sisyphus

Reputation: 1508

C# reading a text line by line, where line delimiter is a custom

I have an array of bytes (say byte[] data), which contains text with custom line delimiters, for example: "\r\n" (CRLF "\x0D\x0A"), "\r", "\n", "\x0D\x0A\x0D" or even "@".

At the moment I'm going to use the following solution:

  1. Normalize line breaks to CRLF (here is an example how to normalize CRLF What is a quick way to force CRLF in C# / .NET?)
  2. Use StringReader to read text line by line

    
    using (String Reader sr = new StringReader(data.ToString()))
    {
        string line;
        while ((line = sr.ReadLine()) != null)
        {
            // Process the line 
        }
    }
    

I'm using C#, .NET 3.5. Is there any better solution?

Thanks.

Upvotes: 1

Views: 3518

Answers (2)

Martin
Martin

Reputation: 1

Use regexp instead, which will give you much more flexibility.

Upvotes: 0

Sam Harwell
Sam Harwell

Reputation: 99979

Here's one option to limit calls to string.Replace to just the multi-character delimiters.

private static readonly char[] DelimiterChars = { '\r', '\n', '@' };
private static readonly string[] DelimiterStrings = { "\r\n\r", "\r\n" };

Then later...

string text = Encoding.ASCII.GetString(data);
foreach (string delim in DelimiterStrings)
    text = text.Replace(delim, "\n");

foreach (string line in text.Split(DelimiterChars))
{
    // processing here
}

Upvotes: 1

Related Questions