访问IEnumerable

时间:2017-03-31 18:05:09

标签: c# twitter ienumerable tweetinvi

我正在使用TweetInvi抓取一堆与指定主题标签匹配的推文。我这样做有以下几点:

var matchingTweets = Search.SearchTweets(hashtag);

这将返回一个IEnumerable(名为ITweetTweet的接口),但我无法创建List<> Tweets,因为Tweet是静态的类型。

相反,我使用了objects列表:

List<object> matches = matchingTweets.Cast<object>().ToList();

但是,虽然matchingTweets IEnumerable的每个成员都有许多属性,但我无法使用以下方法访问它们:

long tweetID = matches[i].<property>;

使用matches[i].ToString()返回推文内容,那么如何有效地将matchingTweets中的结果投射到列表中,然后访问这些列表成员的属性?我最好避免使用dynamic

2 个答案:

答案 0 :(得分:1)

您无法访问这些属性。您将其转换为object,因此您只能访问object的属性和方法(就像您说的那样可能已被覆盖)。

只需像这样访问它就可以了:

List<ITweet> tweets = matchingTweets.Take(5).ToList(); 

你可以做的是将它投射到你的新对象:

var tweets = matchingTweets.Select(item => new {
                                       property1 = item.property1,
                                       property2 = item.property2
                                   })
                           .Take(5).ToList();

然后您就可以访问所需内容。现在,如果您需要在该函数范围之外共享此数据,请创建一个DTO对象并初始化它而不是匿名类型。

根据项目的大小和工作量,通常在与这样的外部服务交互时创建一层DTO对象是一种很好的做法。然后,如果他们的模型发生变化,您只能将更改包含在DTO中。

如果您想要的只是前5个的ID:

var ids = matchingTweets.Take(5).Select(item => item.id).ToList();

答案 1 :(得分:1)

在上面的示例中,您试图从推文中获取ID。 ITweet实现ITweetIdentifier,其中包含Id属性。您可以通过以下方式访问它:

var matchingTweets = Search.SearchTweets(hashtag);

//Grab the first 5 tweets from the results.
var firstFiveTweets = matchingTweets.Take(5).ToList();

//if you only want the ids and not the entire object
var firstFiveTweetIds = matchingTweets.Take(5).Select(t => t.Id).ToList();

//Iterate through and do stuff
foreach (var tweet in matchingTweets)
{
    //These are just examples of the properties accessible to you...
    if(tweet.Favorited)
    {
        var text = tweet.FullText;
    }     
    if(tweet.RetweetCount > 100)
    {
        //TODO: Handle popular tweets...
    }   
}

//Get item at specific index
matchingTweets.ElementAt(index);

我不确切地知道您要对所有信息做什么,但由于SearchTweets返回了ITweets的IEnumerable,您可以访问ITweet所拥有的任何内容定义

我强烈建议您浏览wiki。它组织得非常好,并为您提供了一些基本任务的明确示例。