如何使用 XDocument 区分 xml 中不同父层次结构中的两个完全相同的元素
本文关键字:元素 两个 层次结构 区分 XDocument 何使用 xml | 更新日期: 2023-09-27 17:56:55
我有一个如下所示的xml:
<return>
<exams>
<remove>
</remove>
<add>
<exam errorCode="0" examRef="1" />
</add>
<add>
<exam errorCode="0" examRef="1" />
<exam errorCode="0" examRef="1" />
</add>
</exams>
</return>
我正在构建一个实用程序,该实用程序可以通过提取其祖先层次结构来区分每个节点。 例如:
return[0].exams[0].add[0].exam[0] //This indicates the first exam node in the first add element.
return[0].exams[0].add[1].exam[0] //This indicates the first exam node in the second add element.
return[0].exams[0].add[1].exam[1] //This indicates the second exam node in the second add element.
等等。到目前为止,我拥有的代码是:
private string GetAncestorNodeAsString(XElement el)
{
string ancestorData = string.Empty;
el.Ancestors().Reverse().ToList().ForEach(anc =>
{
if (ancestorData == string.Empty)
{
ancestorData = String.Format("{0}[0]", anc.Name.ToString());
}
else
{
ancestorData = String.Format("{0}.{1}[0]", ancestorData, anc.Name.ToString());
}
});
if (ancestorData == string.Empty)
{
ancestorData = el.Name.ToString();
}
else
{
ancestorData = String.Format("{0}.{1}[0]", ancestorData, el.Name.ToString());
}
return ancestorData;
}
此代码返回类似以下内容:
return[0].exams[0].add[0].exam[0] //zeros here are hardcoded in the code and I need some mechanism to get the position of each of the element in the xml.
我可以建立元素的位置,例如:
var elements = el.Elements().Select((e, index) => new
{
node = e,
position = index
});
但这只会给我一个元素中直接子元素的位置。我需要识别所有祖先及其在 xml 中的位置。
谁能帮忙?
这是返回元素索引的方法:
private int GetElementIndex(XElement e)
{
return e.NodesBeforeSelf().OfType<XElement>().Count(x => x.Name == e.Name);
}
还有你修改后的代码。请记住 - 我使用 AncestorsAndSelf
来使用单循环。此外,我避免创建元素列表。并使用StringBuilder
来聚合结果并避免创建字符串。
private static string GetAncestorNodeAsString(XElement e)
{
return e.AncestorsAndSelf().Reverse()
.Aggregate(
new StringBuilder(),
(sb, a) => sb.AppendFormat("{0}{1}[{2}]",
sb.Length == 0 ? "" : ".", a.Name, GetElementIndex(a)),
sb => sb.ToString());
}
使用递归方法:
private static string GetAncestorNodeAsString(XElement el)
{
if (el.Parent == null)
return String.Format("{0}[0]", el.Name.LocalName);
else
return String.Format("{0}.{1}[{2}]",
GetAncestorNodeAsString(el.Parent),
el.Name.LocalName,
el.ElementsBeforeSelf().Count(e => e.Name == el.Name));
}