11

所以我有这个代码:

List<PriceDetail> prices =
                (from item in xmlDoc.Descendants(shop.DescendantXName)
                 select new PriceDetail
                 {
                     Price = GetPrice(item.Element(shop.PriceXPath).Value),
                     GameVersion = GetGameVersion(((IEnumerable)item.XPathEvaluate(shop.TitleXPath)).Cast<XAttribute>().First<XAttribute>().Value, item.Element(shop.PlatformXPath).Value),
                     Shop = shop,
                     Link = item.Element(shop.LinkXPath).Value,
                     InStock = InStock(item.Element(shop.InStockXPath).Value)
                 }).ToList<PriceDetail>();

我遇到的问题是这段代码:

((IEnumerable)item.XPathEvaluate(shop.TitleXPath)).Cast<XAttribute>().First<XAttribute>().Value

有时来自 XPathEvaluate 的对象可能是 XElement,然后强制转换不起作用。所以我需要的是一个适用于 XAttribute 和 XElement 的 Cast。

有什么建议吗?

4

4 回答 4

16

shop.TitleXPath将您的 XPath 表达式 ( )更改为:

  someXPathExpression

  string(someXPathExpression)

然后您可以将代码简化为

string result = item.XPathEvaluate(shop.TitleXPath) as string;

完整的工作示例

using System;
using System.IO;
using System.Xml.Linq;
using System.Xml.XPath;

class TestXPath
{
    static void Main(string[] args)
    {

        string xml1 =
@"<t>
 <a b='attribute value'/> 
 <c>
   <b>element value</b>
 </c>
 <e b='attribute value'/>
</t>";

        string xml2 =
@"<t>
 <c>
   <b>element value</b>
 </c>
 <e b='attribute value'/>
</t>";

        TextReader sr = new StringReader(xml1);
        XDocument xdoc = XDocument.Load(sr, LoadOptions.None);

        string result1 = xdoc.XPathEvaluate("string(/*/*/@b | /*/*/b)") as string;

        TextReader sr2 = new StringReader(xml2);
        XDocument xdoc2 = XDocument.Load(sr2, LoadOptions.None);

        string result2 = xdoc2.XPathEvaluate("string(/*/*/@b | /*/*/b)") as string;

        Console.WriteLine(result1);
        Console.WriteLine(result2);


    }
}

当这个程序被执行时,相同的 XPath 表达式被应用到两个不同的 XML 文档上,不管string()第一次是一个属性,第二次是一个元素,我们都会得到正确的结果——写入控制台:

attribute value
element value
于 2012-09-30T14:04:01.967 回答
10

如果未找到该元素,Dimitre 的解决方案将返回空字符串;我们无法将它与实际的空值区分开来。所以我不得不制作这个扩展方法,通过 XPath 查询处理多个结果,如果没有找到则返回空枚举:

public static IEnumerable<string> GetXPathValues(this XNode node, string xpath)
{
    foreach (XObject xObject in (IEnumerable)node.XPathEvaluate(xpath))
    {
        if (xObject is XElement)
            yield return ((XElement)xObject).Value;
        else if (xObject is XAttribute)
            yield return ((XAttribute)xObject).Value;
    }
}
于 2014-02-21T13:00:29.587 回答
7

XElementXAttribute都是 的形式XObject,因此如果类型的通用实例XObject足以满足您的需求,请将您的 Cast 更改<XAttribute>为 Cast <XObject>

如果这不适用于您的特定情况,您可以使用 OfType<XAttribute>或 OfType<XElement>过滤其中一个,但这需要两次通过输入,一次过滤,XElement第二次过滤XAttribute.

于 2012-11-27T18:41:20.973 回答
1

在进行强制转换之前,您可以使用如下代码检查类型:

XElement e = item as XElement;
XAttribute a = item as XAttribute;

if(e != null)
   //item is of type XElement
else
  //item is of type XAttribute
于 2012-09-30T09:05:11.960 回答