Click here to Skip to main content
15,880,891 members
Articles / Programming Languages / XML
Article

Convert HTML to XHTML and Clean Unnecessary Tags and Attributes

Rate me:
Please Sign up or sign in to vote.
4.72/5 (20 votes)
24 Jun 2005CPOL2 min read 238.5K   3.8K   88   25
Convert HTML to XHTML while applying tag and attribute filters in order to produce nice and clean HTML for web posting.

Introduction

This is a class library that helps you produce valid XHTML from HTML. It also provides tag and attribute filtering support. You can specify exactly which tags and attributes are allowed in the output and the other tags are filtered out. You can use this library to clean the bulky HTML that Microsoft Word documents produce when converted to HTML. You can also use it to cleanup HTML before posting to blog sites so that your HTML does not get rejected by blog engines like WordPress, B2evolution, etc.

How it Works

There are two classes: HtmlReader and HtmlWriter.

HtmlReader extends the famous SgmlReader from Chris Clovett. When it reads the HTML, it skips any node that has some kind of a prefix. As a result, all those nasty tags like <o:p>, <o:Document>, <st1:personname> and hundreds of other tags are filtered out. Thus, the HTML you read is free of tags that are not core HTML tags.

HtmlWriter extends the regular XmlWriter, which makes it produce XML. XHTML is basically HTML in XML format. All the familiar tags you use -- like <img>, <br> and <hr>, which have no closing tags -- must be in empty element format in XHTML, i.e. <img .. />, <br/> and <hr/>. As XHTML is a well-formed XML document, you can easily read a XHTML document using XML parsers. This gives you the opportunity to apply XPath searching.

HtmlReader

HtmlReader is pretty simple. Here's the entire class:

C#
/// <summary>
/// This class skips all nodes which has some
/// kind of prefix. This trick does the job 
/// to clean up MS Word/Outlook HTML markups.
/// </summary>
public class HtmlReader : Sgml.SgmlReader
{
    public HtmlReader( TextReader reader ) : base( )
    {
        base.InputStream = reader;
        base.DocType = "HTML";
    }
    public HtmlReader( string content ) : base( )
    {
        base.InputStream = new StringReader( content );
        base.DocType = "HTML";
    }
    public override bool Read()
    {
        bool status = base.Read();
        if( status )
        {
            if( base.NodeType == XmlNodeType.Element )
            {
                // Got a node with prefix. This must be one
                // of those "<o:p>" or something else.
                // Skip this node entirely. We want prefix
                // less nodes so that the resultant XML 
                // requires not namespace.
                if( base.Name.IndexOf(':') > 0 )
                    base.Skip();
            }
        }
        return status;
    }
}

HtmlWriter

This class is a bit trickier. Here are the tricks that have been used:

  • Overrides the WriteString method of XmlWriter and prevents it from encoding content using regular XML encoding. The encoding is done manually for HTML documents.
  • WriteStartElement is overridden to prevent tags from being written to the output that are not allowed.
  • WriteAttributes is overridden to prevent unwanted attributes.

Let's take a look at the entire class part-by-part:

Configurability

You can configure HtmlWriter by modifying the following block:

C#
public class HtmlWriter : XmlTextWriter
{
    /// <summary>
    /// If set to true, it will filter the output
    /// by using tag and attribute filtering,
    /// space reduce etc
    /// </summary>
    public bool FilterOutput = false;
    /// <summary>
    /// If true, it will reduce consecutive &nbsp; with one instance
    /// </summary>
    public bool ReduceConsecutiveSpace = true;
    /// <summary>
    /// Set the tag names in lower case which are allowed to go to output
    /// </summary>
    public string [] AllowedTags = 
        new string[] { "p", "b", "i", "u", "em", "big", "small", 
        "div", "img", "span", "blockquote", "code", "pre", "br", "hr", 
        "ul", "ol", "li", "del", "ins", "strong", "a", "font", "dd", "dt"};
    /// <summary>
    /// If any tag found which is not allowed, it is replaced by this tag.
    /// Specify a tag which has least impact on output
    /// </summary>
    public string ReplacementTag = "dd";
    /// <summary>
    /// New lines \r\n are replaced with space 
    /// which saves space and makes the
    /// output compact
    /// </summary>
    public bool RemoveNewlines = true;
    /// <summary>
    /// Specify which attributes are allowed. 
    /// Any other attribute will be discarded
    /// </summary>
    public string [] AllowedAttributes = new string[] 
    { 
        "class", "href", "target", "border", "src", 
        "align", "width", "height", "color", "size" 
    };
}

WriteString Method

