a bunch of stuff init

This commit is contained in:
janis 2025-10-01 14:18:37 +02:00
parent cc6b783be9
commit df6ab625cc
Signed by: janis
SSH key fingerprint: SHA256:bB1qbbqmDXZNT0KKD5c2Dfjg53JGhj7B3CFcLIzSqq8
3 changed files with 223 additions and 54 deletions

View file

@ -59,3 +59,42 @@ pub trait AdvanceWhile<I>: Iterator<Item = I> + Clone {
} }
impl<I, T> AdvanceWhile<I> for T where T: Iterator<Item = I> + Clone {} impl<I, T> AdvanceWhile<I> for T where T: Iterator<Item = I> + Clone {}
pub trait FallibleMapIter<I>: Iterator<Item = I> + Clone {
/// consumes items from `self` if and only if `map` yields `Some`.
#[must_use]
fn map_iter_if<F, U>(&mut self, map: F) -> Option<U>
where
F: FnOnce(&mut Self) -> Option<U>,
{
// clone iterator and keep around
let old = self.clone();
match map(self) {
Some(result) => Some(result),
None => {
// the map function failed, restore iterator and yield None.
*self = old;
None
}
}
}
#[must_use]
fn try_map_iter_if<F, U, E>(&mut self, map: F) -> Result<U, E>
where
F: FnOnce(&mut Self) -> Result<U, E>,
{
// clone iterator and keep around
let old = self.clone();
match map(self) {
Ok(result) => Ok(result),
Err(e) => {
// the map function failed, restore iterator and yield None.
*self = old;
Err(e)
}
}
}
}
impl<I, T> FallibleMapIter<I> for T where T: Iterator<Item = I> + Clone {}

View file

