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