2

我正在使用以下代码:

private string covertRss(string url)
    {
        var s = RssReader.Read(url);
        StringBuilder sb = new StringBuilder();
        foreach (RssNews rs in s)   //ERROR LINE
        {
            sb.AppendLine(rs.Title);
            sb.AppendLine(rs.PublicationDate);
            sb.AppendLine(rs.Description);
        }

        return sb.ToString();
    }

我收到一个错误:

错误 1 ​​foreach 语句无法对“System.Threading.Tasks.Task(System.Collections.Generic.List(Cricket.MainPage.RssNews))”类型的变量进行操作,因为“System.Threading.Tasks.Task(System.Collections.Generic .List(Cricket.MainPage.RssNews))' 不包含 'GetEnumerator' 的公共定义

RssNews 类是:

public class RssNews
    {
        public string Title;
        public string PublicationDate;
        public string Description;

    }

我应该添加什么代码才能消除错误并且不影响代码的用途?提前致谢!

RssReader.Read() 的代码

public class RssReader
    {
        public static async System.Threading.Tasks.Task<List<RssNews>> Read(string url)
        {
            HttpClient httpClient = new HttpClient();

            string result = await httpClient.GetStringAsync(url); 

            XDocument document = XDocument.Parse(result);

            return (from descendant in document.Descendants("item")
                    select new RssNews()
                    {
                        Description = descendant.Element("description").Value,
                        Title = descendant.Element("title").Value,
                        PublicationDate = descendant.Element("pubDate").Value
                    }).ToList();
        }
    }
4

3 回答 3

7

您需要使用await

foreach (RssNews rs in await s)

或者:

var s = await RssReader.Read(url);

不要使用;_ Result如果这样做,很容易导致我在博客中描述的死锁。

作为旁注,我建议您阅读并遵循基于任务的异步模式文档中的指南。如果你这样做,你会发现你的方法Read应该被命名ReadAsync,这给你的调用代码一个它需要使用的强烈提示await

var s = await RssReader.ReadAsync(url);
于 2013-11-01T19:27:13.987 回答
2

我认为你缺少一个await声明。

看来s是类型Task<List<RssNews>>

你要么需要这个

var s = await RssReader.Read(url);

或者

var s = RssReader.Read(url).Result;//this is blocking call

当然在使用的时候await也需要标注方法async

这是你的方式

private async Task<string> covertRss(string url)
{
    var s = await RssReader.Read(url);
    StringBuilder sb = new StringBuilder();
    foreach (RssNews rs in s)   //ERROR LINE
    {
        sb.AppendLine(rs.Title);
        sb.AppendLine(rs.PublicationDate);
        sb.AppendLine(rs.Description);
    }

    return sb.ToString();
}
于 2013-11-01T19:05:00.017 回答
0

您正在循环中使用任务本身。您需要使用 Result 属性

foreach (RssNews rs in s.Result)

因为从异常来看,它似乎是一个将被返回的列表。

于 2013-11-01T19:07:05.700 回答