Click here to Skip to main content
15,888,351 members
Articles / Programming Languages / C#
Tip/Trick

ANSI or UTF8 without BOM: Read Text with the Right Encoding

Rate me:
Please Sign up or sign in to vote.
4.92/5 (9 votes)
19 Apr 2023CPOL2 min read 14.7K   14   6
Build a StreamReader that can differentiate between ANSI and UTF8 regardless of a byte order mark
A StreamReader that can (to a certain degree) detect the encoding of a text file or stream and can especially differentiate between ANSI and UTF8 without byte order mark.

How to Detect the Encoding of a Text File

Disclaimer: The tip described here is not the magic bullet that does it all. There are a lot of codepages and encodings out there, that this cannot deal with. But if you are working in a Windows environment, this may be of help.

When dealing with text or csv files, I usually encounter files encoded in three different ways:

  1. ANSI or to be more precise: Windows-1252
  2. UTF8 with byte order mark (BOM)
  3. UTF8 without BOM

To read files, I used to use a StreamReader like this:

C#
public string ReadFile(string path)
 {
     using (var sr = new System.IO.StreamReader(path: path,
         encoding: Encoding.Default,
         detectEncodingFromByteOrderMarks: true))
     {
         return sr.ReadToEnd();
     }
 }

If a BOM is available, the StreamReader will use it to get the correct encoding. In any other case, Default encoding (here Windows-1252) will be used. This works fine for the first two cases, it fails when UTF8 without BOM is used.

The problem is:

How to Differentiate Between ANSI and UTF8 Without BOM

One approach goes like this:

  1. Read a file with UTF8 encoding and catch the DecoderFallbackException.
  2. In case such an Exception is thrown, read the file again using ANSI encoding which is likely to be the right choice.

However, this means the file or stream has to be read again and doing things again is something that should not be done!

Finally, I came up with another solution.

The FlexiStreamReader

The original StreamReader does a pretty good job at choosing the right encoding based on a BOM, so we only need to deal with the case that a BOM is missing and the StreamReader uses the given encoding.

Hence we need a new encoding for the StreamReader and this is the EncodingProvider:
This class is derived from System.Text.Encoding and because it is only used to get character from the byte stream, we only need to implement the methods GetCharCount, GetChars and GetMaxCharCount.

Inside these methods the DecoderFallbackException is handled and here the actual Encoding switches from UTF8 to Default.

So when the StreamReader uses the EncodingProvider to read from a stream, it starts with UTF8 and as soon as the exception occurs switches to Default (Windows-1252). The stream remains unaffected, the position inside the stream does not need to be changed and therefore this will work for a forward-only steam as well.

Because the EncodingProvider is for a very special purpose and some methods are not even implemented, it should not be a public class. Instead I choose to create the FlexiStreamReader and make the EncodingProvider a private class: 

C#
using System;
using System.Text;
using System.IO;
 
namespace MyClassLibrary
{
    /// <summary>
    /// StreamReader that is to some extend capable to detect the encoding of a stream.
    /// </summary>
    public class FlexiStreamReader : StreamReader
    {
        /// <summary>
        /// Initializes a new instance of <see cref="FlexiStreamReader"/> 
        /// class for the specified stream. The character encoding will be 
        /// detected by the byte order mark. In addition the reader is capable 
        /// to distinguish between UTF8 and Defaut encoding.
        /// </summary>
        /// <param name="stream"></param>
        public FlexiStreamReader(Stream stream) : 
         base(stream, new EncodingProvider(), detectEncodingFromByteOrderMarks: true)
        {
        }
 
        /// <summary>
        /// Initializes a new instance of <see cref="FlexiStreamReader"/> 
        /// class for the specified file name. The character encoding will be 
        /// detected by the byte order mark. In addition the reader is 
        /// capable to distinguish between UTF8 and Defaut encoding.
        /// </summary>
        /// <param name="path"></param>
        public FlexiStreamReader(string path) : 
        base(path, new EncodingProvider(), detectEncodingFromByteOrderMarks: true)
        {
        } 
 
