2

我正在尝试在 C# 中解析以下 XML 结构。我想用货币创建一个 List>。

<gesmes:Envelope xmlns:gesmes="http://www.gesmes.org/xml/2002-08-01"   xmlns="http://www.ecb.int/vocabulary/2002-08-01/eurofxref">
<gesmes:subject>Reference rates</gesmes:subject>
<gesmes:Sender>
<gesmes:name>European Central Bank</gesmes:name>
</gesmes:Sender>
<Cube>
  <Cube time="2013-09-27">
    <Cube currency="USD" rate="1.3537"/>
    <Cube currency="JPY" rate="133.28"/>
    <Cube currency="BGN" rate="1.9558"/>
    <Cube currency="CZK" rate="25.690"/>
    <Cube currency="DKK" rate="7.4573"/>
    (....)

我试过使用 XDocument.Descendants,但它没有返回任何东西。我猜这与 Cube-element 用于多个级别的事实有关。

XDocument xdoc = XDocument.Parse(xml);
var currencies = from cube in xdoc.Descendants("Cube")
                    select new
                        {
                            Currency = cube.Attribute("currency").Value,
                            Rate = cube.Attribute("rate").Value
                        };

foreach (var currency in currencies)
    this.Add(new KeyValuePair<string, double>(currency.Currency, Convert.ToDouble(currency.Rate)));

如何解析 XML 结构以获取货币?

4

3 回答 3

3

您的代码有两个问题

  • Cube各有各currencyrate属性
  • 您忽略了 Xml 命名空间

由于您似乎想 根据您的代码创建字典:

XNamespace ns = "http://www.ecb.int/vocabulary/2002-08-01/eurofxref";
var xDoc = XDocument.Load(fname);

var dict = xDoc.Descendants(ns + "Cube")
               .Where(cube => cube.Attributes().Any(a => a.Name == "currency"))
               .ToDictionary(cube => cube.Attribute("currency").Value,
                             cube => (decimal)cube.Attribute("rate"));

PS:您不必rate显式解析。可以在通过强制转换读取 xml 时完成

于 2013-09-28T21:39:30.010 回答
1

试试 xdoc.XPathSelectElements("//Cube/Cube/Cube[@name='currency']")

于 2013-09-28T21:13:38.963 回答
1

您必须添加一个命名空间(Cube 元素不在默认的空命名空间中),并且您必须检查 Cube 元素是否确实具有货币属性。

这是最接近您当前代码的解决方案:

XDocument xdoc = XDocument.Parse(xml);
XNamespace nsSys = "http://www.ecb.int/vocabulary/2002-08-01/eurofxref";

var currencies = from cube in xdoc.Descendants(nsSys+ "Cube")
                 where cube.Attribute("currency") !=null
                 select new
                 {
                      Currency = cube.Attribute("currency").Value,
                      Rate = cube.Attribute("rate").Value
                 };

将此答案用作参考

于 2013-09-28T21:14:46.633 回答