1

我正在为 BlogEngine.Net 开发一个小部件。我的小部件将获取一个人的共享项目 atom 提要并打印标题、网站 url、日期和 atom url。为了完成这个任务,我已经开始使用 Linq 和 XML。

这是问题所在。Google 阅读器使用的 atom 提要位于 source 元素中,该元素具有 gr:stream-id 属性。显然,XName 不喜欢名称中有冒号。我不得不走那条路,因为Google Reader 架构不存在。如果我有那个模式,它将解决我的问题。我怎样才能得到架构?

到目前为止,以下是我的一小段代码:

protected void Page_Load(object sender, EventArgs e) {
    //Replace userid with the unique session id in your Google Reader 
    //url (the numbers after the F)
    getFeed("userid");
}

public class Post {
    public String title { get; set; }
    public DateTime published { get; set; }
    public String postUrl { get; set; }
    public String baseUrl { get; set; }
    public String atomUrl { get; set; }
}

private void getFeed(String userID) {
    String uri = "http://www.google.com/reader/public/atom/user%2F" + userID + "%2Fstate%2Fcom.google%2Fbroadcast";

    XNamespace atomNS = "http://www.w3.org/2005/Atom";
    //The Google Reader schema link does not exist :(
    XNamespace grNS = "http://www.google.com/schemas/reader/atom/";
    XDocument feed = XDocument.Load(uri);

    var posts = from item in feed.Descendants(atomNS + "entry")
                select new Post {
                    title = item.Element(atomNS + "title").Value,
                    published = DateTime.Parse(item.Element(atomNS + "published").Value),
                    postUrl = item.Element(atomNS + "link").Attribute("href").Value,
                    atomUrl = item.Element(atomNS + "source").Attribute(grNS + "href").Value
                };
    foreach (Post post in posts) {
        output.InnerHtml += "Title: " + post.title + "<br />";
        output.InnerHtml += "Published: " + post.published.ToString() + "<br />";
        output.InnerHtml += "Post URL: " + post.postUrl + "<br />";
        output.InnerHtml += "Atom URL: " + post.atomUrl + "<br />";
        output.InnerHtml += "<br />";
    }
}

如果在仍然使用 Linq 和 XML 的同时还有其他方法可以解决这个问题,请告诉我。提前致谢!

4

1 回答 1

1

我确实找到了获取 atom feed url 的替代解决方案。但是,我仍然更喜欢使用Google Reader Atom Schema,因为这样会提供一些清晰的代码。

在 atom 提要中,有一个 id 元素,如下所示:

tag:google.com,2005:reader/feed/http://www.domain.com/blog/rss.xml

所以我在我的 Linq 代码中添加了以下内容:

atomUrl = getUrl(item.Element(atomNS + "source").Element(atomNS + "id").Value)

getUrl 看起来像这样:

private String getUrl(String item) {
    if (!item.Equals("")) {
        return item.Substring(item.IndexOf("http://"));
    }
    return "";
}

该代码返回http://www.domain.com/blog/rss.xml

这个解决方案似乎围绕着命名空间的使用,但它完成了工作。

于 2009-01-11T02:52:33.360 回答