0

我必须将 word 转换为我正在使用 Aspose 进行的 html,并且效果很好。问题是它产生了一些冗余元素,我认为这是由于文本存储在 word 中的方式。

例如,在我的 word 文档中,出现以下文本:

发布授权

当转换为 html 时,它变为:

<span style="font-size:9pt">A</span>
<span style="font-size:9pt">UTHORIZATION FOR R</span>
<span style="font-size:9pt">ELEASE</span>

我正在使用 C# 并且想要一种方法来删除多余的跨度元素。我在想 AngleSharp 或 html-agility-pack 应该能够做到这一点,但我不确定这是最好的方法吗?

4

1 回答 1

1

我最终要做的是遍历所有元素,当检测到相邻的跨度元素时,我将文本连接在一起。如果其他人遇到此问题,这是一些代码。注意代码可以使用一些清理。

static void CombineRedundantSpans(IElement parent)
{
  if (parent != null)
  {               
    if (parent.Children.Length > 1)
    {
      var children = parent.Children.ToArray();
      var previousSibling = children[0];
      for (int i = 1; i < children.Length; i++)
      {
        var current = children[i];
        if (previousSibling is IHtmlSpanElement && current is IHtmlSpanElement)
        {
          if (IsSpanMatch((IHtmlSpanElement)previousSibling, (IHtmlSpanElement)current))
          {
              previousSibling.TextContent = previousSibling.TextContent + current.TextContent;
              current.Remove();
           }
           else
             previousSibling = current;
         }
         else
           previousSibling = current;
       }
     }
     foreach(var child in parent.Children)
     {
       CombineRedundantSpans(child);
     }
   }
}
static bool IsSpanMatch(IHtmlSpanElement first, IHtmlSpanElement second)
{
  if (first.ChildElementCount < 2 && first.Attributes.Length == second.Attributes.Length)
  {
    foreach (var a in first.Attributes)
    {
      if (second.Attributes.Count(t => t.Equals(a)) == 0)
      {
        return false;
      }
    }
    return true;
  }
  return false;
}
于 2016-07-12T14:05:15.777 回答