Skip to content

Avoid zero-sized leaf allocations in BTreeMap #28497

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

Merged
merged 1 commit into from
Sep 19, 2015
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
7 changes: 6 additions & 1 deletion src/libcollections/btree/node.rs
Original file line number Diff line number Diff line change
Expand Up @@ -164,7 +164,12 @@ fn calculate_allocation_generic<K, V>(capacity: usize, is_leaf: bool) -> (usize,
let (keys_size, keys_align) = (capacity * mem::size_of::<K>(), mem::align_of::<K>());
let (vals_size, vals_align) = (capacity * mem::size_of::<V>(), mem::align_of::<V>());
let (edges_size, edges_align) = if is_leaf {
(0, 1)
// allocate one edge to ensure that we don't pass size 0 to `heap::allocate`
if mem::size_of::<K>() == 0 && mem::size_of::<V>() == 0 {
(1, mem::align_of::<Node<K, V>>())
} else {
(0, 1)
}
} else {
((capacity + 1) * mem::size_of::<Node<K, V>>(), mem::align_of::<Node<K, V>>())
};
Expand Down
53 changes: 53 additions & 0 deletions src/libcollectionstest/btree/map.rs
Original file line number Diff line number Diff line change
Expand Up @@ -294,6 +294,59 @@ fn test_extend_ref() {
assert_eq!(a[&3], "three");
}

#[test]
fn test_zst() {
let mut m = BTreeMap::new();
assert_eq!(m.len(), 0);

assert_eq!(m.insert((), ()), None);
assert_eq!(m.len(), 1);

assert_eq!(m.insert((), ()), Some(()));
assert_eq!(m.len(), 1);
assert_eq!(m.iter().count(), 1);

m.clear();
assert_eq!(m.len(), 0);

for _ in 0..100 {
m.insert((), ());
}

assert_eq!(m.len(), 1);
assert_eq!(m.iter().count(), 1);
}

// This test's only purpose is to ensure that zero-sized keys with nonsensical orderings
// do not cause segfaults when used with zero-sized values. All other map behavior is
// undefined.
#[test]
fn test_bad_zst() {
use std::cmp::Ordering;

struct Bad;

impl PartialEq for Bad {
fn eq(&self, _: &Self) -> bool { false }
}

impl Eq for Bad {}

impl PartialOrd for Bad {
fn partial_cmp(&self, _: &Self) -> Option<Ordering> { Some(Ordering::Less) }
}

impl Ord for Bad {
fn cmp(&self, _: &Self) -> Ordering { Ordering::Less }
}

let mut m = BTreeMap::new();

for _ in 0..100 {
m.insert(Bad, Bad);
}
}

mod bench {
use std::collections::BTreeMap;
use std::__rand::{Rng, thread_rng};
Expand Down