axum_extra/extract/
multipart.rs1use axum::{
6 body::{Body, Bytes},
7 extract::FromRequest,
8 response::{IntoResponse, Response},
9 RequestExt,
10};
11use axum_core::__composite_rejection as composite_rejection;
12use axum_core::__define_rejection as define_rejection;
13use futures_util::stream::Stream;
14use http::{
15 header::{HeaderMap, CONTENT_TYPE},
16 Request, StatusCode,
17};
18use std::{
19 error::Error,
20 fmt,
21 pin::Pin,
22 task::{Context, Poll},
23};
24
25#[cfg_attr(docsrs, doc(cfg(feature = "multipart")))]
89#[derive(Debug)]
90pub struct Multipart {
91 inner: multer::Multipart<'static>,
92}
93
94impl<S> FromRequest<S> for Multipart
95where
96 S: Send + Sync,
97{
98 type Rejection = MultipartRejection;
99
100 async fn from_request(req: Request<Body>, _state: &S) -> Result<Self, Self::Rejection> {
101 let boundary = parse_boundary(req.headers()).ok_or(InvalidBoundary)?;
102 let stream = req.with_limited_body().into_body();
103 let multipart = multer::Multipart::new(stream.into_data_stream(), boundary);
104 Ok(Self { inner: multipart })
105 }
106}
107
108impl Multipart {
109 pub async fn next_field(&mut self) -> Result<Option<Field>, MultipartError> {
111 let field = self
112 .inner
113 .next_field()
114 .await
115 .map_err(MultipartError::from_multer)?;
116
117 if let Some(field) = field {
118 Ok(Some(Field { inner: field }))
119 } else {
120 Ok(None)
121 }
122 }
123
124 pub fn into_stream(self) -> impl Stream<Item = Result<Field, MultipartError>> + Send + 'static {
126 futures_util::stream::try_unfold(self, |mut multipart| async move {
127 let field = multipart.next_field().await?;
128 Ok(field.map(|field| (field, multipart)))
129 })
130 }
131}
132
133#[derive(Debug)]
135pub struct Field {
136 inner: multer::Field<'static>,
137}
138
139impl Stream for Field {
140 type Item = Result<Bytes, MultipartError>;
141
142 fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> {
143 Pin::new(&mut self.inner)
144 .poll_next(cx)
145 .map_err(MultipartError::from_multer)
146 }
147}
148
149impl Field {
150 pub fn name(&self) -> Option<&str> {
154 self.inner.name()
155 }
156
157 pub fn file_name(&self) -> Option<&str> {
161 self.inner.file_name()
162 }
163
164 pub fn content_type(&self) -> Option<&str> {
166 self.inner.content_type().map(|m| m.as_ref())
167 }
168
169 pub fn headers(&self) -> &HeaderMap {
171 self.inner.headers()
172 }
173
174 pub async fn bytes(self) -> Result<Bytes, MultipartError> {
176 self.inner
177 .bytes()
178 .await
179 .map_err(MultipartError::from_multer)
180 }
181
182 pub async fn text(self) -> Result<String, MultipartError> {
184 self.inner.text().await.map_err(MultipartError::from_multer)
185 }
186
187 pub async fn chunk(&mut self) -> Result<Option<Bytes>, MultipartError> {
226 self.inner
227 .chunk()
228 .await
229 .map_err(MultipartError::from_multer)
230 }
231}
232
233#[derive(Debug)]
235pub struct MultipartError {
236 source: multer::Error,
237}
238
239impl MultipartError {
240 fn from_multer(multer: multer::Error) -> Self {
241 Self { source: multer }
242 }
243
244 pub fn body_text(&self) -> String {
246 axum_core::__log_rejection!(
247 rejection_type = Self,
248 body_text = self.body_text(),
249 status = self.status(),
250 );
251 self.source.to_string()
252 }
253
254 pub fn status(&self) -> http::StatusCode {
256 status_code_from_multer_error(&self.source)
257 }
258}
259
260fn status_code_from_multer_error(err: &multer::Error) -> StatusCode {
261 match err {
262 multer::Error::UnknownField { .. }
263 | multer::Error::IncompleteFieldData { .. }
264 | multer::Error::IncompleteHeaders
265 | multer::Error::ReadHeaderFailed(..)
266 | multer::Error::DecodeHeaderName { .. }
267 | multer::Error::DecodeContentType(..)
268 | multer::Error::NoBoundary
269 | multer::Error::DecodeHeaderValue { .. }
270 | multer::Error::NoMultipart
271 | multer::Error::IncompleteStream => StatusCode::BAD_REQUEST,
272 multer::Error::FieldSizeExceeded { .. } | multer::Error::StreamSizeExceeded { .. } => {
273 StatusCode::PAYLOAD_TOO_LARGE
274 }
275 multer::Error::StreamReadFailed(err) => {
276 if let Some(err) = err.downcast_ref::<multer::Error>() {
277 return status_code_from_multer_error(err);
278 }
279
280 if err
281 .downcast_ref::<axum::Error>()
282 .and_then(|err| err.source())
283 .and_then(|err| err.downcast_ref::<http_body_util::LengthLimitError>())
284 .is_some()
285 {
286 return StatusCode::PAYLOAD_TOO_LARGE;
287 }
288
289 StatusCode::INTERNAL_SERVER_ERROR
290 }
291 _ => StatusCode::INTERNAL_SERVER_ERROR,
292 }
293}
294
295impl IntoResponse for MultipartError {
296 fn into_response(self) -> Response {
297 (self.status(), self.body_text()).into_response()
298 }
299}
300
301impl fmt::Display for MultipartError {
302 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
303 write!(f, "Error parsing `multipart/form-data` request")
304 }
305}
306
307impl std::error::Error for MultipartError {
308 fn source(&self) -> Option<&(dyn std::error::Error + 'static)> {
309 Some(&self.source)
310 }
311}
312
313fn parse_boundary(headers: &HeaderMap) -> Option<String> {
314 let content_type = headers.get(CONTENT_TYPE)?.to_str().ok()?;
315 multer::parse_boundary(content_type).ok()
316}
317
318composite_rejection! {
319 pub enum MultipartRejection {
323 InvalidBoundary,
324 }
325}
326
327define_rejection! {
328 #[status = BAD_REQUEST]
329 #[body = "Invalid `boundary` for `multipart/form-data` request"]
330 pub struct InvalidBoundary;
333}
334
335#[cfg(test)]
336mod tests {
337 use super::*;
338 use crate::test_helpers::*;
339 use axum::{extract::DefaultBodyLimit, routing::post, Router};
340
341 #[tokio::test]
342 async fn content_type_with_encoding() {
343 const BYTES: &[u8] = "<!doctype html><title>🦀</title>".as_bytes();
344 const FILE_NAME: &str = "index.html";
345 const CONTENT_TYPE: &str = "text/html; charset=utf-8";
346
347 async fn handle(mut multipart: Multipart) -> impl IntoResponse {
348 let field = multipart.next_field().await.unwrap().unwrap();
349
350 assert_eq!(field.file_name().unwrap(), FILE_NAME);
351 assert_eq!(field.content_type().unwrap(), CONTENT_TYPE);
352 assert_eq!(field.bytes().await.unwrap(), BYTES);
353
354 assert!(multipart.next_field().await.unwrap().is_none());
355 }
356
357 let app = Router::new().route("/", post(handle));
358
359 let client = TestClient::new(app);
360
361 let form = reqwest::multipart::Form::new().part(
362 "file",
363 reqwest::multipart::Part::bytes(BYTES)
364 .file_name(FILE_NAME)
365 .mime_str(CONTENT_TYPE)
366 .unwrap(),
367 );
368
369 client.post("/").multipart(form).await;
370 }
371
372 fn _multipart_from_request_limited() {
374 async fn handler(_: Multipart) {}
375 let _app: Router<()> = Router::new().route("/", post(handler));
376 }
377
378 #[tokio::test]
379 async fn body_too_large() {
380 const BYTES: &[u8] = "<!doctype html><title>🦀</title>".as_bytes();
381
382 async fn handle(mut multipart: Multipart) -> Result<(), MultipartError> {
383 while let Some(field) = multipart.next_field().await? {
384 field.bytes().await?;
385 }
386 Ok(())
387 }
388
389 let app = Router::new()
390 .route("/", post(handle))
391 .layer(DefaultBodyLimit::max(BYTES.len() - 1));
392
393 let client = TestClient::new(app);
394
395 let form =
396 reqwest::multipart::Form::new().part("file", reqwest::multipart::Part::bytes(BYTES));
397
398 let res = client.post("/").multipart(form).await;
399 assert_eq!(res.status(), StatusCode::PAYLOAD_TOO_LARGE);
400 }
401}