Key Trait
The Key trait enables types to define a serialization and deserialization
format that preserves the order of the original type in serialized form. Whe
comparing two values encoded with as_ord_bytes()
using a
byte-by-byte comparison operation should match the result produced by comparing
the two original values using the Ord
. For integer formats, this
generally means encoding the bytes in network byte order (big endian).
For example, let's consider two values:
Value | as_ord_bytes() |
---|---|
1u16 | [ 0, 1] |
300u16 | [ 1, 44] |
1_u16.cmp(&300_u16)
and 1_u16.as_ord_bytes()?.cmp(&300_u16.as_ord_bytes()?)
both produce Ordering::Less.
Implementing the Key
trait
The Key
trait declares two functions: as_ord_bytes()
and
from_ord_bytes
. The intention is to convert the type to bytes
using a network byte order for numerical types, and for non-numerical types, the
bytes need to be stored in binary-sortable order.
Here is how BonsaiDb implements Key for EnumKey
:
impl<'a, T> Key<'a> for T
where
T: EnumKey,
{
fn from_ord_bytes(bytes: &'a [u8]) -> Result<Self, Self::Error> {
let primitive = u64::decode_variable(bytes)?;
Self::from_u64(primitive)
.ok_or_else(|| std::io::Error::new(ErrorKind::InvalidData, UnknownEnumVariant))
}
}
impl<'a, T> KeyEncoding<'a, Self> for T
where
T: EnumKey,
{
type Error = std::io::Error;
const LENGTH: Option<usize> = None;
fn as_ord_bytes(&'a self) -> Result<Cow<'a, [u8]>, Self::Error> {
let integer = self
.to_u64()
.map(Unsigned::from)
.ok_or_else(|| std::io::Error::new(ErrorKind::InvalidData, IncorrectByteLength))?;
Ok(Cow::Owned(integer.to_variable_vec()?))
}
}
By implementing Key
you can take full control of converting your view keys.