Introduction
This article demonstrates a way to repair broken text. It puts together a few things tedious to find if you are not aware about them, e.g., how to get characters from the Unicode representation and to use them for replacing strings.
Background
What is meant by broken text? For example, some French text having Cyrillic characters instead of the French specific ones, like "sйchйs, gвteaux" versus the correct ones "séchés, gâteaux". How can you get into such trouble? I got, e.g., because of some legacy data migration.
Using the code
To use the code, just download the sample. The idea is very simple: we need to replace wrong characters with the correct ones; so we define a character map in the XML file MapLiterals.xml, using the Unicode representation of the characters to replace. The code reads the file BrokenText.txt, repairs the text - based on MapLiterals.xml, and saves the repaired text in the file RepairedText.txt.
string text;
FileInfo file = new System.IO.FileInfo("BrokenText.txt");
using (TextReader textRead = file.OpenText() )
{
text = textRead.ReadToEnd();
XmlDocument literalsMapXml = new XmlDocument();
literalsMapXml.Load("MapLiterals.xml");
char from, to;
string buffer;
XmlNodeList nodes =
literalsMapXml.SelectNodes("/MapLiterals/MapLiteral");
foreach (XmlNode node in nodes)
{
from = (char) ushort.Parse(node.Attributes["from"].Value,
System.Globalization.NumberStyles.HexNumber);
to = (char) ushort.Parse(node.Attributes["to"].Value,
System.Globalization.NumberStyles.HexNumber);
buffer = text.Replace(from, to);
text = buffer;
}
}
file = new System.IO.FileInfo("RepairedText.txt");
using ( StreamWriter writer = file.CreateText() )
writer.Write(text);
Points of interest
By using StringBuilder
, memory allocation can be improved.
MapLiterals.xml can contain various character mappings, and it can be defined in several ways like:
- use hex codes (without '\u') like: from="0439" to="00E9" (the current implementation)
- use explicit characters like: from= "й" to= "é"; in this case, the code can be simplified like:
using (TextReader textRead = file.OpenText())
{
...
string from, to, buffer;
...
foreach (XmlNode node in nodes)
{
from = node.Attributes["from"].Value;
to = node.Attributes["to"].Value;
buffer = text.Replace(from, to);
text = buffer;
}
}
...
Hope this helps.