C# 命名空间管理器无法使用命名空间解析 XML



我正在尝试从这个网址解析XML,下面用C#采样:

<?xml version="1.0" encoding="UTF-8"?>
<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='2020-01-16'>
<Cube currency='USD' rate='1.1169'/>
<Cube currency='JPY' rate='122.80'/>
<Cube currency='BGN' rate='1.9558'/>
</Cube>
</Cube>
</gesmes:Envelope>

这是我用来获取货币的代码:

xml.Load(@"https://www.ecb.europa.eu/stats/eurofxref/eurofxref-daily.xml");
XmlNamespaceManager ns = new XmlNamespaceManager(xml.NameTable);
ns.AddNamespace("gesmes", "http://www.ecb.int/vocabulary/2002-08-01/eurofxref");
XmlNodeList nodes = xml.DocumentElement.SelectNodes("/gesmes:Envelope/Cube/Cube/Cube", ns);
foreach (XmlNode node in nodes)
{
// some code here
}

但是,nodes总是null.我尝试了很多选项,它对我有用的独特选项是从原始 XML 中删除命名空间。但我想直接解析源代码而无需修改。

有三个问题需要纠正:

  1. 您错误地定义了与gesmes关联的命名空间。

    改变

    ns.AddNamespace("gesmes", "http://www.ecb.int/vocabulary/2002-08-01/eurofxref");
    

    ns.AddNamespace("gesmes", "http://www.gesmes.org/xml/2002-08-01");
    
  2. XPath 不会考虑Cube及其后代位于默认命名空间中。

    为默认命名空间创建前缀:

    ns.AddNamespace("eu", "http://www.ecb.int/vocabulary/2002-08-01/eurofxref");
    
  3. 使用 #2 中的命名空间前缀更新 XPath:

    /gesmes:Envelope/eu:Cube/eu:Cube/eu:Cube
    ^^^     ^^^     ^^^
    

    (Cube立方? 🙂 (

修复上述问题后,您的代码应按预期工作。

Linq XML 总是让我不那么头疼:

var doc = XDocument.Load("https://www.ecb.europa.eu/stats/eurofxref/eurofxref-daily.xml");
string ns = "http://www.ecb.int/vocabulary/2002-08-01/eurofxref";
var outerCube = doc.Root.Element(XName.Get("Cube", ns));
var timeCube = outerCube.Element(XName.Get("Cube", ns));
Console.WriteLine("Time: " + timeCube.Attribute("time").Value);
foreach (var cube in timeCube.Elements())
{
Console.WriteLine(cube.Attribute("currency").Value + " => " + cube.Attribute("rate"));
}

我上个月刚刚为某人编写了相同的代码。 使用字典

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Xml;
using System.Xml.Linq;
namespace ConsoleApplication1
{
class Program
{
const string URL = "https://www.ecb.europa.eu/stats/eurofxref/eurofxref-daily.xml";
static void Main(string[] args)
{
XDocument doc = XDocument.Load(URL);
XNamespace ns = doc.Root.GetDefaultNamespace();
Dictionary<string, decimal> dict = doc.Descendants(ns + "Cube").Where(x => x.Attribute("currency") != null)
.GroupBy(x => (string)x.Attribute("currency"), y => (decimal)y.Attribute("rate"))
.ToDictionary(x => x.Key, y => y.FirstOrDefault());
}
}

}

相关内容

  • 没有找到相关文章

最新更新