mod dump; pub mod error; mod store; use std::collections::{HashMap, HashSet}; use std::path::Path; use std::sync::Arc; use cluster::Cluster; use error::{AuthControllerError, Result}; use maplit::hashset; use meilisearch_types::index_uid_pattern::IndexUidPattern; use meilisearch_types::keys::{Action, CreateApiKey, Key, PatchApiKey}; use meilisearch_types::milli::update::Setting; use serde::{Deserialize, Serialize}; pub use store::open_auth_store_env; use store::{generate_key_as_hexa, HeedAuthStore}; use time::OffsetDateTime; use uuid::Uuid; #[derive(Clone)] pub struct AuthController { store: Arc, master_key: Option, cluster: Option, } impl AuthController { pub fn new( db_path: impl AsRef, master_key: &Option, cluster: Option, ) -> Result { let store = HeedAuthStore::new(db_path)?; if store.is_empty()? { generate_default_keys(&store)?; } let this = Self { store: Arc::new(store), master_key: master_key.clone(), cluster: cluster.clone(), }; if let Some(Cluster::Follower(follower)) = cluster { let this = this.clone(); std::thread::spawn(move || loop { match follower.api_key_operation() { cluster::ApiKeyOperation::Insert(key) => { this.store.put_api_key(key).expect("Inconsistency with the leader"); } cluster::ApiKeyOperation::Delete(uuid) => { this.store.delete_api_key(uuid).expect("Inconsistency with the leader"); } } }); } else if let Some(Cluster::Leader(leader)) = cluster { let this = this.clone(); std::thread::spawn(move || loop { let channel = leader.needs_keys(); let keys = this.list_keys().expect("auth controller is dead"); channel.send(keys).expect("Cluster is dead"); }); } Ok(this) } /// Return the size of the `AuthController` database in bytes. pub fn size(&self) -> Result { self.store.size() } pub fn create_key(&self, create_key: CreateApiKey) -> Result { match self.store.get_api_key(create_key.uid)? { Some(_) => Err(AuthControllerError::ApiKeyAlreadyExists(create_key.uid.to_string())), None => { let key = self.store.put_api_key(create_key.to_key())?; if let Some(Cluster::Leader(ref leader)) = self.cluster { leader.insert_key(key.clone()); } Ok(key) } } } pub fn update_key(&self, uid: Uuid, patch: PatchApiKey) -> Result { let mut key = self.get_key(uid)?; match patch.description { Setting::NotSet => (), description => key.description = description.set(), }; match patch.name { Setting::NotSet => (), name => key.name = name.set(), }; key.updated_at = OffsetDateTime::now_utc(); let key = self.store.put_api_key(key)?; if let Some(Cluster::Leader(ref leader)) = self.cluster { leader.insert_key(key.clone()); } Ok(key) } pub fn get_key(&self, uid: Uuid) -> Result { self.store .get_api_key(uid)? .ok_or_else(|| AuthControllerError::ApiKeyNotFound(uid.to_string())) } pub fn get_optional_uid_from_encoded_key(&self, encoded_key: &[u8]) -> Result> { match &self.master_key { Some(master_key) => { self.store.get_uid_from_encoded_key(encoded_key, master_key.as_bytes()) } None => Ok(None), } } pub fn get_uid_from_encoded_key(&self, encoded_key: &str) -> Result { self.get_optional_uid_from_encoded_key(encoded_key.as_bytes())? .ok_or_else(|| AuthControllerError::ApiKeyNotFound(encoded_key.to_string())) } pub fn get_key_filters( &self, uid: Uuid, search_rules: Option, ) -> Result { let key = self.get_key(uid)?; let key_authorized_indexes = SearchRules::Set(key.indexes.into_iter().collect()); let allow_index_creation = self.is_key_authorized(uid, Action::IndexesAdd, None)?; Ok(AuthFilter { search_rules, key_authorized_indexes, allow_index_creation }) } pub fn list_keys(&self) -> Result> { self.store.list_api_keys() } pub fn delete_key(&self, uid: Uuid) -> Result<()> { if self.store.delete_api_key(uid)? { if let Some(Cluster::Leader(ref leader)) = self.cluster { leader.delete_key(uid); } Ok(()) } else { Err(AuthControllerError::ApiKeyNotFound(uid.to_string())) } } pub fn get_master_key(&self) -> Option<&String> { self.master_key.as_ref() } /// Generate a valid key from a key id using the current master key. /// Returns None if no master key has been set. pub fn generate_key(&self, uid: Uuid) -> Option { self.master_key.as_ref().map(|master_key| generate_key_as_hexa(uid, master_key.as_bytes())) } /// Check if the provided key is authorized to make a specific action /// without checking if the key is valid. pub fn is_key_authorized( &self, uid: Uuid, action: Action, index: Option<&str>, ) -> Result { match self .store // check if the key has access to all indexes. .get_expiration_date(uid, action, None)? .or(match index { // else check if the key has access to the requested index. Some(index) => self.store.get_expiration_date(uid, action, Some(index))?, // or to any index if no index has been requested. None => self.store.prefix_first_expiration_date(uid, action)?, }) { // check expiration date. Some(Some(exp)) => Ok(OffsetDateTime::now_utc() < exp), // no expiration date. Some(None) => Ok(true), // action or index forbidden. None => Ok(false), } } /// Delete all the keys in the DB. pub fn raw_delete_all_keys(&mut self) -> Result<()> { self.store.delete_all_keys() } /// Delete all the keys in the DB. pub fn raw_insert_key(&mut self, key: Key) -> Result<()> { self.store.put_api_key(key)?; Ok(()) } } pub struct AuthFilter { search_rules: Option, key_authorized_indexes: SearchRules, allow_index_creation: bool, } impl Default for AuthFilter { fn default() -> Self { Self { search_rules: None, key_authorized_indexes: SearchRules::default(), allow_index_creation: true, } } } impl AuthFilter { #[inline] pub fn allow_index_creation(&self, index: &str) -> bool { self.allow_index_creation && self.is_index_authorized(index) } pub fn with_allowed_indexes(allowed_indexes: HashSet) -> Self { Self { search_rules: None, key_authorized_indexes: SearchRules::Set(allowed_indexes), allow_index_creation: false, } } pub fn all_indexes_authorized(&self) -> bool { self.key_authorized_indexes.all_indexes_authorized() && self .search_rules .as_ref() .map(|search_rules| search_rules.all_indexes_authorized()) .unwrap_or(true) } pub fn is_index_authorized(&self, index: &str) -> bool { self.key_authorized_indexes.is_index_authorized(index) && self .search_rules .as_ref() .map(|search_rules| search_rules.is_index_authorized(index)) .unwrap_or(true) } pub fn get_index_search_rules(&self, index: &str) -> Option { if !self.is_index_authorized(index) { return None; } let search_rules = self.search_rules.as_ref().unwrap_or(&self.key_authorized_indexes); search_rules.get_index_search_rules(index) } } /// Transparent wrapper around a list of allowed indexes with the search rules to apply for each. #[derive(Debug, Serialize, Deserialize, Clone)] #[serde(untagged)] pub enum SearchRules { Set(HashSet), Map(HashMap>), } impl Default for SearchRules { fn default() -> Self { Self::Set(hashset! { IndexUidPattern::all() }) } } impl SearchRules { fn is_index_authorized(&self, index: &str) -> bool { match self { Self::Set(set) => { set.contains("*") || set.contains(index) || set.iter().any(|pattern| pattern.matches_str(index)) } Self::Map(map) => { map.contains_key("*") || map.contains_key(index) || map.keys().any(|pattern| pattern.matches_str(index)) } } } fn get_index_search_rules(&self, index: &str) -> Option { match self { Self::Set(_) => { if self.is_index_authorized(index) { Some(IndexSearchRules::default()) } else { None } } Self::Map(map) => { // We must take the most retrictive rule of this index uid patterns set of rules. map.iter() .filter(|(pattern, _)| pattern.matches_str(index)) .max_by_key(|(pattern, _)| (pattern.is_exact(), pattern.len())) .and_then(|(_, rule)| rule.clone()) } } } fn all_indexes_authorized(&self) -> bool { match self { SearchRules::Set(set) => set.contains("*"), SearchRules::Map(map) => map.contains_key("*"), } } } impl IntoIterator for SearchRules { type Item = (IndexUidPattern, IndexSearchRules); type IntoIter = Box>; fn into_iter(self) -> Self::IntoIter { match self { Self::Set(array) => { Box::new(array.into_iter().map(|i| (i, IndexSearchRules::default()))) } Self::Map(map) => { Box::new(map.into_iter().map(|(i, isr)| (i, isr.unwrap_or_default()))) } } } } /// Contains the rules to apply on the top of the search query for a specific index. /// /// filter: search filter to apply in addition to query filters. #[derive(Debug, Serialize, Deserialize, Default, Clone)] pub struct IndexSearchRules { pub filter: Option, } fn generate_default_keys(store: &HeedAuthStore) -> Result<()> { store.put_api_key(Key::default_admin())?; store.put_api_key(Key::default_search())?; Ok(()) } pub const MASTER_KEY_MIN_SIZE: usize = 16; const MASTER_KEY_GEN_SIZE: usize = 32; pub fn generate_master_key() -> String { use rand::rngs::OsRng; use rand::RngCore; // We need to use a cryptographically-secure source of randomness. That's why we're using the OsRng; https://crates.io/crates/getrandom let mut csprng = OsRng; let mut buf = vec![0; MASTER_KEY_GEN_SIZE]; csprng.fill_bytes(&mut buf); // let's encode the random bytes to base64 to make them human-readable and not too long. // We're using the URL_SAFE alphabet that will produce keys without =, / or other unusual characters. base64::encode_config(buf, base64::URL_SAFE_NO_PAD) }