在 C# 中处理包含 XML 处理指令(Processing Instructions, PI)的文件时,可以使用 .NET 提供的标准 XML 解析类,如 XmlDocument、XmlReader 或 XDocument。这些类都能正确识别和保留 XML 处理指令。
什么是 XML 处理指令
XML 处理指令以 开始,以 ?> 结束,用于向处理器传递特定信息。例如:
<?xml-stylesheet type="text/xsl" href="style.xsl"?> <?custom-instruction action="skip-validation"?>
这类指令不会影响 XML 的结构,但可能对应用逻辑有意义。
使用 XmlDocument 读取并操作处理指令
XmlDocument 可以完整加载 XML 并保留处理指令节点。处理指令在 DOM 树中被视为 XmlProcessingInstruction 节点。
示例代码:
using System;
using System.Xml;
<p>var doc = new XmlDocument();
doc.Load("example.xml"); // 包含处理指令的文件</p><p>foreach (XmlNode node in doc.ChildNodes)
{
if (node.NodeType == XmlNodeType.ProcessingInstruction)
{
var pi = (XmlProcessingInstruction)node;
Console.WriteLine($"PI Name: {pi.Name}, Value: {pi.Value}");
}
}你也可以创建新的处理指令并插入文档:
var newPi = doc.CreateProcessingInstruction("custom", "action=\"log\"");
doc.InsertBefore(newPi, doc.DocumentElement);使用 XDocument(LINQ to XML)处理 PI
XDocument 更现代且简洁,但它将处理指令表示为 XProcessingInstruction 节点,需通过类型检查访问。
示例:
using System;
using System.Linq;
using System.Xml.Linq;
<p>var doc = XDocument.Load("example.xml");</p><p>var processingInstructions = doc.Nodes()
.Where(n => n.NodeType == System.Xml.XmlNodeType.ProcessingInstruction);</p><p>foreach (var pi in processingInstructions)
{
var xpi = (XProcessingInstruction)pi;
Console.WriteLine($"PI Target: {xpi.Target}, Data: {xpi.Data}");
}添加新处理指令:
var newPi = new XProcessingInstruction("debug", "enabled=\"true\"");
doc.Root.AddBeforeSelf(newPi);使用 XmlReader 逐个读取节点
当处理大文件或只需提取 PI 信息时,XmlReader 更高效。
using (var reader = XmlReader.Create("example.xml"))
{
while (reader.Read())
{
if (reader.NodeType == XmlNodeType.ProcessingInstruction)
{
Console.WriteLine($"Found PI: {reader.Name} = {reader.Value}");
}
}
}这种方式不加载整个文档,适合流式处理。
基本上就这些。根据你的场景选择合适的 API:需要修改用 XmlDocument 或 XDocument,只读大文件用 XmlReader。所有方法都能正确识别和保留处理指令。
