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 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313
//! This mod contains the default implementation of codec.
//!
//! We use some internal traits such as [`ZeroCopyEncoder`] and [`ZeroCopyDecoder`] to
//! make the implementation more flexible, which is not desired to be used by others, so
//! we don't provide backward compatibility for them.
//!
//! The main entrypoint is [`DefaultMakeCodec`] which receives [`MakeZeroCopyCodec`], and
//! then creates [`DefaultEncoder`] and [`DefaultDecoder`].
//!
//! [`DefaultMakeCodec`] implements [`MakeCodec`] which is used by [`Server`] and [`Client`].
//!
//! We make this mod public for those who want to implement their own codec and want to
//! reuse some of the components.
//!
//! The default codec contains some private protocols, such as [`TTHeader`][TTHeader], which can
//! only be used between [`Volo`][Volo] and [`Kitex`][Kitex] services (currently). If you want to
//! use the standard thrift transport protocol, you can disable [`TTHeader`][TTHeader] and use
//! [`Framed`][Framed] instead.
//!
//! Currently, the default codec protocol is `TTHeader<Framed<Binary>>`.
//!
//! Note: The default implementation of codec assumes that the transport and protocol won't change
//! across a connection.
//!
//! [Volo]: https://github.com/cloudwego/volo
//! [Kitex]: https://github.com/cloudwego/kitex
//! [TTHeader]: https://www.cloudwego.io/docs/kitex/reference/transport_protocol_ttheader/
//! [Framed]: https://github.com/apache/thrift/blob/master/doc/specs/thrift-rpc.md#framed-vs-unframed-transport
use std::future::Future;
use bytes::Bytes;
use linkedbytes::LinkedBytes;
use pilota::thrift::{DecodeError, EncodeError, TransportError};
use tokio::io::{AsyncBufReadExt, AsyncRead, AsyncWrite, AsyncWriteExt};
use tracing::{trace, warn};
use volo::util::buf_reader::BufReader;
use self::{framed::MakeFramedCodec, thrift::MakeThriftCodec, ttheader::MakeTTHeaderCodec};
use super::{Decoder, Encoder, MakeCodec};
use crate::{context::ThriftContext, EntryMessage, ThriftMessage};
pub mod framed;
pub mod thrift;
pub mod ttheader;
// mod mesh_header;
/// [`ZeroCopyEncoder`] tries to encode a message without copying large data taking the advantage of
/// [`LinkedBytes`], which can insert a [`Bytes`] into the middle of a [`BytesMut`] and uses writev.
///
/// The recommended length threshold to use `LinkedBytes::insert` is 4KB.
pub trait ZeroCopyEncoder: Send + Sync + 'static {
/// [`encode`] can rely on the `cx` to get some information such as the protocol detected by
/// the decoder.
fn encode<Msg: Send + EntryMessage, Cx: ThriftContext>(
&mut self,
cx: &mut Cx,
linked_bytes: &mut LinkedBytes,
msg: ThriftMessage<Msg>,
) -> Result<(), EncodeError>;
/// [`size`] should return the exact size of the encoded message, as we will pre-allocate
/// a buffer for the encoded message.
///
/// To avoid the overhead of calculating the size again in the [`encode`] method, the
/// implementation can cache the size in the struct.
///
/// The returned value is (real_size, recommended_malloc_size).
fn size<Msg: Send + EntryMessage, Cx: ThriftContext>(
&mut self,
cx: &mut Cx,
msg: &ThriftMessage<Msg>,
) -> Result<(usize, usize), EncodeError>;
}
/// [`ZeroCopyDecoder`] tries to decode a message without copying large data, so the [`Bytes`] in
/// the [`decode`] method is not designed to be reused, and the implementation can use
/// `Bytes::split_to` to get a [`Bytes`] and hand it to the user directly.
pub trait ZeroCopyDecoder: Send + Sync + 'static {
/// If the outer decoder is framed, it can reads all the payload into a [`Bytes`] and
/// call this function for better performance.
fn decode<Msg: Send + EntryMessage, Cx: ThriftContext>(
&mut self,
cx: &mut Cx,
bytes: &mut Bytes,
) -> Result<Option<ThriftMessage<Msg>>, DecodeError>;
/// The [`DefaultDecoder`] will always call `decode_async`, so the most outer decoder
/// must implement this function.
fn decode_async<
Msg: Send + EntryMessage,
Cx: ThriftContext,
R: AsyncRead + Unpin + Send + Sync,
>(
&mut self,
cx: &mut Cx,
reader: &mut BufReader<R>,
) -> impl Future<Output = Result<Option<ThriftMessage<Msg>>, DecodeError>> + Send;
}
/// [`MakeZeroCopyCodec`] is used to create a [`ZeroCopyEncoder`] and a [`ZeroCopyDecoder`].
///
/// This is the main entrypoint for [`DefaultMakeCodec`].
pub trait MakeZeroCopyCodec: Clone + Send + 'static {
type Encoder: ZeroCopyEncoder;
type Decoder: ZeroCopyDecoder;
fn make_codec(&self) -> (Self::Encoder, Self::Decoder);
}
pub struct DefaultEncoder<E, W> {
encoder: E,
writer: W,
linked_bytes: LinkedBytes,
}
impl<E: ZeroCopyEncoder, W: AsyncWrite + Unpin + Send + Sync + 'static> Encoder
for DefaultEncoder<E, W>
{
#[inline]
async fn encode<Req: Send + EntryMessage, Cx: ThriftContext>(
&mut self,
cx: &mut Cx,
msg: ThriftMessage<Req>,
) -> Result<(), crate::Error> {
cx.stats_mut().record_encode_start_at();
// first, we need to get the size of the message
let (real_size, malloc_size) = self.encoder.size(cx, &msg)?;
trace!(
"[VOLO] codec encode message real size: {}, malloc size: {}",
real_size,
malloc_size
);
cx.stats_mut().set_write_size(real_size);
let write_result = (|| async {
self.linked_bytes.reset();
// then we reserve the size of the message in the linked bytes
self.linked_bytes.reserve(malloc_size);
// after that, we encode the message into the linked bytes
self.encoder
.encode(cx, &mut self.linked_bytes, msg)
.map_err(|e| {
// record the error time
cx.stats_mut().record_encode_end_at();
e
})?;
cx.stats_mut().record_encode_end_at();
cx.stats_mut().record_write_start_at(); // encode end is also write start
self.linked_bytes
.write_all_vectored(&mut self.writer)
.await
.map_err(TransportError::from)?;
self.writer.flush().await.map_err(TransportError::from)?;
Ok::<(), crate::Error>(())
})()
.await;
// put write end here so we can also record the time of encode error
cx.stats_mut().record_write_end_at();
match write_result {
Ok(()) => Ok(()),
Err(mut e) => {
let msg = format!(
", cx: {:?}, encode real size: {}, malloc size: {}",
cx.rpc_info(),
real_size,
malloc_size
);
e.append_msg(&msg);
warn!("[VOLO] thrift codec encode message error: {}", e);
Err(e)
}
}
// write_result
}
}
pub struct DefaultDecoder<D, R> {
decoder: D,
reader: BufReader<R>,
}
impl<D: ZeroCopyDecoder, R: AsyncRead + Unpin + Send + Sync + 'static> Decoder
for DefaultDecoder<D, R>
{
#[inline]
async fn decode<Msg: Send + EntryMessage, Cx: ThriftContext>(
&mut self,
cx: &mut Cx,
) -> Result<Option<ThriftMessage<Msg>>, crate::Error> {
// just to check if we have reached EOF
if self
.reader
.fill_buf()
.await
.map_err(|err| crate::Error::Transport(pilota::thrift::TransportError::from(err)))?
.is_empty()
{
trace!(
"[VOLO] thrift codec decode message EOF, rpcinfo: {:?}",
cx.rpc_info()
);
return Ok(None);
}
let start = std::time::Instant::now();
cx.stats_mut().record_decode_start_at();
cx.stats_mut().record_read_start_at();
trace!(
"[VOLO] codec decode message received: {:?}",
self.reader.buffer()
);
// simply call the inner `decode_async`
let res = self.decoder.decode_async(cx, &mut self.reader).await;
let end = std::time::Instant::now();
cx.stats_mut().record_decode_end_at();
trace!("[VOLO] thrift codec decode message cost: {:?}", end - start);
Ok(res?)
}
}
/// `MkZC` is a shorthand for [`MakeZeroCopyCodec`].
#[derive(Clone)]
pub struct DefaultMakeCodec<MkZC: MakeZeroCopyCodec> {
make_zero_copy_codec: MkZC,
}
impl DefaultMakeCodec<MakeFramedCodec<MakeThriftCodec>> {
pub fn framed() -> Self {
DefaultMakeCodec::new(framed::MakeFramedCodec::new(
thrift::MakeThriftCodec::default(),
))
}
}
impl DefaultMakeCodec<MakeTTHeaderCodec<MakeFramedCodec<MakeThriftCodec>>> {
pub fn ttheader_framed() -> Self {
DefaultMakeCodec::new(ttheader::MakeTTHeaderCodec::new(
framed::MakeFramedCodec::new(thrift::MakeThriftCodec::default()),
))
}
}
impl DefaultMakeCodec<MakeThriftCodec> {
pub fn buffered() -> Self {
DefaultMakeCodec::new(thrift::MakeThriftCodec::default())
}
}
impl<MkZC: MakeZeroCopyCodec> DefaultMakeCodec<MkZC> {
/// `make_zero_copy_codec` should implement [`MakeZeroCopyCodec`], which will be used to create
/// the inner [`ZeroCopyEncoder`] and [`ZeroCopyDecoder`].
pub fn new(make_zero_copy_codec: MkZC) -> Self {
Self {
make_zero_copy_codec,
}
}
}
impl Default for DefaultMakeCodec<MakeTTHeaderCodec<MakeFramedCodec<MakeThriftCodec>>> {
fn default() -> Self {
// TTHeader<Framed<Thrift>>
Self::new(ttheader::MakeTTHeaderCodec::new(
framed::MakeFramedCodec::new(thrift::MakeThriftCodec::default()),
))
}
}
impl<MkZC, R, W> MakeCodec<R, W> for DefaultMakeCodec<MkZC>
where
MkZC: MakeZeroCopyCodec,
R: AsyncRead + Unpin + Send + Sync + 'static,
W: AsyncWrite + Unpin + Send + Sync + 'static,
{
type Encoder = DefaultEncoder<MkZC::Encoder, W>;
type Decoder = DefaultDecoder<MkZC::Decoder, R>;
#[inline]
fn make_codec(&self, reader: R, writer: W) -> (Self::Encoder, Self::Decoder) {
let (encoder, decoder) = self.make_zero_copy_codec.make_codec();
(
DefaultEncoder {
encoder,
writer,
linked_bytes: LinkedBytes::new(),
},
DefaultDecoder {
decoder,
reader: BufReader::new(reader),
},
)
}
}
#[cfg(test)]
mod tests {
use super::DefaultMakeCodec;
#[test]
fn test_mk_codec() {
let _framed = DefaultMakeCodec::framed();
let _ttheader_framed = DefaultMakeCodec::ttheader_framed();
let _buffered = DefaultMakeCodec::buffered();
}
}