-
Notifications
You must be signed in to change notification settings - Fork 1.1k
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Add JsonLines
extractor and response
#1093
Merged
Merged
Changes from all commits
Commits
Show all changes
8 commits
Select commit
Hold shift + click to select a range
5ea6e54
Add `NdJson` response
davidpdrsn 7112ac4
changelog
davidpdrsn f114316
sort deps
davidpdrsn 4691dbe
Update axum-extra/src/ndjson.rs
davidpdrsn 555d201
rename to `JsonLines`
davidpdrsn 2cc6714
fix rename
davidpdrsn 29597a4
update the last references to "ndjson"
davidpdrsn ea60d61
Merge branch 'main' into ndjson
davidpdrsn File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,286 @@ | ||
//! Newline delimited JSON extractor and response. | ||
|
||
use axum::{ | ||
async_trait, | ||
body::{HttpBody, StreamBody}, | ||
extract::{rejection::BodyAlreadyExtracted, FromRequest, RequestParts}, | ||
response::{IntoResponse, Response}, | ||
BoxError, | ||
}; | ||
use bytes::{BufMut, Bytes, BytesMut}; | ||
use futures_util::stream::{BoxStream, Stream, TryStream, TryStreamExt}; | ||
use pin_project_lite::pin_project; | ||
use serde::{de::DeserializeOwned, Serialize}; | ||
use std::{ | ||
io::{self, Write}, | ||
marker::PhantomData, | ||
pin::Pin, | ||
task::{Context, Poll}, | ||
}; | ||
use tokio::io::AsyncBufReadExt; | ||
use tokio_stream::wrappers::LinesStream; | ||
use tokio_util::io::StreamReader; | ||
|
||
pin_project! { | ||
/// A stream of newline delimited JSON. | ||
/// | ||
/// This can be used both as an extractor and as a response. | ||
/// | ||
/// # As extractor | ||
/// | ||
/// ```rust | ||
/// use axum_extra::json_lines::JsonLines; | ||
/// use futures::stream::StreamExt; | ||
/// | ||
/// async fn handler(mut stream: JsonLines<serde_json::Value>) { | ||
/// while let Some(value) = stream.next().await { | ||
/// // ... | ||
/// } | ||
/// } | ||
/// ``` | ||
/// | ||
/// # As response | ||
/// | ||
/// ```rust | ||
/// use axum::{BoxError, response::{IntoResponse, Response}}; | ||
/// use axum_extra::json_lines::JsonLines; | ||
/// use futures::stream::Stream; | ||
/// | ||
/// fn stream_of_values() -> impl Stream<Item = Result<serde_json::Value, BoxError>> { | ||
/// # futures::stream::empty() | ||
/// } | ||
/// | ||
/// async fn handler() -> Response { | ||
/// JsonLines::new(stream_of_values()).into_response() | ||
/// } | ||
/// ``` | ||
// we use `AsExtractor` as the default because you're more likely to name this type if its used | ||
// as an extractor | ||
pub struct JsonLines<S, T = AsExtractor> { | ||
#[pin] | ||
inner: Inner<S>, | ||
_marker: PhantomData<T>, | ||
} | ||
} | ||
|
||
pin_project! { | ||
#[project = InnerProj] | ||
enum Inner<S> { | ||
Response { | ||
#[pin] | ||
stream: S, | ||
}, | ||
Extractor { | ||
#[pin] | ||
stream: BoxStream<'static, Result<S, axum::Error>>, | ||
}, | ||
} | ||
} | ||
|
||
/// Maker type used to prove that an `JsonLines` was constructed via `FromRequest`. | ||
#[derive(Debug)] | ||
#[non_exhaustive] | ||
pub struct AsExtractor; | ||
|
||
/// Maker type used to prove that an `JsonLines` was constructed via `JsonLines::new`. | ||
#[derive(Debug)] | ||
#[non_exhaustive] | ||
pub struct AsResponse; | ||
|
||
impl<S> JsonLines<S, AsResponse> { | ||
/// Create a new `JsonLines` from a stream of items. | ||
pub fn new(stream: S) -> Self { | ||
Self { | ||
inner: Inner::Response { stream }, | ||
_marker: PhantomData, | ||
} | ||
} | ||
} | ||
|
||
#[async_trait] | ||
impl<B, T> FromRequest<B> for JsonLines<T, AsExtractor> | ||
where | ||
B: HttpBody + Send + 'static, | ||
B::Data: Into<Bytes>, | ||
B::Error: Into<BoxError>, | ||
T: DeserializeOwned, | ||
{ | ||
type Rejection = BodyAlreadyExtracted; | ||
|
||
async fn from_request(req: &mut RequestParts<B>) -> Result<Self, Self::Rejection> { | ||
// `Stream::lines` isn't a thing so we have to convert it into an `AsyncRead` | ||
// so we can call `AsyncRead::lines` and then convert it back to a `Stream` | ||
|
||
let body = req.take_body().ok_or_else(BodyAlreadyExtracted::default)?; | ||
let body = BodyStream { body }; | ||
|
||
let stream = body | ||
.map_ok(Into::into) | ||
.map_err(|err| io::Error::new(io::ErrorKind::Other, err)); | ||
let read = StreamReader::new(stream); | ||
let lines_stream = LinesStream::new(read.lines()); | ||
|
||
let deserialized_stream = | ||
lines_stream | ||
.map_err(axum::Error::new) | ||
.and_then(|value| async move { | ||
serde_json::from_str::<T>(&value).map_err(axum::Error::new) | ||
}); | ||
|
||
Ok(Self { | ||
inner: Inner::Extractor { | ||
stream: Box::pin(deserialized_stream), | ||
}, | ||
_marker: PhantomData, | ||
}) | ||
} | ||
} | ||
|
||
// like `axum::extract::BodyStream` except it doesn't box the inner body | ||
// we don't need that since we box the final stream in `Inner::Extractor` | ||
pin_project! { | ||
struct BodyStream<B> { | ||
#[pin] | ||
body: B, | ||
} | ||
} | ||
|
||
impl<B> Stream for BodyStream<B> | ||
where | ||
B: HttpBody + Send + 'static, | ||
{ | ||
type Item = Result<B::Data, B::Error>; | ||
|
||
fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { | ||
self.project().body.poll_data(cx) | ||
} | ||
} | ||
|
||
impl<T> Stream for JsonLines<T, AsExtractor> { | ||
type Item = Result<T, axum::Error>; | ||
|
||
fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { | ||
match self.project().inner.project() { | ||
InnerProj::Extractor { stream } => stream.poll_next(cx), | ||
// `JsonLines<_, AsExtractor>` can only be constructed via `FromRequest` | ||
// which doesn't use this variant | ||
InnerProj::Response { .. } => unreachable!(), | ||
} | ||
} | ||
} | ||
|
||
impl<S> IntoResponse for JsonLines<S, AsResponse> | ||
where | ||
S: TryStream + Send + 'static, | ||
S::Ok: Serialize + Send, | ||
S::Error: Into<BoxError>, | ||
{ | ||
fn into_response(self) -> Response { | ||
let inner = match self.inner { | ||
Inner::Response { stream } => stream, | ||
// `JsonLines<_, AsResponse>` can only be constructed via `JsonLines::new` | ||
// which doesn't use this variant | ||
Inner::Extractor { .. } => unreachable!(), | ||
}; | ||
|
||
let stream = inner.map_err(Into::into).and_then(|value| async move { | ||
let mut buf = BytesMut::new().writer(); | ||
serde_json::to_writer(&mut buf, &value)?; | ||
buf.write_all(b"\n")?; | ||
Ok::<_, BoxError>(buf.into_inner().freeze()) | ||
}); | ||
let stream = StreamBody::new(stream); | ||
|
||
// there is no consensus around mime type yet | ||
// https://github.com/wardi/jsonlines/issues/36 | ||
stream.into_response() | ||
} | ||
} | ||
|
||
#[cfg(test)] | ||
mod tests { | ||
use super::*; | ||
use crate::test_helpers::*; | ||
use axum::{ | ||
routing::{get, post}, | ||
Router, | ||
}; | ||
use futures_util::StreamExt; | ||
use http::StatusCode; | ||
use serde::Deserialize; | ||
use std::{convert::Infallible, error::Error}; | ||
|
||
#[derive(Serialize, Deserialize, PartialEq, Eq, Debug)] | ||
struct User { | ||
id: i32, | ||
} | ||
|
||
#[tokio::test] | ||
async fn extractor() { | ||
let app = Router::new().route( | ||
"/", | ||
post(|mut stream: JsonLines<User>| async move { | ||
assert_eq!(stream.next().await.unwrap().unwrap(), User { id: 1 }); | ||
assert_eq!(stream.next().await.unwrap().unwrap(), User { id: 2 }); | ||
assert_eq!(stream.next().await.unwrap().unwrap(), User { id: 3 }); | ||
|
||
// sources are downcastable to `serde_json::Error` | ||
let err = stream.next().await.unwrap().unwrap_err(); | ||
let _: &serde_json::Error = err | ||
.source() | ||
.unwrap() | ||
.downcast_ref::<serde_json::Error>() | ||
.unwrap(); | ||
}), | ||
); | ||
|
||
let client = TestClient::new(app); | ||
|
||
let res = client | ||
.post("/") | ||
.body( | ||
vec![ | ||
"{\"id\":1}", | ||
"{\"id\":2}", | ||
"{\"id\":3}", | ||
// to trigger an error for source downcasting | ||
"{\"id\":false}", | ||
] | ||
.join("\n"), | ||
) | ||
.send() | ||
.await; | ||
assert_eq!(res.status(), StatusCode::OK); | ||
} | ||
|
||
#[tokio::test] | ||
async fn response() { | ||
let app = Router::new().route( | ||
"/", | ||
get(|| async { | ||
let values = futures_util::stream::iter(vec![ | ||
Ok::<_, Infallible>(User { id: 1 }), | ||
Ok::<_, Infallible>(User { id: 2 }), | ||
Ok::<_, Infallible>(User { id: 3 }), | ||
]); | ||
JsonLines::new(values) | ||
}), | ||
); | ||
|
||
let client = TestClient::new(app); | ||
|
||
let res = client.get("/").send().await; | ||
|
||
let values = res | ||
.text() | ||
.await | ||
.lines() | ||
.map(|line| serde_json::from_str::<User>(line).unwrap()) | ||
.collect::<Vec<_>>(); | ||
|
||
assert_eq!( | ||
values, | ||
vec![User { id: 1 }, User { id: 2 }, User { id: 3 },] | ||
); | ||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
In
axum
, only theJson
type is exported at the root, not thejson
module. Does this deviate from that because there's more types to expose?There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Exactly!