Pass descr around as a reference, generally

This commit is contained in:
Brian Picciano 2023-07-04 19:33:03 +02:00
parent 95f7f97716
commit 6863694293
5 changed files with 50 additions and 73 deletions

View File

@ -193,7 +193,7 @@ impl ManagerImpl {
} }
} }
.for_each(|descr| { .for_each(|descr| {
if let Err(err) = self.origin_store.sync(descr.clone(), origin::store::Limits {}) { if let Err(err) = self.origin_store.sync(&descr) {
log::error!("Failed to sync store for {:?}: {err}", descr); log::error!("Failed to sync store for {:?}: {err}", descr);
return; return;
} }
@ -217,7 +217,7 @@ impl Manager for ManagerImpl {
let config = self.domain_config_store.get(domain)?; let config = self.domain_config_store.get(domain)?;
let origin = self let origin = self
.origin_store .origin_store
.get(config.origin_descr) .get(&config.origin_descr)
// if there's a config there should be an origin, any error here is unexpected // if there's a config there should be an origin, any error here is unexpected
.or_unexpected()?; .or_unexpected()?;
Ok(origin) Ok(origin)
@ -252,8 +252,7 @@ impl Manager for ManagerImpl {
.check_domain(&domain, &config_hash) .check_domain(&domain, &config_hash)
.await?; .await?;
self.origin_store self.origin_store.sync(&config.origin_descr)?;
.sync(config.origin_descr.clone(), origin::store::Limits {})?;
self.domain_config_store.set(&domain, &config)?; self.domain_config_store.set(&domain, &config)?;

View File

@ -17,7 +17,6 @@ pub enum ReadFileIntoError {
/// Describes an origin which has already been synced locally and is available for reading files /// Describes an origin which has already been synced locally and is available for reading files
/// from. /// from.
pub trait Origin { pub trait Origin {
fn descr(&self) -> &Descr;
fn read_file_into( fn read_file_into(
&self, &self,
path: &str, path: &str,

View File

@ -5,11 +5,6 @@ use std::sync;
pub mod git; pub mod git;
pub mod mux; pub mod mux;
#[derive(Clone, Copy)]
pub struct Limits {
// TODO storage limits
}
#[derive(thiserror::Error, Clone, Debug, PartialEq)] #[derive(thiserror::Error, Clone, Debug, PartialEq)]
pub enum SyncError { pub enum SyncError {
#[error("invalid url")] #[error("invalid url")]
@ -45,9 +40,9 @@ pub enum AllDescrsError {
pub trait Store { pub trait Store {
/// If the origin is of a kind which can be updated, sync will pull down the latest version of /// If the origin is of a kind which can be updated, sync will pull down the latest version of
/// the origin into the storage. /// the origin into the storage.
fn sync(&self, descr: origin::Descr, limits: Limits) -> Result<(), SyncError>; fn sync(&self, descr: &origin::Descr) -> Result<(), SyncError>;
fn get(&self, descr: origin::Descr) -> Result<sync::Arc<dyn origin::Origin>, GetError>; fn get(&self, descr: &origin::Descr) -> Result<sync::Arc<dyn origin::Origin>, GetError>;
fn all_descrs(&self) -> Result<Vec<origin::Descr>, AllDescrsError>; fn all_descrs(&self) -> Result<Vec<origin::Descr>, AllDescrsError>;
} }
@ -56,11 +51,11 @@ pub fn new_mock() -> sync::Arc<sync::Mutex<MockStore>> {
} }
impl Store for sync::Arc<sync::Mutex<MockStore>> { impl Store for sync::Arc<sync::Mutex<MockStore>> {
fn sync(&self, descr: origin::Descr, limits: Limits) -> Result<(), SyncError> { fn sync(&self, descr: &origin::Descr) -> Result<(), SyncError> {
self.lock().unwrap().sync(descr, limits) self.lock().unwrap().sync(descr)
} }
fn get(&self, descr: origin::Descr) -> Result<sync::Arc<dyn origin::Origin>, GetError> { fn get(&self, descr: &origin::Descr) -> Result<sync::Arc<dyn origin::Origin>, GetError> {
self.lock().unwrap().get(descr) self.lock().unwrap().get(descr)
} }

View File

@ -6,16 +6,11 @@ use std::{collections, fs, io, sync};
#[derive(Clone)] #[derive(Clone)]
struct Origin { struct Origin {
descr: origin::Descr,
repo: sync::Arc<gix::ThreadSafeRepository>, repo: sync::Arc<gix::ThreadSafeRepository>,
tree_object_id: gix::ObjectId, tree_object_id: gix::ObjectId,
} }
impl origin::Origin for Origin { impl origin::Origin for Origin {
fn descr(&self) -> &origin::Descr {
&self.descr
}
fn read_file_into( fn read_file_into(
&self, &self,
path: &str, path: &str,
@ -96,7 +91,7 @@ impl FSStore {
fn get_origin( fn get_origin(
&self, &self,
repo: gix::Repository, repo: gix::Repository,
descr: origin::Descr, descr: &origin::Descr,
) -> Result<Origin, GetOriginError> { ) -> Result<Origin, GetOriginError> {
let origin::Descr::Git { let origin::Descr::Git {
ref branch_name, .. ref branch_name, ..
@ -120,17 +115,12 @@ impl FSStore {
.tree(); .tree();
Ok(Origin { Ok(Origin {
descr,
repo: sync::Arc::new(repo.into()), repo: sync::Arc::new(repo.into()),
tree_object_id, tree_object_id,
}) })
} }
fn sync_inner( fn sync_inner(&self, descr: &origin::Descr) -> Result<gix::Repository, store::SyncError> {
&self,
descr: &origin::Descr,
_limits: store::Limits,
) -> Result<gix::Repository, store::SyncError> {
use gix::clone::Error as gixCloneErr; use gix::clone::Error as gixCloneErr;
use gix::progress::Discard; use gix::progress::Discard;
@ -209,7 +199,7 @@ impl FSStore {
} }
impl super::Store for FSStore { impl super::Store for FSStore {
fn sync(&self, descr: origin::Descr, limits: store::Limits) -> Result<(), store::SyncError> { fn sync(&self, descr: &origin::Descr) -> Result<(), store::SyncError> {
// attempt to lock this descr for syncing, doing so within a new scope so the mutex // attempt to lock this descr for syncing, doing so within a new scope so the mutex
// isn't actually being held for the whole method duration. // isn't actually being held for the whole method duration.
let is_already_syncing = { let is_already_syncing = {
@ -224,7 +214,7 @@ impl super::Store for FSStore {
return Err(store::SyncError::AlreadyInProgress); return Err(store::SyncError::AlreadyInProgress);
} }
let res = self.sync_inner(&descr, limits); let res = self.sync_inner(descr);
self.sync_guard.lock().unwrap().remove(&descr); self.sync_guard.lock().unwrap().remove(&descr);
@ -242,21 +232,21 @@ impl super::Store for FSStore {
// calling this while the sync lock is held isn't ideal, but it's convenient and // calling this while the sync lock is held isn't ideal, but it's convenient and
// shouldn't be too terrible generally // shouldn't be too terrible generally
let origin = self.get_origin(repo, descr.clone()).map_err(|e| match e { let origin = self.get_origin(repo, &descr).map_err(|e| match e {
GetOriginError::InvalidBranchName => store::SyncError::InvalidBranchName, GetOriginError::InvalidBranchName => store::SyncError::InvalidBranchName,
GetOriginError::Unexpected(e) => store::SyncError::Unexpected(e), GetOriginError::Unexpected(e) => store::SyncError::Unexpected(e),
})?; })?;
let mut origins = self.origins.write().unwrap(); let mut origins = self.origins.write().unwrap();
(*origins).insert(descr, sync::Arc::new(origin)); (*origins).insert(descr.clone(), sync::Arc::new(origin));
Ok(()) Ok(())
} }
fn get(&self, descr: origin::Descr) -> Result<sync::Arc<dyn origin::Origin>, store::GetError> { fn get(&self, descr: &origin::Descr) -> Result<sync::Arc<dyn origin::Origin>, store::GetError> {
{ {
let origins = self.origins.read().unwrap(); let origins = self.origins.read().unwrap();
if let Some(origin) = origins.get(&descr) { if let Some(origin) = origins.get(descr) {
return Ok(origin.clone()); return Ok(origin.clone());
} }
} }
@ -273,7 +263,7 @@ impl super::Store for FSStore {
let repo = gix::open(&repo_path) let repo = gix::open(&repo_path)
.map_unexpected_while(|| format!("opening {} as git repo", repo_path.display()))?; .map_unexpected_while(|| format!("opening {} as git repo", repo_path.display()))?;
let origin = self.get_origin(repo, descr.clone()).map_err(|e| match e { let origin = self.get_origin(repo, descr).map_err(|e| match e {
// it's not expected that the branch name is invalid at this point, it must have // it's not expected that the branch name is invalid at this point, it must have
// existed for sync to have been successful. // existed for sync to have been successful.
GetOriginError::InvalidBranchName => e.into_unexpected().into(), GetOriginError::InvalidBranchName => e.into_unexpected().into(),
@ -284,7 +274,7 @@ impl super::Store for FSStore {
let mut origins = self.origins.write().unwrap(); let mut origins = self.origins.write().unwrap();
(*origins).insert(descr, origin.clone()); (*origins).insert(descr.clone(), origin.clone());
Ok(origin) Ok(origin)
} }
@ -342,25 +332,17 @@ mod tests {
branch_name: String::from("some_other_branch"), branch_name: String::from("some_other_branch"),
}; };
let limits = store::Limits {};
let store = super::FSStore::new(tmp_dir.path().to_path_buf()).expect("store created"); let store = super::FSStore::new(tmp_dir.path().to_path_buf()).expect("store created");
store store.sync(&descr).expect("sync should succeed");
.sync(descr.clone(), limits) store.sync(&descr).expect("second sync should succeed");
.expect("sync should succeed");
store
.sync(descr.clone(), limits)
.expect("second sync should succeed");
assert!(matches!( assert!(matches!(
store.get(other_descr), store.get(&other_descr),
Err::<_, store::GetError>(store::GetError::NotFound), Err::<_, store::GetError>(store::GetError::NotFound),
)); ));
let origin = store.get(descr.clone()).expect("origin retrieved"); let origin = store.get(&descr).expect("origin retrieved");
assert_eq!(&descr, origin.descr());
let assert_write = |path: &str| { let assert_write = |path: &str| {
let mut into: Vec<u8> = vec![]; let mut into: Vec<u8> = vec![];

View File

@ -26,14 +26,14 @@ where
S: store::Store + 'static, S: store::Store + 'static,
F: Fn(&origin::Descr) -> Option<S> + Sync + Send, F: Fn(&origin::Descr) -> Option<S> + Sync + Send,
{ {
fn sync(&self, descr: origin::Descr, limits: store::Limits) -> Result<(), store::SyncError> { fn sync(&self, descr: &origin::Descr) -> Result<(), store::SyncError> {
(self.mapping_fn)(&descr) (self.mapping_fn)(descr)
.or_unexpected_while(format!("mapping {:?} to store", &descr))? .or_unexpected_while(format!("mapping {:?} to store", &descr))?
.sync(descr, limits) .sync(descr)
} }
fn get(&self, descr: origin::Descr) -> Result<sync::Arc<dyn origin::Origin>, store::GetError> { fn get(&self, descr: &origin::Descr) -> Result<sync::Arc<dyn origin::Origin>, store::GetError> {
(self.mapping_fn)(&descr) (self.mapping_fn)(descr)
.or_unexpected_while(format!("mapping {:?} to store", &descr))? .or_unexpected_while(format!("mapping {:?} to store", &descr))?
.get(descr) .get(descr)
} }
@ -52,7 +52,6 @@ where
#[cfg(test)] #[cfg(test)]
mod tests { mod tests {
use crate::origin::{self, store}; use crate::origin::{self, store};
use mockall::predicate;
use std::sync; use std::sync;
struct Harness { struct Harness {
@ -112,30 +111,33 @@ mod tests {
fn sync() { fn sync() {
let h = Harness::new(); let h = Harness::new();
h.store_a {
.lock() let descr_a = h.descr_a.clone();
.unwrap() h.store_a
.expect_sync() .lock()
.with(predicate::eq(h.descr_a.clone()), predicate::always()) .unwrap()
.times(1) .expect_sync()
.return_const(Ok::<(), store::SyncError>(())); .withf(move |descr: &origin::Descr| descr == &descr_a)
.times(1)
.return_const(Ok::<(), store::SyncError>(()));
}
assert_eq!(Ok(()), h.store.sync(h.descr_a.clone(), store::Limits {})); assert_eq!(Ok(()), h.store.sync(&h.descr_a));
h.store_b {
.lock() let descr_b = h.descr_b.clone();
.unwrap() h.store_b
.expect_sync() .lock()
.with(predicate::eq(h.descr_b.clone()), predicate::always()) .unwrap()
.times(1) .expect_sync()
.return_const(Ok::<(), store::SyncError>(())); .withf(move |descr: &origin::Descr| descr == &descr_b)
.times(1)
.return_const(Ok::<(), store::SyncError>(()));
}
assert_eq!(Ok(()), h.store.sync(h.descr_b.clone(), store::Limits {})); assert_eq!(Ok(()), h.store.sync(&h.descr_b));
assert!(h assert!(h.store.sync(&h.descr_unknown).is_err());
.store
.sync(h.descr_unknown.clone(), store::Limits {})
.is_err());
} }
#[test] #[test]