C#
/// <summary>
/// The reason why we are overriding
/// this method is, we do not want the output to be
/// encoded for texts inside attribute
/// and inside node elements. For example, all the &nbsp;
/// gets converted to &amp;nbsp in output. But this does not 
/// apply to HTML. In HTML, we need to have &nbsp; as it is.
/// </summary>
/// <param name="text"></param>
public override void WriteString(string text)
{
    // Change all non-breaking space to normal space
    text = text.Replace( " ", "&nbsp;" );
    /// When you are reading RSS feed and writing Html, 
    /// this line helps remove those CDATA tags
    text = text.Replace("<![CDATA[","");
    text = text.Replace("]]>", "");

    // Do some encoding of our own because
    // we are going to use WriteRaw which won't
    // do any of the necessary encoding
    text = text.Replace( "<", "<" );
    text = text.Replace( ">", ">" );
    text = text.Replace( "'", "&apos;" );
    text = text.Replace( "\"", ""e;" );

    if( this.FilterOutput )
    {
        text = text.Trim();

        // We want to replace consecutive spaces
        // to one space in order to save horizontal width
        if( this.ReduceConsecutiveSpace ) 
            text = text.Replace("&nbsp;&nbsp;&nbsp;", "&nbsp;");
        if( this.RemoveNewlines ) 
            text = text.Replace(Environment.NewLine, " ");

        base.WriteRaw( text );
    }
    else
    {
        base.WriteRaw( text );
    }
}

WriteStartElement: Applying Tag Filtering

C#
public override void WriteStartElement(string prefix, 
    string localName, string ns)
{
    if( this.FilterOutput ) 
    {
        bool canWrite = false;
        string tagLocalName = localName.ToLower();
        foreach( string name in this.AllowedTags )
        {
            if( name == tagLocalName )
            {
                canWrite = true;
                break;
            }
        }
        if( !canWrite ) 
        localName = "dd";
    }
    base.WriteStartElement(prefix, localName, ns);
}

WriteAttributes Method: Applying Attribute Filtering

C#
bool canWrite = false;
string attributeLocalName = reader.LocalName.ToLower();
foreach( string name in this.AllowedAttributes )
{
    if( name == attributeLocalName )
    {
        canWrite = true;
        break;
    }
}
// If allowed, write the attribute
if( canWrite ) 
    this.WriteStartAttribute(reader.Prefix, 
    attributeLocalName, reader.NamespaceURI);
while (reader.ReadAttributeValue())
{
    if (reader.NodeType == XmlNodeType.EntityReference)
    {
        if( canWrite ) this.WriteEntityRef(reader.Name);
        continue;
    }
    if( canWrite )this.WriteString(reader.Value);
}
if( canWrite ) this.WriteEndAttribute();

Conclusion

The sample application is a utility that you can use right now to clean HTML files. You can use this class in applications like blogging tools where you need to post HTML to some web service.

License

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


Written By
Architect BT, UK (ex British Telecom)
United Kingdom United Kingdom

Comments and Discussions

 
QuestionClosing single tags in HTML Pin
Jaime Stuardo - Chile2-Aug-18 4:41
Jaime Stuardo - Chile2-Aug-18 4:41 
Generalheading tags are not closing..? Pin
samiran bhuin13-Jun-11 3:18
samiran bhuin13-Jun-11 3:18 
GeneralCDATA error,, Pin
Member 794775530-May-11 1:07
Member 794775530-May-11 1:07 
GeneralMy vote of 5 Pin
VarunKumarGB4-Feb-11 0:05
VarunKumarGB4-Feb-11 0:05 
GeneralReplacementTag not working Pin
Slarti4220-Dec-10 23:40
Slarti4220-Dec-10 23:40 
GeneralUse HTML string instead of file Pin
dhams_developer17-Feb-10 3:44
dhams_developer17-Feb-10 3:44 
GeneralTo correct a malformed HTML Pin
Shyam K Pananghat10-Feb-09 2:09
Shyam K Pananghat10-Feb-09 2:09 
Questioncan I use this class vc++ 6 Pin
JD8114-Dec-07 20:56
JD8114-Dec-07 20:56 
Question&amp; not supported? Pin
mavedrive8-Jul-07 23:45
mavedrive8-Jul-07 23:45 
i have some &amp; in the HTML file but when generating the XHTML file, it becomes just &.

not familiar with the SgmlReader. which method should i override to handle this?

thanks
maverick

mavedrive
QuestionRe: &amp; not supported? Pin
mavedrive8-Jul-07 23:46
mavedrive8-Jul-07 23:46 
QuestionRe: &amp; not supported? Pin
mavedrive8-Jul-07 23:57
mavedrive8-Jul-07 23:57 
Question&amp; not supported? Pin
mavedrive8-Jul-07 23:44
mavedrive8-Jul-07 23:44 
GeneralConvert all html tag-names in xml Pin
Andreas Hollmann9-Oct-06 2:49
Andreas Hollmann9-Oct-06 2:49 
GeneralSmall code change to fix crash Pin
Jafin28-Aug-06 21:42
Jafin28-Aug-06 21:42 
Generalthanx! Pin
Kevin James24-Mar-06 10:20
Kevin James24-Mar-06 10:20 
GeneralConversion without filtering Pin
AlexChi13-Oct-05 13:09
AlexChi13-Oct-05 13:09 
GeneralRe: Conversion without filtering Pin
Omar Al Zabir13-Oct-05 22:39
Omar Al Zabir13-Oct-05 22:39 
GeneralFeature missing Pin
Stephan Pilz29-Jul-05 5:29
Stephan Pilz29-Jul-05 5:29 
GeneralRe: Feature missing Pin
Omar Al Zabir29-Jul-05 9:47
Omar Al Zabir29-Jul-05 9:47 
GeneralGood Stuff Pin
Member 77158528-Jun-05 13:09
Member 77158528-Jun-05 13:09 
GeneralUtility crashes Pin
Mehfuz Hossain27-Jun-05 23:40
Mehfuz Hossain27-Jun-05 23:40 
GeneralRe: Utility crashes Pin
Omar Al Zabir29-Jun-05 21:45
Omar Al Zabir29-Jun-05 21:45 
GeneralMyHTMLTidy Pin
User 19428927-Jun-05 2:34
User 19428927-Jun-05 2:34 
GeneralRe: MyHTMLTidy Pin
Omar Al Zabir27-Jun-05 20:52
Omar Al Zabir27-Jun-05 20:52 

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.