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
pub mod body {
    use bytes::buf::Buf;
    use prost::Message;
    use warp::{
        filters::body::aggregate,
        reject::{self, Reject, Rejection},
        Filter,
    };

    #[derive(Debug)]
    struct ProtobufDeseralizeError {
        cause: Box<dyn std::error::Error + Send + Sync>,
    }

    impl Reject for ProtobufDeseralizeError {}

    /// Returns a `Filter` that matches any request and extracts a `Future` of a protobuf encoded body.
    ///
    /// # Note
    ///
    /// # Warning
    ///
    /// This does not have a default size limit, it would be wise to use one to
    /// prevent an overly large request from using too much memory.
    ///
    ///
    /// ```
    /// // Generated by PROST!
    /// #[derive(Clone, PartialEq, ::prost::Message)]
    /// pub struct UserRequest {
    ///     #[prost(string, tag = "1")]
    ///     pub name: std::string::String,
    /// }
    ///
    /// let route = warp::body::content_length_limit(1024 * 16)
    ///             .and(warp_protobuf::body::protobuf())
    ///             .map(|user: HelloUser| {
    ///                 format!("Hello {}!\nUserID: {}", user.name, user.id)
    ///             });
    /// ```
    pub fn protobuf<T: Message + Send + Default>(
    ) -> impl Filter<Extract = (T,), Error = Rejection> + Copy {
        async fn from_reader<T: Message + Send + Default>(buf: impl Buf) -> Result<T, Rejection> {
            T::decode(buf).map_err(|err| {
                log::debug!("request protobuf body error: {}", err);
                reject::custom(ProtobufDeseralizeError { cause: err.into() })
            })
        }
        aggregate().and_then(from_reader)
    }
}

pub mod reply {
    use bytes::BytesMut;
    use prost::Message;
    use warp::{
        http::{
            header::{HeaderValue, CONTENT_TYPE},
            StatusCode,
        },
        reply::{Reply, Response},
    };

    /// Convert the value into a `Reply` with the value encoded as protobuf.
    ///
    /// The passed value must implement [`prost::Message`][prost]. Many
    ///
    /// [prost]: https://docs.rs/prost
    ///
    /// # Example
    ///
    /// ```
    /// use warp::Filter;
    ///
    /// // Generated by PROST!
    /// //
    /// // Check out the [prost] or [prost-build] crate to add .proto
    /// // generation to your project.
    /// // [prost]: https://docs.rs/prost
    /// // [prost-build]: https://docs.rs/prost-build
    /// //
    /// #[derive(Clone, PartialEq, ::prost::Message)]
    /// pub struct UserResponse {
    ///     #[prost(uint64, tag = "1")]
    ///     pub id: u64,
    /// }
    ///
    /// // GET /user returns a `200 OK` with a serialized UserResponse
    /// // object.
    /// let route = warp::path("user")
    ///     .map(|| {
    ///         let user = UserResponse { id: 42 };
    ///         warp_protobuf::reply::protobuf(&user)
    ///     });
    /// ```
    ///
    /// # Note
    ///
    /// If a type fails to be serialized into protobuf, the error is logged at the
    /// `error` level, and the returned `impl Reply` will be an empty
    /// `500 Internal Server Error` response.
    pub fn protobuf<T>(val: &T) -> Protobuf
    where
        T: Message,
    {
        // BytesMut will grow as necessary, 8KB seems like a reasonable default
        let mut buf = BytesMut::with_capacity(1024 * 8);
        Protobuf {
            inner: val.encode(&mut buf).map(|_| buf.to_vec()).map_err(|err| {
                log::error!("reply::protobuf error: {}", err);
            }),
        }
    }

    /// A Protobuf formatted reply.
    #[allow(missing_debug_implementations)]
    pub struct Protobuf {
        inner: Result<Vec<u8>, ()>,
    }

    impl Reply for Protobuf {
        #[inline]
        fn into_response(self) -> Response {
            match self.inner {
                Ok(body) => {
                    let mut res = Response::new(body.into());
                    res.headers_mut().insert(
                        CONTENT_TYPE,
                        HeaderValue::from_static("application/x-protobuf"),
                    );
                    res
                }
                Err(()) => StatusCode::INTERNAL_SERVER_ERROR.into_response(),
            }
        }
    }

    #[derive(Debug)]
    pub(crate) struct ReplyProtobufError;

    impl std::fmt::Display for ReplyProtobufError {
        fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
            f.write_str("warp::reply::protobuf() failed")
        }
    }

    impl std::error::Error for ReplyProtobufError {}
}