lotr_api/
client.rs

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
//! Client definition. This is the main entry point for the library.
//! It is used to make requests to the API. It is created with a token, which is used to authenticate the requests.
//! You can get a token from <https://the-one-api.dev/>.

use crate::{
    request::{Request, Requester},
    Book, Chapter, Character, Error, Item, ItemType, Movie, Quote, Response,
};

/// The client for the one api to rule them all.
/// It is used to make requests to the API.
///
/// # Examples
/// ```rust, no_run
/// use lotr_api::Client;
///
/// #[tokio::main]
/// async fn main() {
///     let client = Client::new("your_token".to_string());
///     let books = client.get_books().await.unwrap();
///     // ...
/// }
/// ```
pub struct Client {
    requester: Requester,
}

impl Client {
    /// Creates a new client with the given token.
    /// The token is used to authenticate the requests.
    /// You can get a token from <https://the-one-api.dev/>.
    pub fn new(token: String) -> Self {
        Self {
            requester: Requester::new(token),
        }
    }

    async fn request_with_url<T>(&self, url: &str) -> Result<Response<T>, Error>
    where
        T: serde::de::DeserializeOwned,
    {
        let response = self.requester.get(url).await?;
        let response: Response<T> = serde_json::from_str(&response).map_err(Error::from)?;
        Ok(response)
    }

    async fn request<T>(&self, request: Request) -> Result<Response<T>, Error>
    where
        T: serde::de::DeserializeOwned,
    {
        let response = self.requester.get_from_request(request).await?;
        let response: Response<T> = serde_json::from_str(&response).map_err(Error::from)?;
        Ok(response)
    }

    /// Returns all books.
    pub async fn get_books(&self) -> Result<Vec<Book>, Error> {
        Ok(self.request_with_url::<Book>("book").await?.get_contents())
    }

    /// Returns all movies.
    pub async fn get_movies(&self) -> Result<Vec<Movie>, Error> {
        Ok(self
            .request_with_url::<Movie>("movie")
            .await?
            .get_contents())
    }

    /// Returns all the quotes. Due to the API default limit of 1000,
    /// this function has to set a hardcoded limit.
    /// Currently there are  2384 quotes on the api, so we call it with a limit of 2400
    /// to have a little bit of buffer in case the number of quotes increases
    pub async fn get_quotes(&self) -> Result<Vec<Quote>, Error> {
        Ok(self
            .request_with_url::<Quote>("quote?limit=2400")
            .await?
            .get_contents())
    }

    // Returns all the characters.
    pub async fn get_characters(&self) -> Result<Vec<Character>, Error> {
        Ok(self
            .request_with_url::<Character>("character")
            .await?
            .get_contents())
    }

    /// Returns all chapters.
    pub async fn get_chapters(&self) -> Result<Vec<Chapter>, Error> {
        Ok(self
            .request_with_url::<Chapter>("chapter")
            .await?
            .get_contents())
    }

    /// Returns the book with the given id.
    ///
    /// # Errors
    /// If there is no book with the given id, an error is returned.
    pub async fn get_book_by_id(&self, id: &str) -> Result<Book, Error> {
        let url = format!("book/{}", id);
        let mut books = self.request_with_url::<Book>(&url).await?.get_contents();
        books
            .pop()
            .ok_or(Error::Other("No book with id {} found".to_string()))
    }

    /// Returns the movie with the given id.
    ///
    /// # Errors
    /// If there is no movie with the given id, an error is returned.
    pub async fn get_movie_by_id(&self, id: &str) -> Result<Movie, Error> {
        let url = format!("movie/{}", id);
        let mut movies = self.request_with_url::<Movie>(&url).await?.get_contents();
        movies
            .pop()
            .ok_or(Error::Other("No movie with id {} found".to_string()))
    }

    /// Returns the quote with the given id.
    ///
    /// # Errors
    /// If there is no quote with the given id, an error is returned.
    pub async fn get_quote_by_id(&self, id: &str) -> Result<Quote, Error> {
        let url = format!("quote/{}", id);
        let mut quotes = self.request_with_url::<Quote>(&url).await?.get_contents();
        quotes
            .pop()
            .ok_or(Error::Other("No quote with id {} found".to_string()))
    }

