-
Notifications
You must be signed in to change notification settings - Fork 32
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
feat: coalesce multiple reads together and don't block on io if there's values available #1466
Changes from 6 commits
c058dd4
6592b8b
e5706a0
b8e09f4
e4d95b4
7a77716
b7c6497
e106236
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,232 @@ | ||
use std::collections::VecDeque; | ||
use std::io; | ||
use std::io::ErrorKind; | ||
use std::pin::Pin; | ||
use std::sync::{Arc, RwLock}; | ||
use std::task::{Context, Poll, Waker}; | ||
|
||
use futures::Stream; | ||
use futures_util::future::BoxFuture; | ||
use futures_util::{FutureExt, StreamExt}; | ||
use vortex_array::ArrayData; | ||
use vortex_error::{vortex_err, vortex_panic, VortexExpect, VortexResult}; | ||
use vortex_io::{Dispatch, IoDispatcher, VortexReadAt, VortexReadRanges}; | ||
|
||
use crate::{LayoutMessageCache, LayoutReader, Message, MessageLocator, MessageRead, RowMask}; | ||
|
||
const NUM_TO_COALESCE: usize = 8; | ||
|
||
pub trait RowMaskReader<V> { | ||
fn read_mask(&self, mask: &RowMask) -> VortexResult<Option<MessageRead<V>>>; | ||
} | ||
|
||
pub struct MaskLayoutReader { | ||
layout: Box<dyn LayoutReader>, | ||
} | ||
|
||
impl MaskLayoutReader { | ||
pub fn new(layout: Box<dyn LayoutReader>) -> Self { | ||
Self { layout } | ||
} | ||
} | ||
|
||
impl RowMaskReader<ArrayData> for MaskLayoutReader { | ||
/// Read given mask out of the reader | ||
fn read_mask(&self, mask: &RowMask) -> VortexResult<Option<MessageRead<ArrayData>>> { | ||
self.layout.read_selection(mask) | ||
} | ||
} | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. I think you can kill this and just replace it with a blanket impl
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. nvm |
||
|
||
enum RowMaskState<V> { | ||
Pending(RowMask), | ||
Ready(V), | ||
Empty, | ||
} | ||
|
||
pub struct BufferedLayoutReader<R, S, V, RM> { | ||
values: S, | ||
row_mask_reader: RM, | ||
in_flight: Option<BoxFuture<'static, io::Result<Vec<Message>>>>, | ||
queued: VecDeque<RowMaskState<V>>, | ||
io_read: VortexReadRanges<R>, | ||
dispatcher: Arc<IoDispatcher>, | ||
cache: Arc<RwLock<LayoutMessageCache>>, | ||
} | ||
|
||
impl<R, S, V, RM> BufferedLayoutReader<R, S, V, RM> | ||
where | ||
R: VortexReadAt, | ||
S: Stream<Item = VortexResult<RowMask>> + Unpin, | ||
RM: RowMaskReader<V>, | ||
{ | ||
pub fn new( | ||
read: R, | ||
dispatcher: Arc<IoDispatcher>, | ||
values: S, | ||
row_mask_reader: RM, | ||
cache: Arc<RwLock<LayoutMessageCache>>, | ||
) -> Self { | ||
Self { | ||
values, | ||
row_mask_reader, | ||
in_flight: None, | ||
queued: VecDeque::new(), | ||
io_read: VortexReadRanges::new(read, dispatcher.clone(), 1 << 20), | ||
dispatcher, | ||
cache, | ||
} | ||
} | ||
|
||
fn store_messages(&self, messages: Vec<Message>) { | ||
let mut write_cache_guard = self | ||
.cache | ||
.write() | ||
.unwrap_or_else(|poison| vortex_panic!("Failed to write to message cache: {poison}")); | ||
for Message(message_id, buf) in messages { | ||
write_cache_guard.set(message_id, buf); | ||
} | ||
} | ||
|
||
fn gather_read_messages( | ||
&mut self, | ||
cx: &mut Context<'_>, | ||
) -> VortexResult<(Vec<MessageLocator>, bool)> { | ||
let mut to_read = Vec::with_capacity(NUM_TO_COALESCE); | ||
let mut read_more_count = 0; | ||
|
||
// Poll all queued pending masks to see if we can make progress | ||
for queued_res in self.queued.iter_mut() { | ||
match queued_res { | ||
RowMaskState::Pending(pending_mask) => { | ||
if let Some(pending_read) = self.row_mask_reader.read_mask(pending_mask)? { | ||
match pending_read { | ||
MessageRead::ReadMore(m) => { | ||
to_read.extend(m); | ||
read_more_count += 1; | ||
} | ||
MessageRead::Value(v) => { | ||
*queued_res = RowMaskState::Ready(v); | ||
} | ||
} | ||
} else { | ||
*queued_res = RowMaskState::Empty; | ||
} | ||
} | ||
RowMaskState::Ready(_) => {} | ||
RowMaskState::Empty => {} | ||
} | ||
} | ||
|
||
let mut exhausted = false; | ||
while read_more_count < NUM_TO_COALESCE { | ||
match self.values.poll_next_unpin(cx) { | ||
Poll::Ready(Some(Ok(next_mask))) => { | ||
if let Some(read_result) = self.row_mask_reader.read_mask(&next_mask)? { | ||
match read_result { | ||
MessageRead::ReadMore(m) => { | ||
self.queued.push_back(RowMaskState::Pending(next_mask)); | ||
to_read.extend(m); | ||
read_more_count += 1; | ||
} | ||
MessageRead::Value(v) => { | ||
self.queued.push_back(RowMaskState::Ready(v)); | ||
} | ||
} | ||
} | ||
} | ||
Poll::Ready(Some(Err(e))) => { | ||
return Err(e); | ||
} | ||
Poll::Ready(None) => { | ||
exhausted = true; | ||
break; | ||
} | ||
Poll::Pending => { | ||
break; | ||
} | ||
} | ||
} | ||
Ok((to_read, exhausted)) | ||
} | ||
|
||
fn dispatch_messages( | ||
&self, | ||
messages: Vec<MessageLocator>, | ||
waker: Waker, | ||
) -> BoxFuture<'static, io::Result<Vec<Message>>> { | ||
let reader = self.io_read.clone(); | ||
self.dispatcher | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. I don't think you need this outer There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. I had a deadlock without it. The await is never resumed as we propagate the pending to the stream but if stream returns pending it needs to wake itself up so I need something to poll the read and then call wake |
||
.dispatch(move || async move { | ||
let read_messages = reader | ||
.read_byte_ranges(messages.iter().map(|msg| msg.1.to_range()).collect()) | ||
.map(move |read_res| { | ||
Ok(messages | ||
.into_iter() | ||
.map(|loc| loc.0) | ||
.zip(read_res?) | ||
.map(|(loc, bytes)| Message(loc, bytes)) | ||
.collect()) | ||
}) | ||
.await; | ||
waker.wake(); | ||
read_messages | ||
}) | ||
.vortex_expect("Async task dispatch") | ||
.map(|res| res.unwrap_or_else(|e| Err(io::Error::new(ErrorKind::Other, e)))) | ||
.boxed() | ||
} | ||
} | ||
|
||
impl<R, S, V, RM> Stream for BufferedLayoutReader<R, S, V, RM> | ||
where | ||
R: VortexReadAt + Unpin, | ||
S: Stream<Item = VortexResult<RowMask>> + Unpin, | ||
RM: RowMaskReader<V> + Unpin, | ||
V: Unpin, | ||
{ | ||
type Item = VortexResult<V>; | ||
|
||
fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> { | ||
let exhausted = if let Some(in_flight) = &mut self.in_flight { | ||
match in_flight.poll_unpin(cx) { | ||
Poll::Ready(msgs) => { | ||
self.store_messages( | ||
msgs.map_err(|e| vortex_err!("Cancelled in flight read {e}"))?, | ||
); | ||
let (messages, exhausted) = self.gather_read_messages(cx)?; | ||
if !messages.is_empty() { | ||
self.in_flight = Some(self.dispatch_messages(messages, cx.waker().clone())); | ||
} else { | ||
self.in_flight = None; | ||
} | ||
exhausted | ||
} | ||
// If read is pending see if we have any available results | ||
Poll::Pending => false, | ||
} | ||
} else { | ||
let (messages, exhausted) = self.gather_read_messages(cx)?; | ||
if !messages.is_empty() { | ||
self.in_flight = Some(self.dispatch_messages(messages, cx.waker().clone())); | ||
} | ||
exhausted | ||
}; | ||
|
||
while let Some(next_mask) = self.queued.pop_front() { | ||
match next_mask { | ||
RowMaskState::Pending(m) => { | ||
self.queued.push_front(RowMaskState::Pending(m)); | ||
return Poll::Pending; | ||
} | ||
RowMaskState::Ready(next_ready) => return Poll::Ready(Some(Ok(next_ready))), | ||
RowMaskState::Empty => continue, | ||
} | ||
} | ||
|
||
if exhausted { | ||
Poll::Ready(None) | ||
} else { | ||
Poll::Pending | ||
} | ||
} | ||
} |
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -71,7 +71,7 @@ pub struct VortexReadBuilder<R> { | |
io_dispatcher: Option<Arc<IoDispatcher>>, | ||
} | ||
|
||
impl<R: VortexReadAt> VortexReadBuilder<R> { | ||
impl<R: VortexReadAt + Unpin> VortexReadBuilder<R> { | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. We shouldn't be so |
||
pub fn new(read_at: R, layout_serde: LayoutDeserializer) -> Self { | ||
Self { | ||
read_at, | ||
|
@@ -167,7 +167,7 @@ impl<R: VortexReadAt> VortexReadBuilder<R> { | |
// Default: fallback to single-threaded tokio dispatcher. | ||
let io_dispatcher = self.io_dispatcher.unwrap_or_default(); | ||
|
||
Ok(VortexFileArrayStream::new( | ||
VortexFileArrayStream::try_new( | ||
self.read_at, | ||
layout_reader, | ||
filter_reader, | ||
|
@@ -176,7 +176,7 @@ impl<R: VortexReadAt> VortexReadBuilder<R> { | |
row_count, | ||
row_mask, | ||
io_dispatcher, | ||
)) | ||
) | ||
} | ||
|
||
async fn size(&self) -> VortexResult<u64> { | ||
|
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
all of the types in this file should probably either be non-
pub
or at mostpub(crate)
to avoid leaking impl things into public API, with some more imminent usage