@ -309,6 +309,8 @@ impl<'a, K, V> NodeRef<marker::Mut<'a>, K, V> {
// SAFETY: we have exclusive access to the entire node. // SAFETY: we have exclusive access to the entire node.
unsafe { &mut (*Self::as_leaf_ptr(self)).len } unsafe { &mut (*Self::as_leaf_ptr(self)).len }
} }
#[expect(dead_code)]
pub(super) fn capacity_mut(&mut self) -> &mut u16 { pub(super) fn capacity_mut(&mut self) -> &mut u16 {
// SAFETY: we have exclusive access to the entire node. // SAFETY: we have exclusive access to the entire node.
unsafe { &mut (*Self::as_leaf_ptr(self)).len } unsafe { &mut (*Self::as_leaf_ptr(self)).len }
@ -583,11 +585,16 @@ impl<'a, K: 'a, V: 'a> NodeRef<marker::Immut<'a>, K, V> {
} }
impl<'a, K: 'a, V: 'a> Handle<NodeRef<marker::Immut<'a>, K, V>, marker::Value> { impl<'a, K: 'a, V: 'a> Handle<NodeRef<marker::Immut<'a>, K, V>, marker::Value> {
pub(super) unsafe fn into_value(self) -> &'a V { pub(super) unsafe fn into_value_unchecked(self) -> &'a V {
let leaf = self.node.into_leaf(); let leaf = self.node.into_leaf();
let v = leaf.value.as_ref().unwrap(); let v = leaf.value.as_ref().unwrap();
v v
} }
pub(super) unsafe fn into_value(self) -> Option<&'a V> {
let leaf = self.node.into_leaf();
let v = leaf.value.as_ref();
v
}
} }
impl<K, V> NodeRef<marker::Dying, K, V> { impl<K, V> NodeRef<marker::Dying, K, V> {
@ -767,7 +774,7 @@ impl<K, V> NodeRef<marker::Owned, K, V> {
impl<BorrowType, K, V> Handle<NodeRef<BorrowType, K, V>, marker::Edge> { impl<BorrowType, K, V> Handle<NodeRef<BorrowType, K, V>, marker::Edge> {
/// Converts this edge handle into a value handle. /// Converts this edge handle into a value handle.
/// IMPORTANT: this handle points to the value of the node, not the edge. /// IMPORTANT: this handle points to the value of the node, not the edge.
pub(super) fn into_value(self) -> Handle<NodeRef<BorrowType, K, V>, marker::Value> { pub(super) unsafe fn into_value(self) -> Handle<NodeRef<BorrowType, K, V>, marker::Value> {
unsafe { Handle::new_value(self.node) } unsafe { Handle::new_value(self.node) }
} }
@ -803,6 +810,12 @@ impl<'a, K: 'a, V: 'a> Handle<NodeRef<marker::Mut<'a>, K, V>, marker::Edge> {
K: Ord, K: Ord,
{ {
let Some(key) = key_seq.next() else { let Some(key) = key_seq.next() else {
#[cfg(feature = "std")]
std::eprintln!(
"Inserting value at leaf ({:?}, {})",
self.node.node,
self.idx
);
// key has run out: insert value here. // key has run out: insert value here.
self.node.as_leaf_mut().value = Some(val); self.node.as_leaf_mut().value = Some(val);
// TODO: handle occupied values. // TODO: handle occupied values.
@ -963,14 +976,14 @@ mod search {
} }
} }
pub(crate) enum TreeOr<'a, K, V, T> { pub(crate) enum TreeOr<BorrowType, K, V, T> {
Tree(borrow::DormantMutRef<'a, Tree<K, V>>), Tree(borrow::DormantRef<Tree<K, V>, BorrowType>),
Other(T), Other(T),
} }
impl<'a, K, V, T> TreeOr<'a, K, V, T> { impl<BorrowType, K, V, T> TreeOr<BorrowType, K, V, T> {
#[allow(dead_code)] #[allow(dead_code)]
fn as_tree_mut(&mut self) -> &mut borrow::DormantMutRef<'a, Tree<K, V>> { fn as_tree_mut(&mut self) -> &mut borrow::DormantRef<Tree<K, V>, BorrowType> {
match self { match self {
TreeOr::Tree(tree) => tree, TreeOr::Tree(tree) => tree,
TreeOr::Other(_) => panic!("no tree present"), TreeOr::Other(_) => panic!("no tree present"),
@ -986,8 +999,8 @@ impl<'a, K, V, T> TreeOr<'a, K, V, T> {
} }
} }
type TreeOrHandle<'a, BorrowType, K, V, HandleType> = type TreeOrHandle<BorrowType, K, V, HandleType> =
TreeOr<'a, K, V, Handle<NodeRef<BorrowType, K, V>, HandleType>>; TreeOr<BorrowType, K, V, Handle<NodeRef<BorrowType, K, V>, HandleType>>;
mod entry { mod entry {
use core::marker::PhantomData; use core::marker::PhantomData;
@ -1044,7 +1057,7 @@ mod entry {
Q: Iterator<Item = K>, Q: Iterator<Item = K>,
{ {
pub(super) key: Q, pub(super) key: Q,
pub(super) handle: super::TreeOrHandle<'a, marker::Mut<'a>, K, V, marker::Edge>, pub(super) handle: super::TreeOrHandle<marker::Mut<'a>, K, V, marker::Edge>,
pub(super) _marker: PhantomData<&'a mut (K, V)>, pub(super) _marker: PhantomData<&'a mut (K, V)>,
} }
@ -1055,13 +1068,13 @@ mod entry {
impl<'a, K, V> OccupiedEntry<'a, K, V> { impl<'a, K, V> OccupiedEntry<'a, K, V> {
pub fn get(&self) -> &V { pub fn get(&self) -> &V {
unsafe { self.handle.reborrow().into_value() } unsafe { self.handle.reborrow().into_value_unchecked() }
} }
pub fn get_mut(&mut self) -> &mut V { pub fn get_mut(&mut self) -> &mut V {
unsafe { self.handle.value_mut() } unsafe { self.handle.value_mut() }
} }
pub fn into_subtree(self) -> super::subtree::Subtree<'a, K, V, marker::Mut<'a>> { pub fn into_subtree(self) -> super::subtree::Subtree<K, V, marker::Mut<'a>> {
Subtree::new_root(self.handle.node) Subtree::new_root(self.handle.node)
} }
} }
@ -1082,12 +1095,26 @@ mod entry {
where where
Q: Iterator<Item = K>, Q: Iterator<Item = K>,
{ {
/// Attempts to convert this vacant entry into an occupied entry
/// pointing to the closest existing value to the given key.
pub fn try_into_occupied(self) -> Result<OccupiedEntry<'a, K, V>, Self> {
match self.handle {
TreeOrHandle::Other(handle) if handle.node.as_leaf().value.is_some() => {
Ok(OccupiedEntry {
handle: unsafe { handle.into_value() },
_marker: PhantomData,
})
}
_ => Err(self),
}
}
pub fn insert_entry(self, value: V) -> OccupiedEntry<'a, K, V> { pub fn insert_entry(self, value: V) -> OccupiedEntry<'a, K, V> {
let handle = match self.handle { let handle = match self.handle {
// no root node yet // no root node yet
TreeOrHandle::Tree(mut tree) => { TreeOrHandle::Tree(mut tree) => {
// SAFETY: there are no nodes in the tree yet // SAFETY: there are no nodes in the tree yet
let tree = unsafe { tree.reborrow() }; let tree = unsafe { tree.reborrow_mut() };
let root = tree.root.insert(NodeRef::new()); let root = tree.root.insert(NodeRef::new());
unsafe { unsafe {
@ -1110,7 +1137,11 @@ mod subtree {
use either::Either; use either::Either;
use crate::tree::{TreeOr, TreeOrHandle, borrow::DormantMutRef, search}; use crate::tree::{
Handle, TreeOr, TreeOrHandle,
borrow::{DormantMutRef, DormantRef},
search,
};
use super::{ use super::{
NodeRef, OnceAndIter, NodeRef, OnceAndIter,
@ -1119,11 +1150,11 @@ mod subtree {
}; };
// BorrowType may be one of `Immut`, `Mut`. // BorrowType may be one of `Immut`, `Mut`.
pub struct Subtree<'tree, K, V, BorrowType> { pub struct Subtree<K, V, BorrowType> {
pub(super) root: TreeOr<'tree, K, V, NodeRef<BorrowType, K, V>>, pub(super) root: TreeOr<BorrowType, K, V, NodeRef<BorrowType, K, V>>,
} }
impl<'tree, K, V, BorrowType> Subtree<'tree, K, V, BorrowType> { impl<K, V, BorrowType> Subtree<K, V, BorrowType> {
fn root(&self) -> Option<&NodeRef<BorrowType, K, V>> { fn root(&self) -> Option<&NodeRef<BorrowType, K, V>> {
match &self.root { match &self.root {
TreeOr::Tree(_) => None, TreeOr::Tree(_) => None,
@ -1137,14 +1168,14 @@ mod subtree {
} }
} }
pub(crate) fn new_empty(tree: DormantMutRef<'tree, super::Tree<K, V>>) -> Self { pub(crate) fn new_empty(tree: DormantRef<super::Tree<K, V>, BorrowType>) -> Self {
Self { Self {
root: TreeOr::Tree(tree), root: TreeOr::Tree(tree),
} }
} }
} }
impl<'tree, K, V> Subtree<'tree, K, V, marker::Mut<'tree>> { impl<'tree, K: 'tree, V: 'tree> Subtree<K, V, marker::Mut<'tree>> {
/// Returns a mutable reference to the root node of this subtree. /// Returns a mutable reference to the root node of this subtree.
/// This function rechecks whether the tree is empty. /// This function rechecks whether the tree is empty.
fn root_mut<'a>( fn root_mut<'a>(
@ -1152,7 +1183,7 @@ mod subtree {
) -> Either<NodeRef<marker::Mut<'a>, K, V>, DormantMutRef<'a, super::Tree<K, V>>> { ) -> Either<NodeRef<marker::Mut<'a>, K, V>, DormantMutRef<'a, super::Tree<K, V>>> {
let node = match &mut self.root { let node = match &mut self.root {
TreeOr::Tree(tree) => { TreeOr::Tree(tree) => {
let (tree, borrow) = DormantMutRef::new(unsafe { tree.reborrow() }); let (tree, borrow) = DormantRef::new_mut(unsafe { tree.reborrow_mut() });
match tree.root.as_mut() { match tree.root.as_mut() {
Some(node) => node.borrow_mut().dormant(), Some(node) => node.borrow_mut().dormant(),
None => return Either::Right(borrow), None => return Either::Right(borrow),
@ -1171,7 +1202,7 @@ mod subtree {
} }
} }
impl<'tree, K, V, BorrowType> Subtree<'tree, K, V, BorrowType> impl<K, V, BorrowType> Subtree<K, V, BorrowType>
where where
K: Ord, K: Ord,
{ {
@ -1181,7 +1212,7 @@ mod subtree {
{ {
let root = self.root()?.reborrow(); let root = self.root()?.reborrow();
match root.search_tree(&mut key_seq) { match root.search_tree(&mut key_seq) {
search::SearchResult::Found(handle) => Some(unsafe { handle.into_value() }), search::SearchResult::Found(handle) => unsafe { handle.into_value() },
_ => { _ => {
// key not found // key not found
None None
@ -1189,10 +1220,34 @@ mod subtree {
} }
} }
pub fn get_subtree<Q>( pub fn get_closest<Q>(&self, mut key_seq: Q) -> Option<(Option<K>, &V)>
&'_ self, where
mut key_seq: Q, Q: Iterator<Item = K>,
) -> Option<Subtree<'_, K, V, marker::Immut<'_>>> {
let root = self.root()?.reborrow();
match root.search_tree(&mut key_seq) {
search::SearchResult::Found(handle) => unsafe {
handle.into_value().map(|v| (None, v))
},
search::SearchResult::GoDown(edge) => {
// key not found, return the closest existing value in the subtree
assert!(edge.node.as_leaf().value.is_some());
let handle = unsafe { edge.into_value() };
Some((None, unsafe { handle.into_value().unwrap() }))
}
search::SearchResult::Insert(key, edge) => {
// key not found, return the closest existing value in the subtree
assert!(edge.node.as_leaf().value.is_some());
let handle = unsafe { edge.into_value() };
Some((Some(key), unsafe { handle.into_value().unwrap() }))
}
}
}
pub fn get_subtree<Q>(&'_ self, mut key_seq: Q) -> Option<Subtree<K, V, marker::Immut<'_>>>
where where
Q: Iterator<Item = K>, Q: Iterator<Item = K>,
{ {
@ -1207,7 +1262,7 @@ mod subtree {
} }
} }
impl<'tree, K, V> Subtree<'tree, K, V, marker::Mut<'tree>> impl<'tree, K: 'tree, V: 'tree> Subtree<K, V, marker::Mut<'tree>>
where where
K: Ord, K: Ord,
{ {
@ -1228,7 +1283,7 @@ mod subtree {
pub fn get_subtree_mut<Q>( pub fn get_subtree_mut<Q>(
&'_ mut self, &'_ mut self,
mut key_seq: Q, mut key_seq: Q,
) -> Option<Subtree<'_, K, V, marker::Mut<'_>>> ) -> Option<Subtree<K, V, marker::Mut<'_>>>
where where
Q: Iterator<Item = K>, Q: Iterator<Item = K>,
{ {
@ -1257,10 +1312,24 @@ mod subtree {
}); });
} }
Either::Left(root) => match root.search_tree(&mut key_seq) { Either::Left(root) => match root.search_tree(&mut key_seq) {
search::SearchResult::Found(handle) => Occupied(OccupiedEntry { search::SearchResult::Found(handle) => {
handle, if handle.node.as_leaf().value.is_some() {
_marker: PhantomData, Occupied(OccupiedEntry {
}), handle,
_marker: PhantomData,
})
} else {
Vacant(VacantEntry {
key: OnceAndIter::empty(),
// SAFETY: this is safe because key is empty
// this is never used as an edge
handle: TreeOrHandle::Other(unsafe {
Handle::new_edge(handle.node, 0)
}),
_marker: PhantomData,
})
}
}
search::SearchResult::GoDown(handle) => Vacant(VacantEntry { search::SearchResult::GoDown(handle) => Vacant(VacantEntry {
key: key_seq.into(), key: key_seq.into(),
handle: TreeOrHandle::Other(handle), handle: TreeOrHandle::Other(handle),
@ -1282,6 +1351,8 @@ mod borrow {
use core::{marker::PhantomData, ptr::NonNull}; use core::{marker::PhantomData, ptr::NonNull};
use crate::tree::marker;
/// Models a reborrow of some unique reference, when you know that the reborrow /// Models a reborrow of some unique reference, when you know that the reborrow
/// and all its descendants (i.e., all pointers and references derived from it) /// and all its descendants (i.e., all pointers and references derived from it)
/// will not be used any more at some point, after which you want to use the /// will not be used any more at some point, after which you want to use the
@ -1292,19 +1363,40 @@ mod borrow {
/// the compiler to follow. A `DormantMutRef` allows you to check borrowing /// the compiler to follow. A `DormantMutRef` allows you to check borrowing
/// yourself, while still expressing its stacked nature, and encapsulating /// yourself, while still expressing its stacked nature, and encapsulating
/// the raw pointer code needed to do this without undefined behavior. /// the raw pointer code needed to do this without undefined behavior.
pub(crate) struct DormantMutRef<'a, T> { pub(crate) struct DormantRef<T, BorrowType> {
ptr: NonNull<T>, ptr: NonNull<T>,
_marker: PhantomData<&'a mut T>, _marker: PhantomData<BorrowType>,
} }
unsafe impl<'a, T> Sync for DormantMutRef<'a, T> where &'a mut T: Sync {} pub(crate) type DormantMutRef<'a, T> = DormantRef<T, marker::Mut<'a>>;
unsafe impl<'a, T> Send for DormantMutRef<'a, T> where &'a mut T: Send {} pub(crate) type DormantImmutRef<'a, T> = DormantRef<T, marker::Immut<'a>>;
impl<'a, T> DormantMutRef<'a, T> { unsafe impl<'a, T: 'a, BorrowType: 'a> Sync for DormantRef<T, BorrowType> where &'a mut T: Sync {}
unsafe impl<'a, T: 'a, BorrowType: 'a> Send for DormantRef<T, BorrowType> where &'a mut T: Send {}
impl<'a, T> DormantRef<T, marker::Immut<'a>> {
/// Capture a unique borrow, and immediately reborrow it. For the compiler, /// Capture a unique borrow, and immediately reborrow it. For the compiler,
/// the lifetime of the new reference is the same as the lifetime of the /// the lifetime of the new reference is the same as the lifetime of the
/// original reference, but you promise to use it for a shorter period. /// original reference, but you promise to use it for a shorter period.
pub(super) fn new(t: &'a mut T) -> (&'a mut T, Self) { pub(super) fn new_immut(t: &'a T) -> (&'a T, Self) {
let ptr = NonNull::from(t);
// SAFETY: we hold the borrow throughout 'a via `_marker`, and we expose
// only this reference, so it is unique.
let new_ref = unsafe { &*ptr.as_ptr() };
(
new_ref,
Self {
ptr,
_marker: PhantomData,
},
)
}
}
impl<'a, T> DormantRef<T, marker::Mut<'a>> {
/// Capture a unique borrow, and immediately reborrow it. For the compiler,
/// the lifetime of the new reference is the same as the lifetime of the
/// original reference, but you promise to use it for a shorter period.
pub(super) fn new_mut(t: &'a mut T) -> (&'a mut T, Self) {
let ptr = NonNull::from(t); let ptr = NonNull::from(t);
// SAFETY: we hold the borrow throughout 'a via `_marker`, and we expose // SAFETY: we hold the borrow throughout 'a via `_marker`, and we expose
// only this reference, so it is unique. // only this reference, so it is unique.
@ -1335,18 +1427,20 @@ mod borrow {
/// ///
/// The reborrow must have ended, i.e., the reference returned by `new` and /// The reborrow must have ended, i.e., the reference returned by `new` and
/// all pointers and references derived from it, must not be used anymore. /// all pointers and references derived from it, must not be used anymore.
pub(super) unsafe fn reborrow(&mut self) -> &'a mut T { pub(super) unsafe fn reborrow_mut(&mut self) -> &'a mut T {
// SAFETY: our own safety conditions imply this reference is again unique. // SAFETY: our own safety conditions imply this reference is again unique.
unsafe { &mut *self.ptr.as_ptr() } unsafe { &mut *self.ptr.as_ptr() }
} }
}
impl<'a, T, BorrowType: 'a> DormantRef<T, BorrowType> {
/// Borrows a new shared reference from the unique borrow initially captured. /// Borrows a new shared reference from the unique borrow initially captured.
/// ///
/// # Safety /// # Safety
/// ///
/// The reborrow must have ended, i.e., the reference returned by `new` and /// The reborrow must have ended, i.e., the reference returned by `new` and
/// all pointers and references derived from it, must not be used anymore. /// all pointers and references derived from it, must not be used anymore.
pub(super) unsafe fn reborrow_shared(&self) -> &'a T { pub(super) unsafe fn reborrow(&self) -> &'a T {
// SAFETY: our own safety conditions imply this reference is again unique. // SAFETY: our own safety conditions imply this reference is again unique.
unsafe { &*self.ptr.as_ptr() } unsafe { &*self.ptr.as_ptr() }
} }
@ -1439,7 +1533,7 @@ where
I: Iterator<Item = T>, I: Iterator<Item = T>,
{ {
once: Option<T>, once: Option<T>,
iter: I, iter: Option<I>,
} }
impl<I, T> Iterator for OnceAndIter<I, T> impl<I, T> Iterator for OnceAndIter<I, T>
@ -1452,7 +1546,7 @@ where
if let Some(once) = self.once.take() { if let Some(once) = self.once.take() {
Some(once) Some(once)
} else { } else {
self.iter.next() self.iter.as_mut()?.next()
} }
} }
} }
@ -1462,7 +1556,10 @@ where
I: Iterator, I: Iterator,
{ {
fn from(iter: I) -> Self { fn from(iter: I) -> Self {
Self { once: None, iter } Self {
once: None,
iter: Some(iter),
}
} }
} }
@ -1473,7 +1570,14 @@ where
pub fn once(once: T, iter: I) -> Self { pub fn once(once: T, iter: I) -> Self {
Self { Self {
once: Some(once), once: Some(once),
iter, iter: Some(iter),
}
}
pub fn empty() -> Self {
Self {
once: None,
iter: None,
} }
} }
} }
@ -1482,27 +1586,24 @@ impl<K, V> Tree<K, V>
where where
K: Ord, K: Ord,
{ {
pub fn as_subtree_mut<'a>(&'a mut self) -> subtree::Subtree<'a, K, V, marker::Mut<'a>> { pub fn as_subtree_mut<'a>(&'a mut self) -> subtree::Subtree<K, V, marker::Mut<'a>> {
match self.root.as_mut() { match self.root.as_mut() {
Some(node) => { Some(node) => {
let dormant = node.borrow_mut().dormant(); let dormant = node.borrow_mut().dormant();
Subtree::new_root(unsafe { dormant.awaken() }) Subtree::new_root(unsafe { dormant.awaken() })
} }
None => { None => {
let (_, dormant) = borrow::DormantMutRef::new(self); let (_, dormant) = borrow::DormantMutRef::new_mut(self);
Subtree::new_empty(dormant) Subtree::new_empty(dormant)
} }
} }
} }
pub fn as_subtree<'a>(&'a self) -> subtree::Subtree<'a, K, V, marker::Immut<'a>> { pub fn as_subtree<'a>(&'a self) -> subtree::Subtree<K, V, marker::Immut<'a>> {
match self.root.as_mut() { match self.root.as_ref() {
Some(node) => { Some(node) => Subtree::new_root(node.reborrow()),
let dormant = node.borrow_mut().dormant();
Subtree::new_root(unsafe { dormant.awaken().reborrow() })
}
None => { None => {
let (_, dormant) = borrow::DormantMutRef::new(self); let (_, dormant) = borrow::DormantRef::new_immut(self);
Subtree::new_empty(dormant) Subtree::new_empty(dormant)
} }
} }
@ -1799,13 +1900,20 @@ mod tests {
#[test] #[test]
fn drop_tree() { fn drop_tree() {
let tree = build_tree(); let _ = build_tree();
} }
#[test] #[test]
fn entry() { fn entry() {
let tree = build_tree(); let tree = build_tree();
assert_eq!(tree.as_subtree_mut().get("asdf".chars()), Some(&1)); assert_eq!(tree.as_subtree().get("asdf".chars()), Some(&1));
assert_eq!(tree.as_subtree().get("asd".chars()), Some(&2));
assert_eq!(tree.as_subtree().get("asdg".chars()), Some(&3));
assert_eq!(tree.as_subtree().get("asda".chars()), Some(&4));
assert_eq!(
tree.as_subtree().get_closest("asdaf".chars()),
Some((Some('f'), &4))
);
} }
} }

View file

@ -81,3 +81,25 @@ pub fn is_whitespace(c: char) -> bool {
| '\u{2029}' // PARAGRAPH SEPARATOR | '\u{2029}' // PARAGRAPH SEPARATOR
) )
} }
pub fn hash_f32<H: core::hash::Hasher>(state: &mut H, value: &f32) {
use core::hash::Hash;
if value.is_nan() {
f32::NAN.to_bits().hash(state);
} else if *value == 0.0 {
0u32.hash(state);
} else {
value.to_bits().hash(state);
}
}
pub fn hash_f64<H: core::hash::Hasher>(state: &mut H, value: &f64) {
use core::hash::Hash;
if value.is_nan() {
f64::NAN.to_bits().hash(state);
} else if *value == 0.0 {
0u64.hash(state);
} else {
value.to_bits().hash(state);
}
}