如何根据 C# 中匹配的 XmlNode 从层次结构中克隆单个 XML

How to clone single XML from hierarchy based on matching XmlNode in C#

这里是 XML 结构:

<root>
    <listOfItems>
        <item>
            <lineItem>1</lineItem>
            <itemDetail>
                <partNum>A1</partNum>
                <color>red</color>
                <qty>4</qty>
            </itemDetail>
        </item>
        <item>
            <lineItem>2</lineItem>
            <itemDetail>
                <partNum>B2</partNum>
                <color>blue</color>
                <qty>2</qty>
            </itemDetail>
        </item>
        <item>
            <lineItem>3</lineItem>
            <itemDetail>
                <partNum>C3</partNum>
                <color>green</color>
                <qty>1</qty>
            </itemDetail>
        </item>
    </listOfItems>
</root>

知道 partNum 是 B2,我怎样才能克隆 B2 所属的整个项目,所以我有 2 个相同的 B2 项目。

您可以使用 CloneNode function to copy the node and AppendChild 将其附加到层次结构中的相关位置。

// find the node
var target = doc.SelectSingleNode("root/listOfItems/item/itemDetail/partNum[text()='B2']");

// clone
var clonedNode = target.ParentNode.CloneNode(true);

// attach
target.ParentNode.ParentNode.AppendChild(clonedNode);

这是一个System.Xml.Linq解决方案。

//Load the XML Document
XDocument xdoc = XDocument.Load(xDocPath);

//Find the XMLNode
XElement xB2 = xdoc.Root.Element("listOfItems").Elements("item").FirstOrDefault(it => it.Element("itemDetail").Element("partNum").Value.Equals("B2"));

//Clone the XMLNode
XElement xB2Copy = new XElement(xB2);

XElement xB2 链接到 xdoc。 XElement xB2Copy 未链接到 xdoc。

您必须先添加它,这里有一些示例。

xdoc.Root.Element("listOfItems").Add(xB2Copy);

xB2.AddAfterSelf(xB2Copy);

xB2.AddBeforeSelf(xB2Copy);

尝试以下操作:

using System.Linq;
using System.Text;
using System.Xml;
using System.Xml.Linq;

namespace ConsoleApplication166
{
    class Program
    {
        const string FILENAME = @"c:\temp\test.xml";
        static void Main(string[] args)
        {
            XDocument doc = XDocument.Load(FILENAME);

            XElement listOfItems = doc.Descendants("listOfItems").FirstOrDefault();
            XElement itemB = listOfItems.Elements("item").Where(x =>  x.Descendants("partNum").Any(y => (string)y == "B2")).FirstOrDefault();

            listOfItems.Add(XElement.Parse(itemB.ToString()));
        }
    }
 
}