这似乎不应该很难,但我现在卡住了。我正在尝试从与给定XPath查询字符串匹配的节点获取特定属性的属性值。这是我到目前为止所做的:
public static IEnumerable<string> GetAttributes(this XmlDocument xml,
string xpathQuery, string attributeName)
{
var doc = new XPathDocument(new XmlNodeReader(xml));
XPathNavigator nav = doc.CreateNavigator();
XPathExpression expr = nav.Compile(xpathQuery);
XPathNodeIterator iterator = nav.Select(expr);
while (iterator.MoveNext())
{
XPathNavigator curNav = iterator.Current;
if (curNav.HasAttributes)
{
XmlNode curNode = ((IHasXmlNode)curNav).GetNode();
if (null != curNode)
{
XmlAttribute attrib = curNode.Attributes[attributeName];
if (null != attrib)
{
yield return attrib.Value;
}
}
}
}
}
目前引发了一个例外:
System.InvalidCastException:无法将“MS.Internal.Xml.Cache.XPathDocumentNavigator”类型的对象强制转换为“System.Xml.IHasXmlNode”。
我是不是错了?是否有更简单的方法从匹配节点获取属性值?
答案 0 :(得分:32)
对于以下xml:
<root>
<elem att='the value' />
</root>
您可以使用此C#代码获取“值”文本
XmlDocument xdoc = new XmlDocument();
xdoc.LoadXml(text);
Console.WriteLine(xdoc.SelectSingleNode("/root/elem/@att").Value);
答案 1 :(得分:4)
如果您使用.net 3.5或更高版本,则可以使用linq to Xml
对于给定的xml文档
<?xml version="1.0" encoding="utf-8" ?>
<root>
<storedProcedures>
<storedProcedure name="usp_GET_HOME_PAGE_DATA">
<resultSet name="Features"/>
<resultSet name="Highlights"/>
</storedProcedure>
<storedProcedure name="usp_GET_FEATURES" />
<storedProcedure name="usp_GET_FEATURE" />
<storedProcedure name="usp_UPDATE_FEATURE" />
<storedProcedure name="usp_GET_FEATURE_FOR_DISPLAY">
<resultSet name="CurrentFeature"/>
<resultSet name="OtherFeatures"/>
</storedProcedure>
<storedProcedure name="usp_GET_HIGHLIGHT_TITLES">
<resultSet name="Highlights"/>
</storedProcedure>
</storedProcedures>
</root>
以下linq表达式将为您提供所有storedProcedure节点的“name”属性的值
XDocument xDcoument = XDocument.Load(xmlStoredProcSchemeFile);
var storedProcedureNames = from doc in xDcoument.Descendants("storedProcedure")
select doc.Attribute("name").Value;
您也可以使用常规的XPath语法。在下面的代码中,变量节点保存由“usp_GET_HOME_PAGE_DATA”名称标识的节点,然后attributes变量保存所选节点及其子节点的所有子节点(属性)。
XmlDocument xmlDocument = new XmlDocument();
xmlDocument.Load(@"C:\inetpub\wwwroot\ASPNETBuilder\BusinessLayer\DataAccessCodeGenerationSchema.xml");
var node = xmlDocument.DocumentElement.SelectSingleNode("./storedProcedures/storedProcedure[@name='usp_GET_HOME_PAGE_DATA']");
var attributes = node.SelectNodes("./resultSet/@name");
答案 2 :(得分:1)
解决抛出异常的初始问题...
var doc = new XPathDocument(new XmlNodeReader(xml));
应该替换为......
var doc = new XmlDocument();
doc.load(*you can either specify the path to the file, the string out of which the xml document is to be generated or specify an xmlreader, look for more overloads*);
这不会抛出异常,代码也可以正常工作。