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
//! LISTEN/NOTIFY support for PostgreSQL connections.
//!
//! PostgreSQL sends `NotificationResponse` messages asynchronously when
//! a channel the connection is LISTENing on receives a NOTIFY.
//!
//! This module provides:
//! - `Notification` struct — channel name + payload
//! - `listen()` / `unlisten()` — subscribe/unsubscribe to channels
//! - `poll_notifications()` — drain buffered notifications (non-blocking)
//! - `recv_notification()` — block-wait for the next notification
use super::{
PgConnection, PgResult, io::MAX_MESSAGE_SIZE, is_ignorable_session_message,
unexpected_backend_message,
};
use crate::protocol::PgEncoder;
/// A notification received from PostgreSQL LISTEN/NOTIFY.
#[derive(Debug, Clone)]
pub struct Notification {
/// The PID of the notifying backend process
pub process_id: i32,
/// The channel name
pub channel: String,
/// The payload (may be empty)
pub payload: String,
}
impl PgConnection {
/// Subscribe to a notification channel.
///
/// ```ignore
/// conn.listen("price_calendar_changed").await?;
/// ```
pub async fn listen(&mut self, channel: &str) -> PgResult<()> {
// Channel names are identifiers, quote them to prevent injection
let sql = format!("LISTEN \"{}\"", channel.replace('"', "\"\""));
self.execute_simple(&sql).await
}
/// Unsubscribe from a notification channel.
pub async fn unlisten(&mut self, channel: &str) -> PgResult<()> {
let sql = format!("UNLISTEN \"{}\"", channel.replace('"', "\"\""));
self.execute_simple(&sql).await
}
/// Unsubscribe from all notification channels.
pub async fn unlisten_all(&mut self) -> PgResult<()> {
self.execute_simple("UNLISTEN *").await
}
/// Drain all buffered notifications without blocking.
///
/// Notifications arrive asynchronously from PostgreSQL and are buffered
/// whenever `recv()` encounters a `NotificationResponse`. This method
/// returns all currently buffered notifications.
pub fn poll_notifications(&mut self) -> Vec<Notification> {
self.notifications.drain(..).collect()
}
/// Wait for the next notification, blocking until one arrives.
///
/// Unlike `recv()`, this does NOT use the 30-second Slowloris timeout
/// guard. LISTEN connections idle for long periods — that's normal,
/// not a DoS attack.
///
/// Useful for a dedicated LISTEN connection in a background task.
pub async fn recv_notification(&mut self) -> PgResult<Notification> {
use crate::protocol::BackendMessage;
// Return buffered notification immediately if available
if let Some(n) = self.notifications.pop_front() {
return Ok(n);
}
// Send empty query to flush any pending notifications from server
let bytes = PgEncoder::try_encode_query_string("")?;
self.write_all_with_timeout(&bytes, "stream write").await?;
// Read messages — use recv() for the initial empty query response
// (which completes quickly), then switch to no-timeout reads
let mut got_ready = false;
loop {
// Try to decode from the existing buffer first
if self.buffer.len() >= 5 {
let msg_len = u32::from_be_bytes([
self.buffer[1],
self.buffer[2],
self.buffer[3],
self.buffer[4],
]) as usize;
if msg_len < 4 {
return Err(super::PgError::Protocol(format!(
"Invalid message length: {} (minimum 4)",
msg_len
)));
}
if msg_len > MAX_MESSAGE_SIZE {
return Err(super::PgError::Protocol(format!(
"Message too large: {} bytes (max {})",
msg_len, MAX_MESSAGE_SIZE
)));
}
if self.buffer.len() > msg_len {
let msg_bytes = self.buffer.split_to(msg_len + 1);
let (msg, _) =
BackendMessage::decode(&msg_bytes).map_err(super::PgError::Protocol)?;
match msg {
BackendMessage::NotificationResponse {
process_id,
channel,
payload,
} => {
return Ok(Notification {
process_id,
channel,
payload,
});
}
BackendMessage::EmptyQueryResponse => continue,
BackendMessage::NoticeResponse(_) => continue,
BackendMessage::ParameterStatus { .. } => continue,
BackendMessage::CommandComplete(_) => continue,
BackendMessage::ReadyForQuery(_) => {
got_ready = true;
// Check buffer for notifications that arrived with this batch
if let Some(n) = self.notifications.pop_front() {
return Ok(n);
}
continue;
}
BackendMessage::ErrorResponse(err) => {
return Err(super::PgError::QueryServer(err.into()));
}
msg if is_ignorable_session_message(&msg) => continue,
other => {
return Err(unexpected_backend_message("listen/notify wait", &other));
}
}
}
}
// Read from socket — use tokio read (no timeout!) if we've
// already gotten ReadyForQuery (now we're just waiting for NOTIFY)
if self.buffer.capacity() - self.buffer.len() < 65536 {
self.buffer.reserve(131072);
}
if got_ready {
// LISTEN connections can stay idle for hours (empty buffer),
// but a partially buffered backend frame should still timeout
// to fail-closed on slowloris-style partial writes.
let n = if self.buffer.is_empty() {
self.read_without_timeout().await?
} else {
self.read_with_timeout().await?
};
if n == 0 {
return Err(super::PgError::Connection("Connection closed".to_string()));
}
} else {
// Initial flush — use the normal timeout to avoid hanging
// if the server is unresponsive during the empty query
let n = self.read_with_timeout().await?;
if n == 0 {
return Err(super::PgError::Connection("Connection closed".to_string()));
}
}
}
}
}