    /// Returns the character with the given id.
    ///
    /// # Errors
    /// If there is no character with the given id, an error is returned.
    pub async fn get_character_by_id(&self, id: &str) -> Result<Character, Error> {
        let url = format!("character/{}", id);
        let mut characters = self
            .request_with_url::<Character>(&url)
            .await?
            .get_contents();
        characters
            .pop()
            .ok_or(Error::Other("No character with id {} found".to_string()))
    }

    /// Returns the chapter with the given id.
    ///
    /// # Errors
    /// If there is no chapter with the given id, an error is returned.
    pub async fn get_chapter_by_id(&self, id: &str) -> Result<Chapter, Error> {
        let url = format!("chapter/{}", id);
        let mut chapters = self.request_with_url::<Chapter>(&url).await?.get_contents();
        chapters
            .pop()
            .ok_or(Error::Other("No chapter with id {} found".to_string()))
    }

    /// Returns the chapters of the given book.
    pub async fn get_chapters_from_book(&self, book_id: &str) -> Result<Vec<Chapter>, Error> {
        let url = format!("book/{}/chapter", book_id);
        Ok(self.request_with_url::<Chapter>(&url).await?.get_contents())
    }

    /// Returns the quotes of the given book.
    pub async fn get_quotes_from_movie(&self, movie_id: &str) -> Result<Vec<Quote>, Error> {
        let url = format!("movie/{}/quote", movie_id);
        Ok(self.request_with_url::<Quote>(&url).await?.get_contents())
    }

    /// Returns the quotes of the given book.
    pub async fn get_quotes_from_character(&self, character_id: &str) -> Result<Vec<Quote>, Error> {
        let url = format!("character/{}/quote", character_id);
        Ok(self.request_with_url::<Quote>(&url).await?.get_contents())
    }

    /// returns the result of the given request.
    /// You must specify the type of the result, if not
    /// there is no way of deserialize the result.
    ///
    /// # Examples
    ///
    /// ```rust, no_run
    /// use lotr_api::{Client, ItemType};
    /// use lotr_api::Book;
    ///
    /// #[tokio::main]
    /// async fn main() {
    ///    let client = Client::new("your_token".to_string());
    ///    let url= "book?page=2&limit=2";
    ///    let books = client.get_from_url::<Book>(url).await.unwrap();
    ///    // ...
    /// }
    /// ```
    ///
    pub async fn get_from_url<T>(&self, url: &str) -> Result<Vec<T>, Error>
    where
        T: serde::de::DeserializeOwned,
    {
        Ok(self.request_with_url::<T>(url).await?.get_contents())
    }

    /// Returns the items of the given custom request.
    ///
    /// # Examples
    /// ```rust, no_run
    /// use lotr_api::{
    ///     attribute::{Attribute, BookAttribute},
    ///     filter::{Filter, Operator},
    ///     request::{
    ///         sort::{Sort, SortOrder},
    ///         RequestBuilder},
    ///     Client, Item, ItemType};
    ///
    /// #[tokio::main]
    /// async fn main() {
    ///    let client = Client::new("your_token".to_string());
    ///    let request = RequestBuilder::new(ItemType::Book)
    ///         .filter(Filter::Match(
    ///             Attribute::Book(BookAttribute::Name),
    ///             Operator::Eq,
    ///             vec!["The Fellowship of the Ring".to_string()])
    ///         )
    ///         .sort(Sort::new(SortOrder::Ascending, Attribute::Book(BookAttribute::Name)))
    ///         .build()
    ///        .expect("Failed to build request");
    ///     let books = client.get(request).await.unwrap();
    ///     // ...
    /// }
    ///     
    pub async fn get(&self, request: Request) -> Result<Vec<Item>, Error> {
        match request.get_item_type() {
            ItemType::Book => {
                let response = self.request::<Book>(request).await?;
                Ok(response.into())
            }

            ItemType::Movie => {
                let response = self.request::<Movie>(request).await?;
                Ok(response.into())
            }

            ItemType::Quote => {
                let response = self.request::<Quote>(request).await?;
                Ok(response.into())
            }

            ItemType::Character => {
                let response = self.request::<Character>(request).await?;
                Ok(response.into())
            }

            ItemType::Chapter => {
                let response = self.request::<Chapter>(request).await?;
                Ok(response.into())
            }
        }
    }
}