tmdb_api/client/
mod.rs

1pub mod prelude;
2pub mod reqwest;
3
4use std::borrow::Cow;
5
6pub use self::prelude::Executor;
7pub type ReqwestClient = Client<reqwest::ReqwestExecutor>;
8
9const BASE_URL: &str = "https://api.themoviedb.org/3";
10
11#[derive(Debug, thiserror::Error)]
12pub enum ClientBuilderError {
13    #[error("missing api key")]
14    MissingApiKey,
15}
16
17pub struct ClientBuilder<E: prelude::Executor> {
18    base_url: Cow<'static, str>,
19    executor: Option<E>,
20    api_key: Option<String>,
21}
22
23impl<E: prelude::Executor> Default for ClientBuilder<E> {
24    fn default() -> Self {
25        Self {
26            base_url: Cow::Borrowed(BASE_URL),
27            executor: None,
28            api_key: None,
29        }
30    }
31}
32
33impl<E: prelude::Executor> ClientBuilder<E> {
34    pub fn with_base_url<U: Into<Cow<'static, str>>>(mut self, value: U) -> Self {
35        self.base_url = value.into();
36        self
37    }
38
39    pub fn set_base_url<U: Into<Cow<'static, str>>>(&mut self, value: U) {
40        self.base_url = value.into();
41    }
42
43    pub fn with_executor(mut self, executor: E) -> Self {
44        self.executor = Some(executor);
45        self
46    }
47
48    pub fn set_executor(mut self, executor: E) {
49        self.executor = Some(executor);
50    }
51
52    pub fn with_api_key(mut self, value: String) -> Self {
53        self.api_key = Some(value);
54        self
55    }
56
57    pub fn set_api_key(mut self, value: String) {
58        self.api_key = Some(value);
59    }
60
61    pub fn build(self) -> Result<Client<E>, ClientBuilderError> {
62        let base_url = self.base_url;
63        let executor = self.executor.unwrap_or_default();
64        let api_key = self.api_key.ok_or(ClientBuilderError::MissingApiKey)?;
65
66        Ok(Client {
67            executor,
68            base_url,
69            api_key,
70        })
71    }
72}
73
74/// HTTP client for TMDB
75///
76/// ```rust
77/// use tmdb_api::client::Client;
78/// use tmdb_api::client::reqwest::ReqwestExecutor;
79///
80/// let client = Client::<ReqwestExecutor>::new("this-is-my-secret-token".into());
81/// ```
82pub struct Client<E> {
83    executor: E,
84    base_url: Cow<'static, str>,
85    api_key: String,
86}
87
88impl<E: std::fmt::Debug> std::fmt::Debug for Client<E> {
89    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
90        f.debug_struct(stringify!(Client))
91            .field("executor", &self.executor)
92            .field("base_url", &self.base_url)
93            .field("api_key", &"REDACTED")
94            .finish()
95    }
96}
97
98impl<E: Executor> Client<E> {
99    pub fn builder() -> ClientBuilder<E> {
100        ClientBuilder::default()
101    }
102
103    pub fn new(api_key: String) -> Self {
104        Self {
105            executor: E::default(),
106            base_url: Cow::Borrowed(BASE_URL),
107            api_key,
108        }
109    }
110
111    pub fn base_url(&self) -> &str {
112        &self.base_url
113    }
114
115    pub async fn execute<T: serde::de::DeserializeOwned>(
116        &self,
117        path: &str,
118        mut params: Vec<(&str, Cow<'_, str>)>,
119    ) -> Result<T, crate::error::Error> {
120        params.push(("api_key", Cow::Borrowed(self.api_key.as_str())));
121
122        let url = format!("{}{}", self.base_url, path);
123        self.executor.execute(&url, params).await
124    }
125}