8

我正在尝试xmldocument通过不同的 XML 创建一个对象

见下面的代码:

objNewsDoc.LoadXml(strNewsDetail);       // Current XML
XmlDocument docRss = new XmlDocument();  // new Xml Object i Want to create 

XmlElement news = docRss.CreateElement("news");   // creating the wrapper news node
news.AppendChild(objNewsDoc.SelectSingleNode("newsItem")); // adding the news item from old doc

错误:要插入的节点来自不同的文档上下文

编辑 1 完整代码块:

try
{
       XmlDocument objNewsDoc = new XmlDocument();
        string strNewsXml = getNewsXml();
        objNewsDoc.LoadXml(strNewsXml);

        var nodeNewsList = objNewsDoc.SelectNodes("news/newsListItem");
        XmlElement news = docRss.CreateElement("news");
         foreach (XmlNode objNewsNode in nodeNewsList)
         {
               string newshref = objNewsNode.Attributes["href"].Value;
                string strNewsDetail = getNewsDetailXml(newshref);
                 try
                  {
                        objNewsDoc.LoadXml(strNewsDetail);
                         XmlNode importNewsItem = docRss.ImportNode(objNewsDoc.SelectSingleNode("newsItem"), true);
                        news.AppendChild(importNewsItem);
                   }
                    catch (Exception ex)
                    {
                            Console.Write(ex.Message);
                      }

              }

             docRss.Save(Response.Output);
}
catch (Exception ex)
{
      Console.Write(ex.Message);
 }
4

1 回答 1

11

您需要使用Import Node方法将 XmlNode 从第一个文档导入到第二个文档的上下文中:

objNewsDoc.LoadXml(strNewsDetail);       // Current XML
XmlDocument docRss = new XmlDocument();  // new Xml Object i Want to create 

XmlElement news = docRss.CreateElement("news");   // creating the wrapper news node
//Import the node into the context of the new document. NB the second argument = true imports all children of the node, too
XmlNode importNewsItem = docRss.ImportNode(objNewsDoc.SelectSingleNode("newsItem"), true);
news.AppendChild(importNewsItem); 

编辑

您非常接近您的答案,您现在遇到的主要问题是您需要将新闻元素附加到您的主文档中。如果您希望输出文档如下所示,我建议您执行以下操作:

<news>
  <newsItem>...</newsItem>
  <newsItem>...</newsItem>
</news>

在创建 docRSS 时,不要创建新的 XmlElement,news,而是执行以下操作:

XmlDocument docRss = new XmlDocument();
docRss.LoadXml("<news/>");

您现在有一个如下所示的 XmlDocument:

<news/>

然后,而不是news.AppendChild,简单地:

docRSS.DocumentElement.AppendChild(importNewsItem);

This appends each newsItem under the news element (which in this instance is the document element).

于 2012-10-15T11:51:31.903 回答