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
// Copyright Materialize, Inc. and contributors. All rights reserved.
//
// Use of this software is governed by the Business Source License
// included in the LICENSE file.
//
// As of the Change Date specified in that file, in accordance with
// the Business Source License, use of this software will be governed
// by the Apache License, Version 2.0.
use async_trait::async_trait;
use bytes::{Buf, BufMut, BytesMut};
use bytesize::ByteSize;
use futures::{sink, SinkExt, TryStreamExt};
use mz_ore::cast::CastFrom;
use mz_ore::future::OreSinkExt;
use mz_ore::netio::AsyncReady;
use mz_pgwire_common::{
parse_frame_len, Conn, Cursor, DecodeState, ErrorResponse, FrontendMessage, Pgbuf,
MAX_REQUEST_SIZE,
};
use tokio::io::{self, AsyncRead, AsyncWrite, Interest, Ready};
use tokio_util::codec::{Decoder, Encoder, Framed};
/// Internal representation of a backend [message].
///
/// [message]: https://www.postgresql.org/docs/11/protocol-message-formats.html
#[derive(Debug)]
pub enum BackendMessage {
AuthenticationCleartextPassword,
ErrorResponse(ErrorResponse),
}
impl From<ErrorResponse> for BackendMessage {
fn from(err: ErrorResponse) -> BackendMessage {
BackendMessage::ErrorResponse(err)
}
}
/// A connection that manages the encoding and decoding of pgwire frames.
pub struct FramedConn<A> {
inner: sink::Buffer<Framed<Conn<A>, Codec>, BackendMessage>,
}
impl<A> FramedConn<A>
where
A: AsyncRead + AsyncWrite + Unpin,
{
/// Constructs a new framed connection.
///
/// The underlying connection, `inner`, is expected to be something like a
/// TCP stream. Anything that implements [`AsyncRead`] and [`AsyncWrite`]
/// will do.
pub fn new(inner: Conn<A>) -> FramedConn<A> {
FramedConn {
inner: Framed::new(inner, Codec::new()).buffer(32),
}
}
/// Reads and decodes one frontend message from the client.
///
/// Blocks until the client sends a complete message. If the client
/// terminates the stream, returns `None`. Returns an error if the client
/// sends a malformed message or if the connection underlying is broken.
///
/// # Cancel safety
///
/// This method is cancel safe. The returned future only holds onto a
/// reference to thea underlying stream, so dropping it will never lose a
/// value.
///
/// <https://docs.rs/tokio-stream/latest/tokio_stream/trait.StreamExt.html#cancel-safety-1>
pub async fn recv(&mut self) -> Result<Option<FrontendMessage>, io::Error> {
let message = self.inner.try_next().await?;
Ok(message)
}
/// Encodes and sends one backend message to the client.
///
/// Note that the connection is not flushed after calling this method. You
/// must call [`FramedConn::flush`] explicitly. Returns an error if the
/// underlying connection is broken.
///
/// Please use `StateMachine::send` instead if calling from `StateMachine`,
/// as it applies session-based filters before calling this method.
pub async fn send<M>(&mut self, message: M) -> Result<(), io::Error>
where
M: Into<BackendMessage>,
{
let message = message.into();
self.inner.enqueue(message).await
}
/// Flushes all outstanding messages.
pub async fn flush(&mut self) -> Result<(), io::Error> {
self.inner.flush().await
}
}
impl<A> FramedConn<A>
where
A: AsyncRead + AsyncWrite + Unpin,
{
pub fn inner(&self) -> &Conn<A> {
self.inner.get_ref().get_ref()
}
pub fn inner_mut(&mut self) -> &mut Conn<A> {
self.inner.get_mut().get_mut()
}
}
#[async_trait]
impl<A> AsyncReady for FramedConn<A>
where
A: AsyncRead + AsyncWrite + AsyncReady + Send + Sync + Unpin,
{
async fn ready(&self, interest: Interest) -> io::Result<Ready> {
self.inner.get_ref().get_ref().ready(interest).await
}
}
struct Codec {
decode_state: DecodeState,
}
impl Codec {
/// Creates a new `Codec`.
pub fn new() -> Codec {
Codec {
decode_state: DecodeState::Head,
}
}
}
impl Default for Codec {
fn default() -> Codec {
Codec::new()
}
}
impl Encoder<BackendMessage> for Codec {
type Error = io::Error;
fn encode(&mut self, msg: BackendMessage, dst: &mut BytesMut) -> Result<(), io::Error> {
// Write type byte.
let byte = match &msg {
BackendMessage::AuthenticationCleartextPassword => b'R',
BackendMessage::ErrorResponse(r) => {
if r.severity.is_error() {
b'E'
} else {
b'N'
}
}
};
dst.put_u8(byte);
// Write message length placeholder. The true length is filled in later.
let base = dst.len();
dst.put_u32(0);
// Write message contents.
match msg {
BackendMessage::AuthenticationCleartextPassword => {
dst.put_u32(3);
}
BackendMessage::ErrorResponse(ErrorResponse {
severity,
code,
message,
detail,
hint,
position,
}) => {
dst.put_u8(b'S');
dst.put_string(severity.as_str());
dst.put_u8(b'C');
dst.put_string(code.code());
dst.put_u8(b'M');
dst.put_string(&message);
if let Some(detail) = &detail {
dst.put_u8(b'D');
dst.put_string(detail);
}
if let Some(hint) = &hint {
dst.put_u8(b'H');
dst.put_string(hint);
}
if let Some(position) = &position {
dst.put_u8(b'P');
dst.put_string(&position.to_string());
}
dst.put_u8(b'\0');
}
}
let len = dst.len() - base;
// Overwrite length placeholder with true length.
let len = i32::try_from(len).map_err(|_| {
io::Error::new(
io::ErrorKind::Other,
"length of encoded message does not fit into an i32",
)
})?;
dst[base..base + 4].copy_from_slice(&len.to_be_bytes());
Ok(())
}
}
impl Decoder for Codec {
type Item = FrontendMessage;
type Error = io::Error;
fn decode(&mut self, src: &mut BytesMut) -> Result<Option<FrontendMessage>, io::Error> {
if src.len() > MAX_REQUEST_SIZE {
return Err(io::Error::new(
io::ErrorKind::InvalidData,
format!(
"request larger than {}",
ByteSize::b(u64::cast_from(MAX_REQUEST_SIZE))
),
));
}
loop {
match self.decode_state {
DecodeState::Head => {
if src.len() < 5 {
return Ok(None);
}
let msg_type = src[0];
let frame_len = parse_frame_len(&src[1..])?;
src.advance(5);
src.reserve(frame_len);
self.decode_state = DecodeState::Data(msg_type, frame_len);
}
DecodeState::Data(msg_type, frame_len) => {
if src.len() < frame_len {
return Ok(None);
}
let buf = src.split_to(frame_len).freeze();
let buf = Cursor::new(&buf);
let msg = match msg_type {
// Termination.
b'X' => decode_terminate(buf)?,
// Authentication.
b'p' => decode_password(buf)?,
// Invalid.
_ => {
return Err(io::Error::new(
io::ErrorKind::InvalidData,
format!("unknown message type {}", msg_type),
));
}
};
src.reserve(5);
self.decode_state = DecodeState::Head;
return Ok(Some(msg));
}
}
}
}
}
fn decode_terminate(mut _buf: Cursor) -> Result<FrontendMessage, io::Error> {
// Nothing more to decode.
Ok(FrontendMessage::Terminate)
}
fn decode_password(mut buf: Cursor) -> Result<FrontendMessage, io::Error> {
Ok(FrontendMessage::Password {
password: buf.read_cstr()?.to_owned(),
})
}