        /// <inheritdoc />
        public override Encoding CurrentEncoding
        {
            get
            {
                var enc = base.CurrentEncoding as EncodingProvider;
                if (enc != null)
                {
                    return enc.InternalEncoding;
                }
                return base.CurrentEncoding;
            }
        } 
 
        /// <summary>
        /// Internal Encoding:
        /// Starts with UTF-8 and switches to Default 
        /// in case of a DecoderFallbackException.
        /// </summary>
        private class EncodingProvider : System.Text.Encoding
        {
            private Encoding m_internalEncoding;
            private bool m_useAnsi = false;
 
            public EncodingProvider()
            {
                m_internalEncoding = new UTF8Encoding
                (encoderShouldEmitUTF8Identifier: true, throwOnInvalidBytes: true);
            }
 
            public override int GetByteCount(char[] chars, int index, int count)
            {
                // no need for an implementation:
                throw new NotImplementedException();
            }
 
            public override int GetBytes(char[] chars, 
                   int charIndex, int charCount, byte[] bytes, int byteIndex)
            {
                // no need for an implementation:
                throw new NotImplementedException();
            }
 
            public override int GetCharCount(byte[] bytes, int index, int count)
            {
                try
                {
                    return m_internalEncoding.GetCharCount(bytes, index, count);
                }
                catch (DecoderFallbackException)
                {
                    if (m_useAnsi)
                    {
                        throw;
                    }
                    m_useAnsi = true;
                    m_internalEncoding = System.Text.Encoding.Default;
                    return m_internalEncoding.GetCharCount(bytes, index, count);
                }
            }
 
            public override int GetChars(byte[] bytes, int byteIndex, 
                            int byteCount, char[] chars, int charIndex)
            {
                try
                {
                    return m_internalEncoding.GetChars
                           (bytes, byteIndex, byteCount, chars, charIndex);
                }
                catch (DecoderFallbackException)
                {
                    if (m_useAnsi)
                    {
                        throw;
                    }
                    m_useAnsi = true;
                    m_internalEncoding = System.Text.Encoding.Default;
                    return m_internalEncoding.GetChars
                           (bytes, byteIndex, byteCount, chars, charIndex);
                }
            }
 
            public override int GetMaxByteCount(int charCount)
            {
                try
                {
                    return m_internalEncoding.GetMaxByteCount(charCount);
                }
                catch (DecoderFallbackException)
                {
                    if (m_useAnsi)
                    {
                        throw;
                    }
                    m_useAnsi = true;
                    m_internalEncoding = System.Text.Encoding.Default;
                    return m_internalEncoding.GetMaxByteCount(charCount);
                }
            }
 
            public override int GetMaxCharCount(int byteCount)
            {
                try
                {
                    return m_internalEncoding.GetMaxCharCount(byteCount);
                }
                catch (DecoderFallbackException)
                {
                    if (m_useAnsi)
                    {
                        throw;
                    }
                    m_useAnsi = true;
                    m_internalEncoding = System.Text.Encoding.Default;
                    return m_internalEncoding.GetMaxCharCount(byteCount);
                }
            }
 
            /// <summary>Returns the actual used Encoding. 
            /// Has to be used after reading!</summary>
            public Encoding InternalEncoding
            {
                get { return m_internalEncoding; }
            }
        } 
    } 
}

 

Using the Code

Copy the class FlexiStreamReader to your project, adjust the namespace and use it:

C#
public string ReadFile(string path)
{
    using (var sr = new FlexiStreamReader(path))
    {
        return sr.ReadToEnd();
    }
}  

If you need to know the encoding, you can read it after reading the stream:

C#
public string ReadFile(string path)
{
    using (var sr = new FlexiStreamReader(path))
    {
        var result = sr.ReadToEnd();
        Debug.WriteLine(sr.CurrentEncoding.EncodingName);
        return result;
    }
}

Unit Tests

In case you have any doubts that this will work...
Here are some tests for the FlexiStreamReader you can add to your test project:

C#
using Microsoft.VisualStudio.TestTools.UnitTesting;
using MyClassLibrary;
using System;
using System.IO;
using System.Text; 
 
