use super::{Mastodon, Result};
use crate::{entities::itemsiter::ItemsIter, helpers::read_response::read_response, Error};
use futures::Stream;
use log::{as_debug, as_serde, debug, error, trace};
use reqwest::{header::LINK, Response, Url};
use serde::{Deserialize, Serialize};
use uuid::Uuid;
macro_rules! pages {
($($direction:ident: $fun:ident),*) => {
$(
doc_comment!(concat!(
"Method to retrieve the ", stringify!($direction), " page of results",
"Returns Ok(None) if there is no data in the ", stringify!($direction), " page.\n",
"Returns Ok(Some(Vec<T>)) if there are results.\n",
"Returns Err(Error) if there is an error.\n",
"If there are results, the next and previous page urls are stored.\n",
"If there are no results, the next and previous page urls are not stored.\n",
"This allows for the next page to be retrieved in the future even when\n",
"there are no results.",
),
pub async fn $fun(&mut self) -> Result<Option<Vec<T>>> {
let Some(ref url) = self.$direction else {
return Ok(None);
};
debug!(
url = url.as_str(), method = "get",
call_id = as_debug!(self.call_id),
direction = stringify!($direction);
"making API request"
);
let url: String = url.to_string();
let response = self.mastodon.authenticated(self.mastodon.client.get(&url)).send().await?;
match response.error_for_status() {
Ok(response) => {
let (prev, next) = get_links(&response, self.call_id)?;
let response: Vec<T> = read_response(response).await?;
if response.is_empty() && prev.is_none() && next.is_none() {
debug!(
url = url, method = "get", call_id = as_debug!(self.call_id),
direction = stringify!($direction);
"received an empty page with no links"
);
return Ok(None);
}
debug!(
url = url, method = "get",call_id = as_debug!(self.call_id),
direction = stringify!($direction),
prev = as_debug!(prev),
next = as_debug!(next),
response = as_serde!(response);
"received next pages from API"
);
self.next = next;
self.prev = prev;
Ok(Some(response))
}
Err(err) => {
error!(
err = as_debug!(err), url = url,
method = stringify!($method),
call_id = as_debug!(self.call_id);
"error making API request"
);
Err(err.into())
}
}
});
)*
}
}
#[derive(Debug, Clone)]
pub struct Page<T: for<'de> Deserialize<'de> + Serialize> {
mastodon: Mastodon,
pub next: Option<Url>,
pub prev: Option<Url>,
pub initial_items: Vec<T>,
pub(crate) call_id: Uuid,
}
impl<'a, T: for<'de> Deserialize<'de> + Serialize> Page<T> {
pages! {
next: next_page,
prev: prev_page
}
pub(crate) async fn new(mastodon: Mastodon, response: Response, call_id: Uuid) -> Result<Self> {
let status = response.status();
if status.is_success() {
let (prev, next) = get_links(&response, call_id)?;
let initial_items = read_response(response).await?;
debug!(
initial_items = as_serde!(initial_items), prev = as_debug!(prev),
next = as_debug!(next), call_id = as_debug!(call_id);
"received first page from API call"
);
Ok(Page {
initial_items,
next,
prev,
mastodon,
call_id,
})
} else {
let response = response.json().await?;
Err(Error::Api { status, response })
}
}
}
impl<T: Clone + for<'de> Deserialize<'de> + Serialize> Page<T> {
pub fn items_iter(self) -> impl Stream<Item = T> {
ItemsIter::new(self).stream()
}
}
fn get_links(response: &Response, call_id: Uuid) -> Result<(Option<Url>, Option<Url>)> {
let mut prev = None;
let mut next = None;
if let Some(link_header) = response.headers().get(LINK) {
let link_header = link_header.to_str()?;
let raw_link_header = link_header.to_string();
trace!(link_header = link_header, call_id = as_debug!(call_id); "parsing link header");
let link_header = parse_link_header::parse(link_header)?;
for (rel, link) in link_header.iter() {
match rel.as_ref().map(|it| it.as_str()) {
Some("next") => next = Some(link.uri.clone()),
Some("prev") => prev = Some(link.uri.clone()),
None => debug!(link = as_debug!(link); "link header with no rel specified"),
Some(other) => {
return Err(Error::UnrecognizedRel {
rel: other.to_string(),
link: raw_link_header,
})
}
}
}
}
Ok((prev, next))
}