1

我想在这里解析雅虎天气 rss 提要 xml:http: //developer.yahoo.com/weather/

我的 Rss 项目

public class YahooWeatherRssItem
{
    public string Title { get; set; }
    public string Link { get; set; }
    public string Description { get; set; }
    public string City { get; set; }
    public string Country { get; set; }
    // temp, wind, etc...
}

我的 Rss 经​​理

public static IEnumerable<YahooWeatherRssItem> GetYahooWeatherRssItems(string rssUrl)
{
    XDocument rssXml = XDocument.Load(rssUrl);

    var feeds = from feed in rssXml.Descendants("item")
                select new YahooWeatherRssItem
                {
                    I can get following values
                    Title = feed.Element("title").Value,
                    Link = feed.Element("link").Value,
                    Description = feed.Element("description").Value,

                    // I dont know, How can I parse these.
                    Text = ?
                    Temp = ?
                    Code = ?
                };
        return feeds;
    }

我不知道,如何解析以下 xml 行:

<yweather:condition  text="Mostly Cloudy"  code="28"  temp="50"  date="Fri, 18 Dec 2009 9:38 am PST" />
<yweather:location city="Sunnyvale" region="CA"   country="United States"/>
<yweather:units temperature="F" distance="mi" pressure="in" speed="mph"/>
<yweather:wind chill="50"   direction="0"   speed="0" />
<yweather:atmosphere humidity="94"  visibility="3"  pressure="30.27"  rising="1" />
<yweather:astronomy sunrise="7:17 am"   sunset="4:52 pm"/>

问题是yweather:<string>。可能有一篇关于xml解析这样的结构的文章。还是代码示例?

谢谢。

4

3 回答 3

2

下面的表达式应该可以工作,首先引用ycweather命名空间;

XNamespace yWeatherNS = "http://xml.weather.yahoo.com/ns/rss/1.0";

然后你通过这种方式获得属性值:

Text = feed.Element(yWeatherNS + "condition").Attribute("text").Value

问题是您的条件元素位于另一个名称空间中,因此您必须通过XNamespace在该名称空间的上下文中选择此节点。

您可以通过 MSDN 文章C# 中的命名空间来阅读有关 XML 命名空间的更多信息

于 2012-10-18T14:03:51.793 回答
1

使用命名空间并使用获取数据Attribute

XNamespace ns = "http://xml.weather.yahoo.com/ns/rss/1.0";
var feeds = from feed in rssXml.Descendants("item")
            select new YahooWeatherRssItem
            {

                Title = feed.Element("title").Value,
                Link = feed.Element("link").Value,
                Description = feed.Element("description").Value,
                Code=feed.Element(ns+"condition").Attribute("code").Value       
                //like above line, you can get other items 
            };

这将起作用。测试:)

于 2012-10-18T14:06:05.163 回答
0

您需要读取这些值的 XML 属性。根据此处的问题(Find Elements by Attribute using XDocument),您可以尝试以下操作:

Temp = feed.Attribute("temp");
于 2012-10-18T13:41:14.453 回答