当元素名和所有属性名和值与输入元素匹配时,我需要替换xelement层次结构中节点的内容。(如果没有匹配项,则可以添加新元素。)
例如,如果我的数据如下所示:

<root>
  <thing1 a1="a" a2="b">one</thing1>
  <thing2 a1="a" a2="a">two</thing2>
  <thing2 a1="a" a3="b">three</thing2>
  <thing2 a1="a">four</thing2>
  <thing2 a1="a" a2="b">five</thing2>
<root>

我要在使用此输入调用方法时查找最后一个元素:
<thing2 a1="a" a2="b">new value</thing2>

该方法不应该有硬编码的元素或属性名——它只需将输入与数据匹配即可。

最佳答案

这将使任何给定元素与精确的标记名和属性名/值对匹配:

public static void ReplaceOrAdd(this XElement source, XElement node)
{
    var q = from x in source.Elements()
            where x.Name == node.Name
            && x.Attributes().All(a =>node.Attributes().Any(b =>a.Name==b.Name && a.Value==b.Value))
            select x;

    var n = q.LastOrDefault();

    if (n == null) source.Add(node);
    else n.ReplaceWith(node);
}

var root = XElement.Parse(data);
var newElem =XElement.Parse("<thing2 a1=\"a\" a2=\"b\">new value</thing2>");

root.ReplaceOrAdd(newElem);

07-28 08:10