我试图找出像这样获取xml的最简单方法:
<Car>
<Description Model="Ford ">Blue </Description>
</Car>
进入这个:
<Car>
<Description Model="Ford">Blue</Description>
</Car>
使用 LINQ to XML,例如:
foreach (var element in doc.Descendants())
{
foreach (var attribute in element.Attributes())
{
attribute.Value = attribute.Value.Trim();
}
foreach (var textNode in element.Nodes().OfType<XText>())
{
textNode.Value = textNode.Value.Trim();
}
}
我认为这应该可行...我不认为您需要在ToList
迭代时使用它来避免干扰事物,因为您没有更改 XML 文档的结构,而只是更改了文本。
尝试这个。不要忘记通过您的 ChildNodes 递归...
protected void Page_Load(object sender, EventArgs e)
{
XmlDocument doc = new XmlDocument();
doc.Load(@"c:\temp\cars.xml");
Recurse(doc.ChildNodes);
}
private void Recurse(XmlNodeList nodes)
{
foreach (XmlNode node in nodes)
{
if (node.InnerText != null)
node.InnerText = node.InnerText.Trim();
if (node.Attributes != null)
{
foreach (XmlAttribute att in node.Attributes)
att.Value = att.Value.Trim();
}
Recurse(node.ChildNodes);
}
}
如果您没有使用或不能使用 LINQ to XML,那么下面的内容对我来说很好用 XmlDocument
TrimXmlText(xmlDocument.ChildNodes);
private void TrimXmlText(XmlNodeList xmlNodeList)
{
foreach (XmlNode xmlNode in xmlNodeList)
{
if (xmlNode.NodeType == XmlNodeType.Text)
{
xmlNode.InnerText = xmlNode.InnerText?.Trim();
}
else
{
TrimXmlText(xmlNode.ChildNodes);
}
}
}