namespace MyClassLibrary.Tests
{
    [TestClass()]
    public class FlexiStreamReaderTests
    { 
        [TestMethod]
        public void ReadUTF8()
        {
            var text = "abcdäöü";
            var result = string.Empty;
            using (var s = GetStream(new UTF8Encoding(false), text))
            using (var r = new FlexiStreamReader(s))
            {
                result = r.ReadToEnd();
                Assert.AreEqual(text, result);
                Assert.AreEqual(Encoding.UTF8.EncodingName, 
                                r.CurrentEncoding.EncodingName);
            }
        }
 
        [TestMethod]
        public void ReadUTF8_long()
        {
            var text = GetTestString(10000);
            var result = string.Empty;
            using (var s = GetStream(new UTF8Encoding(false), text))
            using (var r = new FlexiStreamReader(s))
            {
                result = r.ReadToEnd();
                Assert.AreEqual(text, result);
                Assert.AreEqual(Encoding.UTF8.EncodingName, 
                                r.CurrentEncoding.EncodingName);
            }
        }
 
        [TestMethod]
        public void ReadUTF8_BOM()
        {
            var text = "abcdäöü";
            var result = string.Empty;
            using (var s = GetStream(new UTF8Encoding(true), text))
            using (var r = new FlexiStreamReader(s))
            {
                result = r.ReadToEnd();
                Assert.AreEqual(text, result);
                Assert.AreEqual(Encoding.UTF8, r.CurrentEncoding);
            }
        } 
 
        [TestMethod]
        public void ReadAnsi()
        {
            var text = "abcdäöü";
            var result = string.Empty;
            using (var s = GetStream(Encoding.Default, text))
            using (var r = new FlexiStreamReader(s))
            {
                result = r.ReadToEnd();
                Assert.AreEqual(text, result);
                Assert.AreEqual(Encoding.Default, r.CurrentEncoding);
            }
        }
 
        [TestMethod]
        public void ReadUnicode()
        {
            var text = "abcdäöü";
            var result = string.Empty;
            using (var s = GetStream(Encoding.Unicode, text))
            using (var r = new FlexiStreamReader(s))
            {
                result = r.ReadToEnd();
                Assert.AreEqual(text, result);
                Assert.AreEqual(Encoding.Unicode, r.CurrentEncoding);
            }
        }
 
        [TestMethod]
        public void ReadBigEndianUnicode()
        {
            var text = "abcdäöü";
            var result = string.Empty;
            using (var s = GetStream(Encoding.BigEndianUnicode, text))
            using (var r = new FlexiStreamReader(s))
            {
                result = r.ReadToEnd();
                Assert.AreEqual(text, result);
                Assert.AreEqual(Encoding.BigEndianUnicode, r.CurrentEncoding);
            }
        } 
 
        private static Stream GetStream(Encoding enc, String text)
        {
            var ms = new MemoryStream();
            var sw = new StreamWriter(ms, enc);
            sw.Write(text);
            sw.Flush();
            ms.Position = 0;
            return ms;
        }
 
        private static string GetTestString(int length)
        {
            // get a long string with funky character at end of it:
            var l2 = Math.Min(length / 10, 10);
            var l1 = length - l2;
 
            var p1 = new string('a', l1);
            var p2 = new string('ö', l2);
            return string.Concat(p1, p2);
        }
    }
}

History

  • 19th April, 2023: Initial version

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Senior)
Germany Germany
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
QuestionSo wait... Pin
Doug Ewell20-Apr-23 8:03
Doug Ewell20-Apr-23 8:03 
AnswerRe: So wait... Pin
Malte Klena21-Apr-23 5:45
Malte Klena21-Apr-23 5:45 
GeneralMy vote of 5 Pin
Member 787034520-Apr-23 3:52
professionalMember 787034520-Apr-23 3:52 
good idea!
GeneralMy vote of 5 Pin
Jim Boriau 202120-Apr-23 1:42
Jim Boriau 202120-Apr-23 1:42 
QuestionHave you considered posting this as a Tip instead? Pin
OriginalGriff19-Apr-23 1:24
mveOriginalGriff19-Apr-23 1:24 
AnswerRe: Have you considered posting this as a Tip instead? Pin
Malte Klena19-Apr-23 3:03
Malte Klena19-Apr-23 3:03 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.