changes_stream2/lib.rs
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
//! The `changes-stream` crate is designed to give you a
//! futures::Stream of CouchDB changes stream events.
use bytes::{buf::IntoIter, Bytes};
use futures_util::stream::Stream;
use log::error;
use serde_json::Value;
use std::{mem::replace, pin::Pin, task::Poll};
mod error;
mod event;
pub use error::Error;
pub use event::{Change, ChangeEvent, Event, FinishedEvent};
/// A structure which implements futures::Stream
pub struct ChangesStream {
/// metrics bytes counter
#[cfg(feature = "metrics")]
bytes: metrics::Counter,
/// metrics entries counter
#[cfg(feature = "metrics")]
entries: metrics::Counter,
/// Source of http chunks provided by reqwest
source: Pin<Box<dyn Stream<Item = reqwest::Result<Bytes>> + Send>>,
/// Buffer of current line and current chunk iterator
buf: (Vec<u8>, Option<IntoIter<Bytes>>),
}
impl ChangesStream {
/// Constructs a new `ChangesStream` struct with a post payload
///
/// Takes a single argument, `db`, which represents the
/// url of the data you wish to stream.
///
/// For example, to create a new `ChangesStream` struct
/// for the npmjs registry, you would write:
///
/// ```no_run
/// # use changes_stream2::{ChangesStream, Event};
/// # use futures_util::stream::StreamExt;
/// #
/// # #[tokio::main]
/// # async fn main() {
/// # let url = "https://replicate.npmjs.com/_changes?filter=_selector".to_string();
/// # let mut changes = ChangesStream::with_post_payload(url, &serde_json::json!({"selector": { "_id": { "$regex": "^_design/" }}})).await.unwrap();
/// # while let Some(event) = changes.next().await {
/// # match event {
/// # Ok(Event::Change(change)) => println!("Change ({}): {}", change.seq, change.id),
/// # Ok(Event::Finished(finished)) => println!("Finished: {}", finished.last_seq),
/// # Err(err) => println!("Error: {:?}", err),
/// # }
/// # }
/// # }
/// ```
pub async fn with_post_payload(db: String, payload: &Value) -> Result<Self, Error> {
let url = url::Url::parse(&db)?;
#[cfg(feature = "metrics")]
let database = regex::Regex::new(r"(?m)[_/]+")
.unwrap()
.replace_all(
&format!("{}_{}", url.host_str().unwrap_or_default(), url.path()),
"_",
)
.to_string();
let client = reqwest::Client::new();
let res = client.post(url).json(payload).send().await?;
let status = res.status();
if !status.is_success() {
let body = res.text().await.unwrap_or_default();
return Err(Error::InvalidResponse { status, body });
}
let source = Pin::new(Box::new(res.bytes_stream()));
#[cfg(feature = "metrics")]
let (bytes, entries) = {
let bytes_name = "couchdb_changes_bytes_total";
let entries_name = "couchdb_changes_entries_total";
metrics::describe_counter!(bytes_name, metrics::Unit::Bytes, "Changes stream bytes");
metrics::describe_counter!(
entries_name,
metrics::Unit::Count,
"Changes stream entries"
);
(
metrics::counter!(bytes_name, "database" => database.clone()),
metrics::counter!(entries_name, "database" => database),
)
};
Ok(Self {
#[cfg(feature = "metrics")]
bytes,
#[cfg(feature = "metrics")]
entries,
source,
buf: (Vec::new(), None),
})
}
/// Constructs a new `ChangesStream` struct
///
/// Takes a single argument, `db`, which represents the
/// url of the data you wish to stream.
///
/// For example, to create a new `ChangesStream` struct
/// for the npmjs registry, you would write:
///
/// ```no_run
/// # use changes_stream2::{ChangesStream, Event};
/// # use futures_util::stream::StreamExt;
/// #
/// # #[tokio::main]
/// # async fn main() {
/// # let url = "https://replicate.npmjs.com/_changes".to_string();
/// # let mut changes = ChangesStream::new(url).await.unwrap();
/// # while let Some(event) = changes.next().await {
/// # match event {
/// # Ok(Event::Change(change)) => println!("Change ({}): {}", change.seq, change.id),
/// # Ok(Event::Finished(finished)) => println!("Finished: {}", finished.last_seq),
/// # Err(err) => println!("Error: {:?}", err),
/// # }
/// # }
/// # }
/// ```
pub async fn new(db: String) -> Result<Self, Error> {
Self::with_post_payload(db, &serde_json::json!({})).await
}
}
impl Stream for ChangesStream {
type Item = Result<Event, Error>;
fn poll_next(
mut self: std::pin::Pin<&mut Self>,
cx: &mut std::task::Context<'_>,
) -> std::task::Poll<Option<Self::Item>> {
'main: loop {
if self.buf.1.is_none() {
match Stream::poll_next(self.source.as_mut(), cx) {
Poll::Pending => return Poll::Pending,
Poll::Ready(None) => return Poll::Ready(None),
Poll::Ready(Some(Ok(chunk))) => {
#[cfg(feature = "metrics")]
self.bytes.increment(chunk.len() as u64);
self.buf.1 = Some(chunk.into_iter())
}
Poll::Ready(Some(Err(err))) => {
error!("Error getting next chunk: {:?}", err);
return Poll::Ready(None);
}
}
} else {
let (line, chunk_iter) = &mut self.buf;
let iter = chunk_iter.as_mut().unwrap();
loop {
if let Some(byte) = iter.next() {
if byte == 0x0A {
// Found '\n', end of line
break;
}
line.push(byte);
} else {
// We need another chunk to fill the line
*chunk_iter = None;
continue 'main;
}
}
let line = replace(line, Vec::with_capacity(line.len() * 2));
if line.len() < 14 {
// skip prologue, epilogue and empty lines (continuous mode)
continue;
}
let mut len = line.len();
if line[len - 1] == 0x0D {
// 0x0D is '\r'. CouchDB >= 2.0 sends "\r\n"
len -= 1;
}
if line[len - 1] == 0x2C {
// 0x2C is ','
len -= 1;
}
let result = serde_json::from_slice::<ChangeEvent>(&line[..len])
.map(Event::Change)
.or_else(|error| {
serde_json::from_slice::<FinishedEvent>(&line[..len])
.map(Event::Finished)
.map_err(|_err| Error::ParsingFailed {
error,
json: String::from_utf8(line).unwrap_or_default(),
})
});
#[cfg(feature = "metrics")]
self.entries.increment(1);
return Poll::Ready(Some(result));
}
}
}
}