1use std::pin::Pin;
2
3use bytes::Bytes;
4use futures::{stream::StreamExt, Stream};
5use reqwest::multipart::Form;
6use reqwest_eventsource::{Event, EventSource, RequestBuilderExt};
7use serde::{de::DeserializeOwned, Serialize};
8
9use crate::{
10 config::{Config, OpenAIConfig},
11 error::{map_deserialization_error, OpenAIError, WrappedError},
12 file::Files,
13 image::Images,
14 moderation::Moderations,
15 traits::AsyncTryFrom,
16 Assistants, Audio, AuditLogs, Batches, Chat, Completions, Embeddings, FineTuning, Invites,
17 Models, Projects, Threads, Uploads, Users, VectorStores,
18};
19
20#[derive(Debug, Clone, Default)]
21pub struct Client<C: Config> {
24 http_client: reqwest::Client,
25 config: C,
26 backoff: backoff::ExponentialBackoff,
27}
28
29impl Client<OpenAIConfig> {
30 pub fn new() -> Self {
32 Self::default()
33 }
34}
35
36impl<C: Config> Client<C> {
37 pub fn build(
39 http_client: reqwest::Client,
40 config: C,
41 backoff: backoff::ExponentialBackoff,
42 ) -> Self {
43 Self {
44 http_client,
45 config,
46 backoff,
47 }
48 }
49
50 pub fn with_config(config: C) -> Self {
52 Self {
53 http_client: reqwest::Client::new(),
54 config,
55 backoff: Default::default(),
56 }
57 }
58
59 pub fn with_http_client(mut self, http_client: reqwest::Client) -> Self {
63 self.http_client = http_client;
64 self
65 }
66
67 pub fn with_backoff(mut self, backoff: backoff::ExponentialBackoff) -> Self {
69 self.backoff = backoff;
70 self
71 }
72
73 pub fn models(&self) -> Models<C> {
77 Models::new(self)
78 }
79
80 pub fn completions(&self) -> Completions<C> {
82 Completions::new(self)
83 }
84
85 pub fn chat(&self) -> Chat<C> {
87 Chat::new(self)
88 }
89
90 pub fn images(&self) -> Images<C> {
92 Images::new(self)
93 }
94
95 pub fn moderations(&self) -> Moderations<C> {
97 Moderations::new(self)
98 }
99
100 pub fn files(&self) -> Files<C> {
102 Files::new(self)
103 }
104
105 pub fn uploads(&self) -> Uploads<C> {
107 Uploads::new(self)
108 }
109
110 pub fn fine_tuning(&self) -> FineTuning<C> {
112 FineTuning::new(self)
113 }
114
115 pub fn embeddings(&self) -> Embeddings<C> {
117 Embeddings::new(self)
118 }
119
120 pub fn audio(&self) -> Audio<C> {
122 Audio::new(self)
123 }
124
125 pub fn assistants(&self) -> Assistants<C> {
127 Assistants::new(self)
128 }
129
130 pub fn threads(&self) -> Threads<C> {
132 Threads::new(self)
133 }
134
135 pub fn vector_stores(&self) -> VectorStores<C> {
137 VectorStores::new(self)
138 }
139
140 pub fn batches(&self) -> Batches<C> {
142 Batches::new(self)
143 }
144
145 pub fn audit_logs(&self) -> AuditLogs<C> {
147 AuditLogs::new(self)
148 }
149
150 pub fn invites(&self) -> Invites<C> {
152 Invites::new(self)
153 }
154
155 pub fn users(&self) -> Users<C> {
157 Users::new(self)
158 }
159
160 pub fn projects(&self) -> Projects<C> {
162 Projects::new(self)
163 }
164
165 pub fn config(&self) -> &C {
166 &self.config
167 }
168
169 pub(crate) async fn get<O>(&self, path: &str) -> Result<O, OpenAIError>
171 where
172 O: DeserializeOwned,
173 {
174 let request_maker = || async {
175 Ok(self
176 .http_client
177 .get(self.config.url(path))
178 .query(&self.config.query())
179 .headers(self.config.headers())
180 .build()?)
181 };
182
183 self.execute(request_maker).await
184 }
185
186 pub(crate) async fn get_with_query<Q, O>(&self, path: &str, query: &Q) -> Result<O, OpenAIError>
188 where
189 O: DeserializeOwned,
190 Q: Serialize + ?Sized,
191 {
192 let request_maker = || async {
193 Ok(self
194 .http_client
195 .get(self.config.url(path))
196 .query(&self.config.query())
197 .query(query)
198 .headers(self.config.headers())
199 .build()?)
200 };
201
202 self.execute(request_maker).await
203 }
204
205 pub(crate) async fn delete<O>(&self, path: &str) -> Result<O, OpenAIError>
207 where
208 O: DeserializeOwned,
209 {
210 let request_maker = || async {
211 Ok(self
212 .http_client
213 .delete(self.config.url(path))
214 .query(&self.config.query())
215 .headers(self.config.headers())
216 .build()?)
217 };
218
219 self.execute(request_maker).await
220 }
221
222 pub(crate) async fn get_raw(&self, path: &str) -> Result<Bytes, OpenAIError> {
224 let request_maker = || async {
225 Ok(self
226 .http_client
227 .get(self.config.url(path))
228 .query(&self.config.query())
229 .headers(self.config.headers())
230 .build()?)
231 };
232
233 self.execute_raw(request_maker).await
234 }
235
236 pub(crate) async fn post_raw<I>(&self, path: &str, request: I) -> Result<Bytes, OpenAIError>
238 where
239 I: Serialize,
240 {
241 let request_maker = || async {
242 Ok(self
243 .http_client
244 .post(self.config.url(path))
245 .query(&self.config.query())
246 .headers(self.config.headers())
247 .json(&request)
248 .build()?)
249 };
250
251 self.execute_raw(request_maker).await
252 }
253
254 pub(crate) async fn post<I, O>(&self, path: &str, request: I) -> Result<O, OpenAIError>
256 where
257 I: Serialize,
258 O: DeserializeOwned,
259 {
260 let request_maker = || async {
261 Ok(self
262 .http_client
263 .post(self.config.url(path))
264 .query(&self.config.query())
265 .headers(self.config.headers())
266 .json(&request)
267 .build()?)
268 };
269
270 self.execute(request_maker).await
271 }
272
273 pub(crate) async fn post_form_raw<F>(&self, path: &str, form: F) -> Result<Bytes, OpenAIError>
275 where
276 Form: AsyncTryFrom<F, Error = OpenAIError>,
277 F: Clone,
278 {
279 let request_maker = || async {
280 Ok(self
281 .http_client
282 .post(self.config.url(path))
283 .query(&self.config.query())
284 .headers(self.config.headers())
285 .multipart(<Form as AsyncTryFrom<F>>::try_from(form.clone()).await?)
286 .build()?)
287 };
288
289 self.execute_raw(request_maker).await
290 }
291
292 pub(crate) async fn post_form<O, F>(&self, path: &str, form: F) -> Result<O, OpenAIError>
294 where
295 O: DeserializeOwned,
296 Form: AsyncTryFrom<F, Error = OpenAIError>,
297 F: Clone,
298 {
299 let request_maker = || async {
300 Ok(self
301 .http_client
302 .post(self.config.url(path))
303 .query(&self.config.query())
304 .headers(self.config.headers())
305 .multipart(<Form as AsyncTryFrom<F>>::try_from(form.clone()).await?)
306 .build()?)
307 };
308
309 self.execute(request_maker).await
310 }
311
312 async fn execute_raw<M, Fut>(&self, request_maker: M) -> Result<Bytes, OpenAIError>
318 where
319 M: Fn() -> Fut,
320 Fut: core::future::Future<Output = Result<reqwest::Request, OpenAIError>>,
321 {
322 let client = self.http_client.clone();
323
324 backoff::future::retry(self.backoff.clone(), || async {
325 let request = request_maker().await.map_err(backoff::Error::Permanent)?;
326 let response = client
327 .execute(request)
328 .await
329 .map_err(OpenAIError::Reqwest)
330 .map_err(backoff::Error::Permanent)?;
331
332 let status = response.status();
333 let bytes = response
334 .bytes()
335 .await
336 .map_err(OpenAIError::Reqwest)
337 .map_err(backoff::Error::Permanent)?;
338
339 if !status.is_success() {
341 let wrapped_error: WrappedError = serde_json::from_slice(bytes.as_ref())
342 .map_err(|e| map_deserialization_error(e, bytes.as_ref()))
343 .map_err(backoff::Error::Permanent)?;
344
345 if status.as_u16() == 429
346 && wrapped_error.error.r#type != Some("insufficient_quota".to_string())
349 {
350 tracing::warn!("Rate limited: {}", wrapped_error.error.message);
352 return Err(backoff::Error::Transient {
353 err: OpenAIError::ApiError(wrapped_error.error),
354 retry_after: None,
355 });
356 } else {
357 return Err(backoff::Error::Permanent(OpenAIError::ApiError(
358 wrapped_error.error,
359 )));
360 }
361 }
362
363 Ok(bytes)
364 })
365 .await
366 }
367
368 async fn execute<O, M, Fut>(&self, request_maker: M) -> Result<O, OpenAIError>
374 where
375 O: DeserializeOwned,
376 M: Fn() -> Fut,
377 Fut: core::future::Future<Output = Result<reqwest::Request, OpenAIError>>,
378 {
379 let bytes = self.execute_raw(request_maker).await?;
380
381 let response: O = serde_json::from_slice(bytes.as_ref())
382 .map_err(|e| map_deserialization_error(e, bytes.as_ref()))?;
383
384 Ok(response)
385 }
386
387 pub(crate) async fn post_stream<I, O>(
389 &self,
390 path: &str,
391 request: I,
392 ) -> Pin<Box<dyn Stream<Item = Result<O, OpenAIError>> + Send>>
393 where
394 I: Serialize,
395 O: DeserializeOwned + std::marker::Send + 'static,
396 {
397 let event_source = self
398 .http_client
399 .post(self.config.url(path))
400 .query(&self.config.query())
401 .headers(self.config.headers())
402 .json(&request)
403 .eventsource()
404 .unwrap();
405
406 stream(event_source).await
407 }
408
409 pub(crate) async fn post_stream_mapped_raw_events<I, O>(
410 &self,
411 path: &str,
412 request: I,
413 event_mapper: impl Fn(eventsource_stream::Event) -> Result<O, OpenAIError> + Send + 'static,
414 ) -> Pin<Box<dyn Stream<Item = Result<O, OpenAIError>> + Send>>
415 where
416 I: Serialize,
417 O: DeserializeOwned + std::marker::Send + 'static,
418 {
419 let event_source = self
420 .http_client
421 .post(self.config.url(path))
422 .query(&self.config.query())
423 .headers(self.config.headers())
424 .json(&request)
425 .eventsource()
426 .unwrap();
427
428 stream_mapped_raw_events(event_source, event_mapper).await
429 }
430
431 pub(crate) async fn _get_stream<Q, O>(
433 &self,
434 path: &str,
435 query: &Q,
436 ) -> Pin<Box<dyn Stream<Item = Result<O, OpenAIError>> + Send>>
437 where
438 Q: Serialize + ?Sized,
439 O: DeserializeOwned + std::marker::Send + 'static,
440 {
441 let event_source = self
442 .http_client
443 .get(self.config.url(path))
444 .query(query)
445 .query(&self.config.query())
446 .headers(self.config.headers())
447 .eventsource()
448 .unwrap();
449
450 stream(event_source).await
451 }
452}
453
454pub(crate) async fn stream<O>(
457 mut event_source: EventSource,
458) -> Pin<Box<dyn Stream<Item = Result<O, OpenAIError>> + Send>>
459where
460 O: DeserializeOwned + std::marker::Send + 'static,
461{
462 let (tx, rx) = tokio::sync::mpsc::unbounded_channel();
463
464 tokio::spawn(async move {
465 while let Some(ev) = event_source.next().await {
466 match ev {
467 Err(e) => {
468 if let Err(_e) = tx.send(Err(OpenAIError::StreamError(e.to_string()))) {
469 break;
471 }
472 }
473 Ok(event) => match event {
474 Event::Message(message) => {
475 if message.data == "[DONE]" {
476 break;
477 }
478
479 let response = match serde_json::from_str::<O>(&message.data) {
480 Err(e) => Err(map_deserialization_error(e, message.data.as_bytes())),
481 Ok(output) => Ok(output),
482 };
483
484 if let Err(_e) = tx.send(response) {
485 break;
487 }
488 }
489 Event::Open => continue,
490 },
491 }
492 }
493
494 event_source.close();
495 });
496
497 Box::pin(tokio_stream::wrappers::UnboundedReceiverStream::new(rx))
498}
499
500pub(crate) async fn stream_mapped_raw_events<O>(
501 mut event_source: EventSource,
502 event_mapper: impl Fn(eventsource_stream::Event) -> Result<O, OpenAIError> + Send + 'static,
503) -> Pin<Box<dyn Stream<Item = Result<O, OpenAIError>> + Send>>
504where
505 O: DeserializeOwned + std::marker::Send + 'static,
506{
507 let (tx, rx) = tokio::sync::mpsc::unbounded_channel();
508
509 tokio::spawn(async move {
510 while let Some(ev) = event_source.next().await {
511 match ev {
512 Err(e) => {
513 if let Err(_e) = tx.send(Err(OpenAIError::StreamError(e.to_string()))) {
514 break;
516 }
517 }
518 Ok(event) => match event {
519 Event::Message(message) => {
520 let mut done = false;
521
522 if message.data == "[DONE]" {
523 done = true;
524 }
525
526 let response = event_mapper(message);
527
528 if let Err(_e) = tx.send(response) {
529 break;
531 }
532
533 if done {
534 break;
535 }
536 }
537 Event::Open => continue,
538 },
539 }
540 }
541
542 event_source.close();
543 });
544
545 Box::pin(tokio_stream::wrappers::UnboundedReceiverStream::new(rx))
546}