refactor multi-get to handle result type

Signed-off-by: Jason Volk <jason@zemos.net>
This commit is contained in:
Jason Volk 2024-10-01 22:37:01 +00:00 committed by strawberry
parent 26dcab272d
commit ab06701ed0
3 changed files with 33 additions and 59 deletions

View file

@ -3,10 +3,6 @@ use serde::Deserialize;
use crate::de; use crate::de;
pub(crate) type OwnedKeyVal = (Vec<u8>, Vec<u8>);
pub(crate) type OwnedKey = Vec<u8>;
pub(crate) type OwnedVal = Vec<u8>;
pub type KeyVal<'a, K = &'a Slice, V = &'a Slice> = (Key<'a, K>, Val<'a, V>); pub type KeyVal<'a, K = &'a Slice, V = &'a Slice> = (Key<'a, K>, Val<'a, V>);
pub type Key<'a, T = &'a Slice> = T; pub type Key<'a, T = &'a Slice> = T;
pub type Val<'a, T = &'a Slice> = T; pub type Val<'a, T = &'a Slice> = T;
@ -72,10 +68,6 @@ where
de::from_slice::<V>(val) de::from_slice::<V>(val)
} }
#[inline]
#[must_use]
pub fn to_owned(kv: KeyVal<'_>) -> OwnedKeyVal { (kv.0.to_owned(), kv.1.to_owned()) }
#[inline] #[inline]
pub fn key<K, V>(kv: KeyVal<'_, K, V>) -> Key<'_, K> { kv.0 } pub fn key<K, V>(kv: KeyVal<'_, K, V>) -> Key<'_, K> { kv.0 }

View file

@ -3,14 +3,12 @@ use std::{convert::AsRef, fmt::Debug, future::Future, io::Write};
use arrayvec::ArrayVec; use arrayvec::ArrayVec;
use conduit::{err, implement, Result}; use conduit::{err, implement, Result};
use futures::future::ready; use futures::future::ready;
use rocksdb::DBPinnableSlice;
use serde::Serialize; use serde::Serialize;
use crate::{ use crate::{ser, util, Handle};
keyval::{OwnedKey, OwnedVal},
ser, type RocksdbResult<'a> = Result<Option<DBPinnableSlice<'a>>, rocksdb::Error>;
util::{map_err, or_else},
Handle,
};
/// Fetch a value from the database into cache, returning a reference-handle /// Fetch a value from the database into cache, returning a reference-handle
/// asynchronously. The key is serialized into an allocated buffer to perform /// asynchronously. The key is serialized into an allocated buffer to perform
@ -68,17 +66,17 @@ pub fn get_blocking<K>(&self, key: &K) -> Result<Handle<'_>>
where where
K: AsRef<[u8]> + ?Sized + Debug, K: AsRef<[u8]> + ?Sized + Debug,
{ {
self.db let res = self
.db .db
.get_pinned_cf_opt(&self.cf(), key, &self.read_options) .db
.map_err(map_err)? .get_pinned_cf_opt(&self.cf(), key, &self.read_options);
.map(Handle::from)
.ok_or(err!(Request(NotFound("Not found in database")))) into_result_handle(res)
} }
#[implement(super::Map)] #[implement(super::Map)]
#[tracing::instrument(skip(self, keys), fields(%self), level = "trace")] #[tracing::instrument(skip(self, keys), fields(%self), level = "trace")]
pub fn get_batch_blocking<'a, I, K>(&self, keys: I) -> Vec<Option<OwnedVal>> pub fn get_batch_blocking<'a, I, K>(&self, keys: I) -> Vec<Result<Handle<'_>>>
where where
I: Iterator<Item = &'a K> + ExactSizeIterator + Send + Debug, I: Iterator<Item = &'a K> + ExactSizeIterator + Send + Debug,
K: AsRef<[u8]> + Sized + Debug + 'a, K: AsRef<[u8]> + Sized + Debug + 'a,
@ -87,19 +85,18 @@ where
// comparator**. // comparator**.
const SORTED: bool = false; const SORTED: bool = false;
let mut ret: Vec<Option<OwnedKey>> = Vec::with_capacity(keys.len());
let read_options = &self.read_options; let read_options = &self.read_options;
for res in self self.db
.db
.db .db
.batched_multi_get_cf_opt(&self.cf(), keys, SORTED, read_options) .batched_multi_get_cf_opt(&self.cf(), keys, SORTED, read_options)
{ .into_iter()
match res { .map(into_result_handle)
Ok(Some(res)) => ret.push(Some((*res).to_vec())), .collect()
Ok(None) => ret.push(None),
Err(e) => or_else(e).expect("database multiget error"),
}
} }
ret fn into_result_handle(result: RocksdbResult<'_>) -> Result<Handle<'_>> {
result
.map_err(util::map_err)?
.map(Handle::from)
.ok_or(err!(Request(NotFound("Not found in database"))))
} }

View file

@ -1,6 +1,6 @@
use std::sync::Arc; use std::sync::Arc;
use conduit::{err, implement, utils, Error, Result}; use conduit::{err, implement, utils, Result};
use database::{Deserialized, Map}; use database::{Deserialized, Map};
use ruma::{events::StateEventType, EventId, RoomId}; use ruma::{events::StateEventType, EventId, RoomId};
@ -69,41 +69,26 @@ pub async fn get_or_create_shorteventid(&self, event_id: &EventId) -> u64 {
#[implement(Service)] #[implement(Service)]
pub async fn multi_get_or_create_shorteventid(&self, event_ids: &[&EventId]) -> Vec<u64> { pub async fn multi_get_or_create_shorteventid(&self, event_ids: &[&EventId]) -> Vec<u64> {
let mut ret: Vec<u64> = Vec::with_capacity(event_ids.len()); self.db
let keys = event_ids
.iter()
.map(|id| id.as_bytes())
.collect::<Vec<&[u8]>>();
for (i, short) in self
.db
.eventid_shorteventid .eventid_shorteventid
.get_batch_blocking(keys.iter()) .get_batch_blocking(event_ids.iter())
.iter() .into_iter()
.enumerate() .enumerate()
{ .map(|(i, result)| match result {
match short { Ok(ref short) => utils::u64_from_u8(short),
Some(short) => ret.push( Err(_) => {
utils::u64_from_bytes(short)
.map_err(|_| Error::bad_database("Invalid shorteventid in db."))
.unwrap(),
),
None => {
let short = self.services.globals.next_count().unwrap(); let short = self.services.globals.next_count().unwrap();
self.db self.db
.eventid_shorteventid .eventid_shorteventid
.insert(keys[i], &short.to_be_bytes()); .insert(event_ids[i], &short.to_be_bytes());
self.db self.db
.shorteventid_eventid .shorteventid_eventid
.insert(&short.to_be_bytes(), keys[i]); .insert(&short.to_be_bytes(), event_ids[i]);
debug_assert!(ret.len() == i, "position of result must match input"); short
ret.push(short);
}, },
} })
} .collect()
ret
} }
#[implement(Service)] #[implement(Service)]