-
Notifications
You must be signed in to change notification settings - Fork 867
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
Implement exponential block size growing strategy for StringViewBuilder
#6136
Merged
Merged
Changes from all commits
Commits
Show all changes
4 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -30,7 +30,30 @@ use crate::types::bytes::ByteArrayNativeType; | |
use crate::types::{BinaryViewType, ByteViewType, StringViewType}; | ||
use crate::{ArrayRef, GenericByteViewArray}; | ||
|
||
const DEFAULT_BLOCK_SIZE: u32 = 8 * 1024; | ||
const STARTING_BLOCK_SIZE: u32 = 8 * 1024; // 8KiB | ||
const MAX_BLOCK_SIZE: u32 = 2 * 1024 * 1024; // 2MiB | ||
|
||
enum BlockSizeGrowthStrategy { | ||
Fixed { size: u32 }, | ||
Exponential { current_size: u32 }, | ||
} | ||
|
||
impl BlockSizeGrowthStrategy { | ||
fn next_size(&mut self) -> u32 { | ||
match self { | ||
Self::Fixed { size } => *size, | ||
Self::Exponential { current_size } => { | ||
if *current_size < MAX_BLOCK_SIZE { | ||
// we have fixed start/end block sizes, so we can't overflow | ||
*current_size = current_size.saturating_mul(2); | ||
*current_size | ||
} else { | ||
MAX_BLOCK_SIZE | ||
} | ||
} | ||
} | ||
} | ||
} | ||
|
||
/// A builder for [`GenericByteViewArray`] | ||
/// | ||
|
@@ -58,7 +81,7 @@ pub struct GenericByteViewBuilder<T: ByteViewType + ?Sized> { | |
null_buffer_builder: NullBufferBuilder, | ||
completed: Vec<Buffer>, | ||
in_progress: Vec<u8>, | ||
block_size: u32, | ||
block_size: BlockSizeGrowthStrategy, | ||
/// Some if deduplicating strings | ||
/// map `<string hash> -> <index to the views>` | ||
string_tracker: Option<(HashTable<usize>, ahash::RandomState)>, | ||
|
@@ -78,15 +101,42 @@ impl<T: ByteViewType + ?Sized> GenericByteViewBuilder<T> { | |
null_buffer_builder: NullBufferBuilder::new(capacity), | ||
completed: vec![], | ||
in_progress: vec![], | ||
block_size: DEFAULT_BLOCK_SIZE, | ||
block_size: BlockSizeGrowthStrategy::Exponential { | ||
current_size: STARTING_BLOCK_SIZE, | ||
}, | ||
string_tracker: None, | ||
phantom: Default::default(), | ||
} | ||
} | ||
|
||
/// Set a fixed buffer size for variable length strings | ||
/// | ||
/// The block size is the size of the buffer used to store values greater | ||
/// than 12 bytes. The builder allocates new buffers when the current | ||
/// buffer is full. | ||
/// | ||
/// By default the builder balances buffer size and buffer count by | ||
/// growing buffer size exponentially from 8KB up to 2MB. The | ||
/// first buffer allocated is 8KB, then 16KB, then 32KB, etc up to 2MB. | ||
/// | ||
/// If this method is used, any new buffers allocated are | ||
/// exactly this size. This can be useful for advanced users | ||
/// that want to control the memory usage and buffer count. | ||
/// | ||
/// See <https://github.com/apache/arrow-rs/issues/6094> for more details on the implications. | ||
pub fn with_fixed_block_size(self, block_size: u32) -> Self { | ||
debug_assert!(block_size > 0, "Block size must be greater than 0"); | ||
Self { | ||
block_size: BlockSizeGrowthStrategy::Fixed { size: block_size }, | ||
..self | ||
} | ||
} | ||
|
||
/// Override the size of buffers to allocate for holding string data | ||
/// Use `with_fixed_block_size` instead. | ||
#[deprecated(note = "Use `with_fixed_block_size` instead")] | ||
pub fn with_block_size(self, block_size: u32) -> Self { | ||
Self { block_size, ..self } | ||
self.with_fixed_block_size(block_size) | ||
} | ||
|
||
/// Deduplicate strings while building the array | ||
|
@@ -277,7 +327,7 @@ impl<T: ByteViewType + ?Sized> GenericByteViewBuilder<T> { | |
let required_cap = self.in_progress.len() + v.len(); | ||
if self.in_progress.capacity() < required_cap { | ||
self.flush_in_progress(); | ||
let to_reserve = v.len().max(self.block_size as usize); | ||
let to_reserve = v.len().max(self.block_size.next_size() as usize); | ||
self.in_progress.reserve(to_reserve); | ||
}; | ||
let offset = self.in_progress.len() as u32; | ||
|
@@ -478,7 +528,7 @@ mod tests { | |
|
||
let mut builder = StringViewBuilder::new() | ||
.with_deduplicate_strings() | ||
.with_block_size(value_1.len() as u32 * 2); // so that we will have multiple buffers | ||
.with_fixed_block_size(value_1.len() as u32 * 2); // so that we will have multiple buffers | ||
|
||
let values = vec![ | ||
Some(value_1), | ||
|
@@ -585,4 +635,46 @@ mod tests { | |
"Invalid argument error: No block found with index 5" | ||
); | ||
} | ||
|
||
#[test] | ||
fn test_string_view_with_block_size_growth() { | ||
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. ❤️ |
||
let mut exp_builder = StringViewBuilder::new(); | ||
let mut fixed_builder = StringViewBuilder::new().with_fixed_block_size(STARTING_BLOCK_SIZE); | ||
|
||
let long_string = String::from_utf8(vec![b'a'; STARTING_BLOCK_SIZE as usize]).unwrap(); | ||
|
||
for i in 0..9 { | ||
// 8k, 16k, 32k, 64k, 128k, 256k, 512k, 1M, 2M | ||
for _ in 0..(2_u32.pow(i)) { | ||
exp_builder.append_value(&long_string); | ||
fixed_builder.append_value(&long_string); | ||
} | ||
exp_builder.flush_in_progress(); | ||
fixed_builder.flush_in_progress(); | ||
|
||
// Every step only add one buffer, but the buffer size is much larger | ||
assert_eq!(exp_builder.completed.len(), i as usize + 1); | ||
assert_eq!( | ||
exp_builder.completed[i as usize].len(), | ||
STARTING_BLOCK_SIZE as usize * 2_usize.pow(i) | ||
); | ||
|
||
// This step we added 2^i blocks, the sum of blocks should be 2^(i+1) - 1 | ||
assert_eq!(fixed_builder.completed.len(), 2_usize.pow(i + 1) - 1); | ||
|
||
// Every buffer is fixed size | ||
assert!(fixed_builder | ||
.completed | ||
.iter() | ||
.all(|b| b.len() == STARTING_BLOCK_SIZE as usize)); | ||
} | ||
|
||
// Add one more value, and the buffer stop growing. | ||
exp_builder.append_value(&long_string); | ||
exp_builder.flush_in_progress(); | ||
assert_eq!( | ||
exp_builder.completed.last().unwrap().capacity(), | ||
MAX_BLOCK_SIZE as usize | ||
); | ||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
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.
what if
current_size
is 1.5 MiB,thencurrent_size * 2
will exceedMAX_BLOCK_SIZE
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.
We have fixed 8k as starting size and 2m as ending size, they are all power of two, so it won't overflow. I've added a comment to clarify this! 👍