How to fix ill-formed HTML with HTML Agility Pack?

前端 未结 1 689
故里飘歌
故里飘歌 2020-12-01 15:09

I have this ill-formed HTML with overlapping tags:

word1word2

word3wo

1条回答
  •  有刺的猬
    2020-12-01 15:28

    It is in fact working as expected, but maybe not working as you expected. Anyway, here is a sample piece of code (a Console application) that demonstrates how you can achieve some HTML fixing using the library.

    The library has a ParseErrors collection that you can use to determine what errors were detecting during markup parsing.

    There are really two types of problems here:

    1) unclosed elements. This one is fixed by default by the library, but there is an option on the P element that prevents that in this case.

    2) unopened elements. This one is more complex, because it depends how you want to fix it, where do you want to have the tag opened? In the following sample, I've used the nearest previous text sibling node to open the element.

    static void Main(string[] args)
    {
        // clear the flags on P so unclosed elements in P will be auto closed.
        HtmlNode.ElementsFlags.Remove("p");
    
        // load the document
        HtmlDocument doc = new HtmlDocument();
        doc.Load("yourTestFile.htm");
    
        // build a list of nodes ordered by stream position
        NodePositions pos = new NodePositions(doc);
    
        // browse all tags detected as not opened
        foreach (HtmlParseError error in doc.ParseErrors.Where(e => e.Code == HtmlParseErrorCode.TagNotOpened))
        {
            // find the text node just before this error
            HtmlTextNode last = pos.Nodes.OfType().LastOrDefault(n => n.StreamPosition < error.StreamPosition);
            if (last != null)
            {
                // fix the text; reintroduce the broken tag
                last.Text = error.SourceText.Replace("/", "") + last.Text + error.SourceText;
            }
        }
    
        doc.Save(Console.Out);
    }
    
    public class NodePositions
    {
        public NodePositions(HtmlDocument doc)
        {
            AddNode(doc.DocumentNode);
            Nodes.Sort(new NodePositionComparer());
        }
    
        private void AddNode(HtmlNode node)
        {
            Nodes.Add(node);
            foreach (HtmlNode child in node.ChildNodes)
            {
                AddNode(child);
            }
        }
    
        private class NodePositionComparer : IComparer
        {
            public int Compare(HtmlNode x, HtmlNode y)
            {
                return x.StreamPosition.CompareTo(y.StreamPosition);
            }
        }
    
        public List Nodes = new List();
    }
    

    0 讨论(0)
提交回复
热议问题