matrix_sdk/http_client/
mod.rs

1// Copyright 2020 The Matrix.org Foundation C.I.C.
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7//     http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15use std::{
16    any::type_name,
17    borrow::Cow,
18    fmt::Debug,
19    num::NonZeroUsize,
20    sync::{
21        Arc,
22        atomic::{AtomicU64, Ordering},
23    },
24    time::Duration,
25};
26
27use bytes::{Bytes, BytesMut};
28use bytesize::ByteSize;
29use eyeball::SharedObservable;
30use http::Method;
31use matrix_sdk_base::SendOutsideWasm;
32use ruma::api::{
33    OutgoingRequest, SupportedVersions,
34    auth_scheme::{AuthScheme, SendAccessToken},
35    error::{FromHttpResponseError, IntoHttpError},
36    path_builder,
37};
38use tokio::sync::{Semaphore, SemaphorePermit};
39use tracing::{debug, field::debug, instrument, trace};
40
41use crate::{HttpResult, client::caches::CachedValue, config::RequestConfig, error::HttpError};
42
43#[cfg(not(target_family = "wasm"))]
44mod native;
45#[cfg(target_family = "wasm")]
46mod wasm;
47
48#[cfg(not(target_family = "wasm"))]
49pub(crate) use native::HttpSettings;
50
51pub(crate) const DEFAULT_REQUEST_TIMEOUT: Duration = Duration::from_secs(30);
52
53#[derive(Clone, Debug)]
54struct MaybeSemaphore(Arc<Option<Semaphore>>);
55
56#[allow(dead_code)] // false-positive lint: we never use it but only hold it for the drop
57struct MaybeSemaphorePermit<'a>(Option<SemaphorePermit<'a>>);
58
59impl MaybeSemaphore {
60    fn new(max: Option<NonZeroUsize>) -> Self {
61        let inner = max.map(|i| Semaphore::new(i.into()));
62        MaybeSemaphore(Arc::new(inner))
63    }
64
65    async fn acquire(&self) -> MaybeSemaphorePermit<'_> {
66        match self.0.as_ref() {
67            Some(inner) => {
68                // This can only ever error if the semaphore was closed,
69                // which we never do, so we can safely ignore any error case
70                MaybeSemaphorePermit(inner.acquire().await.ok())
71            }
72            None => MaybeSemaphorePermit(None),
73        }
74    }
75}
76
77#[derive(Clone, Debug)]
78pub(crate) struct HttpClient {
79    pub(crate) inner: reqwest::Client,
80    pub(crate) request_config: RequestConfig,
81    concurrent_request_semaphore: MaybeSemaphore,
82    next_request_id: Arc<AtomicU64>,
83}
84
85impl HttpClient {
86    pub(crate) fn new(inner: reqwest::Client, request_config: RequestConfig) -> Self {
87        HttpClient {
88            inner,
89            request_config,
90            concurrent_request_semaphore: MaybeSemaphore::new(
91                request_config.max_concurrent_requests,
92            ),
93            next_request_id: AtomicU64::new(0).into(),
94        }
95    }
96
97    fn get_request_id(&self) -> String {
98        let request_id = self.next_request_id.fetch_add(1, Ordering::SeqCst);
99        format!("REQ-{request_id}")
100    }
101
102    fn serialize_request<R>(
103        &self,
104        request: R,
105        config: RequestConfig,
106        homeserver: String,
107        access_token: Option<&str>,
108        path_builder_input: <R::PathBuilder as path_builder::PathBuilder>::Input<'_>,
109    ) -> Result<http::Request<Bytes>, IntoHttpError>
110    where
111        R: OutgoingRequest + Debug,
112        for<'a> R::Authentication: AuthScheme<Input<'a> = SendAccessToken<'a>>,
113    {
114        trace!(request_type = type_name::<R>(), "Serializing request");
115
116        let send_access_token = match access_token {
117            Some(access_token) => match (config.force_auth, config.skip_auth) {
118                (true, true) | (true, false) => SendAccessToken::Always(access_token),
119                (false, true) => SendAccessToken::None,
120                (false, false) => SendAccessToken::IfRequired(access_token),
121            },
122            None => SendAccessToken::None,
123        };
124
125        let request = request
126            .try_into_http_request::<BytesMut>(&homeserver, send_access_token, path_builder_input)?
127            .map(|body| body.freeze());
128
129        Ok(request)
130    }
131
132    #[allow(clippy::too_many_arguments)]
133    #[instrument(
134        skip(self, request, config, homeserver, access_token, path_builder_input, send_progress),
135        fields(
136            uri,
137            method,
138            request_id,
139            request_size,
140            request_duration,
141            status,
142            response_size,
143            sentry_event_id
144        )
145    )]
146    pub async fn send<R>(
147        &self,
148        request: R,
149        config: Option<RequestConfig>,
150        homeserver: String,
151        access_token: Option<&str>,
152        path_builder_input: <R::PathBuilder as path_builder::PathBuilder>::Input<'_>,
153        send_progress: SharedObservable<TransmissionProgress>,
154    ) -> Result<R::IncomingResponse, HttpError>
155    where
156        R: OutgoingRequest + Debug,
157        for<'a> R::Authentication: AuthScheme<Input<'a> = SendAccessToken<'a>>,
158        HttpError: From<FromHttpResponseError<R::EndpointError>>,
159    {
160        let config = match config {
161            Some(config) => config,
162            None => self.request_config,
163        };
164
165        // Keep some local variables in a separate scope so the compiler doesn't include
166        // them in the future type. https://github.com/rust-lang/rust/issues/57478
167        let request = {
168            let request_id = self.get_request_id();
169            let span = tracing::Span::current();
170
171            // At this point in the code, the config isn't behind an Option anymore, that's
172            // why we record it here, instead of in the #[instrument] macro.
173            span.record("config", debug(config)).record("request_id", request_id);
174
175            let request = self
176                .serialize_request(request, config, homeserver, access_token, path_builder_input)
177                .map_err(HttpError::IntoHttp)?;
178
179            let method = request.method();
180
181            let mut uri_parts = request.uri().clone().into_parts();
182
183            // Erase the query parameters for the sake of secrecy (in case a token is
184            // present).
185            if let Some(path_and_query) = &mut uri_parts.path_and_query {
186                *path_and_query =
187                    path_and_query.path().try_into().expect("path is valid PathAndQuery");
188            }
189
190            let uri = http::Uri::from_parts(uri_parts).expect("created from valid URI");
191
192            span.record("method", debug(method)).record("uri", uri.to_string());
193
194            // POST, PUT, PATCH are the only methods that are reasonably used
195            // in conjunction with request bodies
196            if [Method::POST, Method::PUT, Method::PATCH].contains(method) {
197                let request_size = request.body().len().try_into().unwrap_or(u64::MAX);
198                span.record(
199                    "request_size",
200                    ByteSize(request_size).display().si_short().to_string(),
201                );
202            }
203
204            request
205        };
206
207        // will be automatically dropped at the end of this function
208        let _handle = self.concurrent_request_semaphore.acquire().await;
209
210        // There's a bunch of state in send_request, factor out a pinned inner
211        // future to reduce this size of futures that await this function.
212        match Box::pin(self.send_request::<R>(request, config, send_progress)).await {
213            Ok(response) => {
214                debug!("Got response");
215                Ok(response)
216            }
217            Err(e) => {
218                debug!("Error while sending request: {e:?}");
219                Err(e)
220            }
221        }
222    }
223}
224
225/// Progress of sending or receiving a payload.
226#[derive(Clone, Copy, Debug, Default)]
227pub struct TransmissionProgress {
228    /// How many bytes were already transferred.
229    pub current: usize,
230    /// How many bytes there are in total.
231    pub total: usize,
232}
233
234async fn response_to_http_response(
235    mut response: reqwest::Response,
236) -> Result<http::Response<Bytes>, reqwest::Error> {
237    let status = response.status();
238
239    let mut http_builder = http::Response::builder().status(status);
240    let headers = http_builder.headers_mut().expect("Can't get the response builder headers");
241
242    for (k, v) in response.headers_mut().drain() {
243        if let Some(key) = k {
244            headers.insert(key, v);
245        }
246    }
247
248    let body = response.bytes().await?;
249
250    Ok(http_builder.body(body).expect("Can't construct a response using the given body"))
251}
252
253/// Marker trait to identify the authentication schemes that the
254/// [`Client`](crate::Client) supports.
255///
256/// This trait can also be implemented for custom
257/// [`PathBuilder`](path_builder::PathBuilder)s if necessary.
258pub trait SupportedPathBuilder: path_builder::PathBuilder {
259    fn get_path_builder_input(
260        client: &crate::Client,
261        skip_auth: bool,
262    ) -> impl Future<Output = HttpResult<Self::Input<'static>>> + SendOutsideWasm;
263}
264
265impl SupportedPathBuilder for path_builder::VersionHistory {
266    async fn get_path_builder_input(
267        client: &crate::Client,
268        skip_auth: bool,
269    ) -> HttpResult<Cow<'static, SupportedVersions>> {
270        // We always enable "failsafe" mode for the GET /versions requests in this
271        // function. It disables trying to refresh the access token for those requests,
272        // to avoid possible deadlocks.
273
274        if !client.auth_ctx().has_valid_access_token() {
275            // Get the value in the cache without waiting. If the lock is not available, we
276            // are in the middle of refreshing the cache so waiting for it would result in a
277            // deadlock.
278            if let Ok(CachedValue::Cached(versions)) =
279                client.inner.caches.supported_versions.try_read().as_deref()
280            {
281                return Ok(Cow::Owned(versions.clone()));
282            }
283
284            // The request will skip auth so we might not get all the supported features, so
285            // just fetch the supported versions and don't cache them.
286            let response = client.fetch_server_versions_inner(true, None).await?;
287
288            Ok(Cow::Owned(response.as_supported_versions()))
289        } else if skip_auth {
290            let cached_versions = client.get_cached_supported_versions().await;
291
292            let versions = if let Some(versions) = cached_versions {
293                versions
294            } else {
295                // If we're skipping auth we might not get all the supported features, so just
296                // fetch the versions and don't cache them.
297                let request_config = RequestConfig::default().retry_limit(5).skip_auth();
298                let response =
299                    client.fetch_server_versions_inner(true, Some(request_config)).await?;
300
301                response.as_supported_versions()
302            };
303
304            Ok(Cow::Owned(versions))
305        } else {
306            client.supported_versions_inner(true).await.map(Cow::Owned)
307        }
308    }
309}
310
311impl SupportedPathBuilder for path_builder::SinglePath {
312    async fn get_path_builder_input(_client: &crate::Client, _skip_auth: bool) -> HttpResult<()> {
313        Ok(())
314    }
315}
316
317#[cfg(all(test, not(target_family = "wasm")))]
318mod tests {
319    use std::{
320        num::NonZeroUsize,
321        sync::{
322            Arc,
323            atomic::{AtomicU8, Ordering},
324        },
325        time::Duration,
326    };
327
328    use matrix_sdk_common::executor::spawn;
329    use matrix_sdk_test::{async_test, test_json};
330    use wiremock::{
331        Mock, Request, ResponseTemplate,
332        matchers::{method, path},
333    };
334
335    use crate::{
336        http_client::RequestConfig,
337        test_utils::{set_client_session, test_client_builder_with_server},
338    };
339
340    #[async_test]
341    async fn test_ensure_concurrent_request_limit_is_observed() {
342        let (client_builder, server) = test_client_builder_with_server().await;
343        let client = client_builder
344            .request_config(RequestConfig::default().max_concurrent_requests(NonZeroUsize::new(5)))
345            .build()
346            .await
347            .unwrap();
348
349        set_client_session(&client).await;
350
351        let counter = Arc::new(AtomicU8::new(0));
352        let inner_counter = counter.clone();
353
354        Mock::given(method("GET"))
355            .and(path("/_matrix/client/versions"))
356            .respond_with(ResponseTemplate::new(200).set_body_json(&*test_json::VERSIONS))
357            .mount(&server)
358            .await;
359
360        Mock::given(method("GET"))
361            .and(path("_matrix/client/r0/account/whoami"))
362            .respond_with(move |_req: &Request| {
363                inner_counter.fetch_add(1, Ordering::SeqCst);
364                // we stall the requests
365                ResponseTemplate::new(200).set_delay(Duration::from_secs(60))
366            })
367            .mount(&server)
368            .await;
369
370        let bg_task = spawn(async move {
371            futures_util::future::join_all((0..10).map(|_| client.whoami())).await
372        });
373
374        // give it some time to issue the requests
375        tokio::time::sleep(Duration::from_millis(300)).await;
376
377        assert_eq!(
378            counter.load(Ordering::SeqCst),
379            5,
380            "More requests passed than the limit we configured"
381        );
382        bg_task.abort();
383    }
384
385    #[async_test]
386    async fn test_ensure_no_max_concurrent_request_does_not_limit() {
387        let (client_builder, server) = test_client_builder_with_server().await;
388        let client = client_builder
389            .request_config(RequestConfig::default().max_concurrent_requests(None))
390            .build()
391            .await
392            .unwrap();
393
394        set_client_session(&client).await;
395
396        let counter = Arc::new(AtomicU8::new(0));
397        let inner_counter = counter.clone();
398
399        Mock::given(method("GET"))
400            .and(path("/_matrix/client/versions"))
401            .respond_with(ResponseTemplate::new(200).set_body_json(&*test_json::VERSIONS))
402            .mount(&server)
403            .await;
404
405        Mock::given(method("GET"))
406            .and(path("_matrix/client/r0/account/whoami"))
407            .respond_with(move |_req: &Request| {
408                inner_counter.fetch_add(1, Ordering::SeqCst);
409                ResponseTemplate::new(200).set_delay(Duration::from_secs(60))
410            })
411            .mount(&server)
412            .await;
413
414        let bg_task = spawn(async move {
415            futures_util::future::join_all((0..254).map(|_| client.whoami())).await
416        });
417
418        // give it some time to issue the requests
419        tokio::time::sleep(Duration::from_secs(1)).await;
420
421        assert_eq!(counter.load(Ordering::SeqCst), 254, "Not all requests passed through");
422        bg_task.abort();
423    }
424}