Skip to main content

twapi_v2/api/
get_2_users_reposts_of_me.rs

1use crate::fields::{
2    media_fields::MediaFields, place_fields::PlaceFields, poll_fields::PollFields,
3    tweet_fields::TweetFields, user_fields::UserFields,
4};
5use crate::responses::{errors::Errors, includes::Includes, meta::Meta, tweets::Tweets};
6use crate::{
7    api::{Authentication, TwapiOptions, execute_twitter, make_url},
8    error::Error,
9    headers::Headers,
10};
11use itertools::Itertools;
12use reqwest::RequestBuilder;
13use serde::{Deserialize, Serialize};
14use std::collections::HashSet;
15
16const URL: &str = "/2/users/reposts_of_me";
17
18#[derive(Serialize, Deserialize, Debug, Eq, Hash, PartialEq, Clone)]
19#[derive(Default)]
20pub enum Expansions {
21    #[serde(rename = "article.cover_media")]
22    #[default]
23    ArticleCoverMedia,
24    #[serde(rename = "article.media_entities")]
25    ArticleMediaEntities,
26    #[serde(rename = "attachments.media_keys")]
27    AttachmentsMediaKeys,
28    #[serde(rename = "attachments.media_source_tweet")]
29    AttachmentsMediaSourceTweet,
30    #[serde(rename = "attachments.poll_ids")]
31    AttachmentsPollIds,
32    #[serde(rename = "author_id")]
33    AuthorId,
34    #[serde(rename = "edit_history_tweet_ids")]
35    EditHistoryTweetIds,
36    #[serde(rename = "entities.mentions.username")]
37    EntitiesMentionsUsername,
38    #[serde(rename = "geo.place_id")]
39    GeoPlaceId,
40    #[serde(rename = "in_reply_to_user_id")]
41    InReplyToUserId,
42    #[serde(rename = "entities.note.mentions.username")]
43    EntitiesNoteMentionsUsername,
44    #[serde(rename = "referenced_tweets.id")]
45    ReferencedTweetsId,
46    #[serde(rename = "referenced_tweets.id.author_id")]
47    ReferencedTweetsIdAuthorId,
48}
49
50impl Expansions {
51    pub fn all() -> HashSet<Self> {
52        let mut result = HashSet::new();
53        result.insert(Self::ArticleCoverMedia);
54        result.insert(Self::ArticleMediaEntities);
55        result.insert(Self::AttachmentsMediaKeys);
56        result.insert(Self::AttachmentsMediaSourceTweet);
57        result.insert(Self::AttachmentsPollIds);
58        result.insert(Self::AuthorId);
59        result.insert(Self::EditHistoryTweetIds);
60        result.insert(Self::EntitiesMentionsUsername);
61        result.insert(Self::GeoPlaceId);
62        result.insert(Self::InReplyToUserId);
63        result.insert(Self::EntitiesNoteMentionsUsername);
64        result.insert(Self::ReferencedTweetsId);
65        result.insert(Self::ReferencedTweetsIdAuthorId);
66        result
67    }
68}
69
70impl std::fmt::Display for Expansions {
71    fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
72        match self {
73            Self::ArticleCoverMedia => write!(f, "article.cover_media"),
74            Self::ArticleMediaEntities => write!(f, "article.media_entities"),
75            Self::AttachmentsMediaKeys => write!(f, "attachments.media_keys"),
76            Self::AttachmentsMediaSourceTweet => write!(f, "attachments.media_source_tweet"),
77            Self::AttachmentsPollIds => write!(f, "attachments.poll_ids"),
78            Self::AuthorId => write!(f, "author_id"),
79            Self::EditHistoryTweetIds => write!(f, "edit_history_tweet_ids"),
80            Self::EntitiesMentionsUsername => write!(f, "entities.mentions.username"),
81            Self::GeoPlaceId => write!(f, "geo.place_id"),
82            Self::InReplyToUserId => write!(f, "in_reply_to_user_id"),
83            Self::EntitiesNoteMentionsUsername => write!(f, "entities.note.mentions.username"),
84            Self::ReferencedTweetsId => write!(f, "referenced_tweets.id"),
85            Self::ReferencedTweetsIdAuthorId => write!(f, "referenced_tweets.id.author_id"),
86        }
87    }
88}
89
90
91#[derive(Debug, Clone, Default)]
92pub struct Api {
93    expansions: Option<HashSet<Expansions>>,
94    max_results: Option<usize>,
95    media_fields: Option<HashSet<MediaFields>>,
96    pagination_token: Option<String>,
97    place_fields: Option<HashSet<PlaceFields>>,
98    poll_fields: Option<HashSet<PollFields>>,
99    tweet_fields: Option<HashSet<TweetFields>>,
100    user_fields: Option<HashSet<UserFields>>,
101    twapi_options: Option<TwapiOptions>,
102}
103
104impl Api {
105    pub fn new() -> Self {
106        Self {
107            ..Default::default()
108        }
109    }
110
111    pub fn all() -> Self {
112        Self {
113            expansions: Some(Expansions::all()),
114            media_fields: Some(MediaFields::all()),
115            place_fields: Some(PlaceFields::all()),
116            poll_fields: Some(PollFields::all()),
117            tweet_fields: Some(TweetFields::organic()),
118            user_fields: Some(UserFields::all()),
119            max_results: Some(100),
120            ..Default::default()
121        }
122    }
123
124    pub fn open() -> Self {
125        Self {
126            expansions: Some(Expansions::all()),
127            media_fields: Some(MediaFields::open()),
128            place_fields: Some(PlaceFields::all()),
129            poll_fields: Some(PollFields::all()),
130            tweet_fields: Some(TweetFields::open()),
131            user_fields: Some(UserFields::all()),
132            max_results: Some(100),
133            ..Default::default()
134        }
135    }
136
137    pub fn expansions(mut self, value: HashSet<Expansions>) -> Self {
138        self.expansions = Some(value);
139        self
140    }
141
142    pub fn max_results(mut self, value: usize) -> Self {
143        self.max_results = Some(value);
144        self
145    }
146
147    pub fn media_fields(mut self, value: HashSet<MediaFields>) -> Self {
148        self.media_fields = Some(value);
149        self
150    }
151
152    pub fn pagination_token(mut self, value: &str) -> Self {
153        self.pagination_token = Some(value.to_owned());
154        self
155    }
156
157    pub fn place_fields(mut self, value: HashSet<PlaceFields>) -> Self {
158        self.place_fields = Some(value);
159        self
160    }
161
162    pub fn poll_fields(mut self, value: HashSet<PollFields>) -> Self {
163        self.poll_fields = Some(value);
164        self
165    }
166
167    pub fn tweet_fields(mut self, value: HashSet<TweetFields>) -> Self {
168        self.tweet_fields = Some(value);
169        self
170    }
171
172    pub fn user_fields(mut self, value: HashSet<UserFields>) -> Self {
173        self.user_fields = Some(value);
174        self
175    }
176
177    pub fn twapi_options(mut self, value: TwapiOptions) -> Self {
178        self.twapi_options = Some(value);
179        self
180    }
181
182    pub fn build(&self, authentication: &impl Authentication) -> RequestBuilder {
183        let mut query_parameters = vec![];
184        if let Some(expansions) = self.expansions.as_ref() {
185            query_parameters.push(("expansions", expansions.iter().join(",")));
186        }
187        if let Some(max_results) = self.max_results.as_ref() {
188            query_parameters.push(("max_results", max_results.to_string()));
189        }
190        if let Some(media_fields) = self.media_fields.as_ref() {
191            query_parameters.push(("media.fields", media_fields.iter().join(",")));
192        }
193        if let Some(pagination_token) = self.pagination_token.as_ref() {
194            query_parameters.push(("pagination_token", pagination_token.to_string()));
195        }
196        if let Some(place_fields) = self.place_fields.as_ref() {
197            query_parameters.push(("place.fields", place_fields.iter().join(",")));
198        }
199        if let Some(poll_fields) = self.poll_fields.as_ref() {
200            query_parameters.push(("poll.fields", poll_fields.iter().join(",")));
201        }
202        if let Some(tweet_fields) = self.tweet_fields.as_ref() {
203            query_parameters.push(("tweet.fields", tweet_fields.iter().join(",")));
204        }
205        if let Some(user_fields) = self.user_fields.as_ref() {
206            query_parameters.push(("user.fields", user_fields.iter().join(",")));
207        }
208        let client = reqwest::Client::new();
209        let url = make_url(&self.twapi_options, URL);
210        let builder = client.get(&url).query(&query_parameters);
211        authentication.execute(
212            builder,
213            "GET",
214            &url,
215            &query_parameters
216                .iter()
217                .map(|it| (it.0, it.1.as_str()))
218                .collect::<Vec<_>>(),
219        )
220    }
221
222    pub async fn execute(
223        &self,
224        authentication: &impl Authentication,
225    ) -> Result<(Response, Headers), Error> {
226        execute_twitter(|| self.build(authentication), &self.twapi_options).await
227    }
228}
229
230#[derive(Serialize, Deserialize, Debug, Clone, Default, PartialEq)]
231pub struct Response {
232    #[serde(skip_serializing_if = "Option::is_none")]
233    pub data: Option<Vec<Tweets>>,
234    #[serde(skip_serializing_if = "Option::is_none")]
235    pub errors: Option<Vec<Errors>>,
236    #[serde(skip_serializing_if = "Option::is_none")]
237    pub includes: Option<Includes>,
238    #[serde(skip_serializing_if = "Option::is_none")]
239    pub meta: Option<Meta>,
240    #[serde(flatten)]
241    pub extra: std::collections::HashMap<String, serde_json::Value>,
242}
243
244impl Response {
245    pub fn is_empty_extra(&self) -> bool {
246        let res = self.extra.is_empty()
247            && self
248                .data
249                .as_ref()
250                .map(|it| it.iter().all(|item| item.is_empty_extra()))
251                .unwrap_or(true)
252            && self
253                .errors
254                .as_ref()
255                .map(|it| it.iter().all(|item| item.is_empty_extra()))
256                .unwrap_or(true)
257            && self
258                .includes
259                .as_ref()
260                .map(|it| it.is_empty_extra())
261                .unwrap_or(true)
262            && self
263                .meta
264                .as_ref()
265                .map(|it| it.is_empty_extra())
266                .unwrap_or(true);
267        if !res {
268            println!("Response {:?}", self.extra);
269        }
270        res
271    }
272}