使用c#修剪()xml文档中所有xml元素和属性的值
本文关键字:xml 元素 属性 修剪 文档 使用 | 更新日期: 2023-09-27 18:23:43
我正试图找出这样获取xml的最简单方法:
<Car>
<Description Model="Ford ">Blue </Description>
</Car>
进入这个:
<Car>
<Description Model="Ford">Blue</Description>
</Car>
使用LINQ到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);
}
}
}