mirror of
https://github.com/meilisearch/MeiliSearch
synced 2024-11-05 12:38:55 +01:00
Merge #3174
3174: Allow wildcards at the end of index names for API Keys and Tenant tokens r=irevoire a=Kerollmops This PR introduces the wildcards at the end of the index names when identifying indexes in the API Keys and tenant tokens. It fixes #2788 and fixes #2908. This PR is based on `@akhildevelops'` work. Note that when a tenant token filter is chosen to restrict a search, it is always the most restrictive pattern that is chosen. If we have an index pattern _prod*_ that defines _filter1_ and _p*_ that defines _filter2_, the engine will choose _filter1_ over _filter2_ as it is defined for a most restrictive pattern, _prod*_. This restrictiveness is defined by 1. is it exact, without _*_ 2. the length of the pattern. It is a continuation of work that has already started and should close #2869. Co-authored-by: Clément Renault <clement@meilisearch.com> Co-authored-by: Kerollmops <clement@meilisearch.com>
This commit is contained in:
commit
f3b54337f9
1
Cargo.lock
generated
1
Cargo.lock
generated
@ -2527,6 +2527,7 @@ dependencies = [
|
|||||||
"base64 0.13.1",
|
"base64 0.13.1",
|
||||||
"enum-iterator",
|
"enum-iterator",
|
||||||
"hmac",
|
"hmac",
|
||||||
|
"maplit",
|
||||||
"meilisearch-types",
|
"meilisearch-types",
|
||||||
"rand",
|
"rand",
|
||||||
"roaring",
|
"roaring",
|
||||||
|
@ -203,12 +203,11 @@ pub(crate) mod test {
|
|||||||
|
|
||||||
use big_s::S;
|
use big_s::S;
|
||||||
use maplit::btreeset;
|
use maplit::btreeset;
|
||||||
use meilisearch_types::index_uid::IndexUid;
|
use meilisearch_types::index_uid_pattern::IndexUidPattern;
|
||||||
use meilisearch_types::keys::{Action, Key};
|
use meilisearch_types::keys::{Action, Key};
|
||||||
use meilisearch_types::milli::update::Setting;
|
use meilisearch_types::milli::update::Setting;
|
||||||
use meilisearch_types::milli::{self};
|
use meilisearch_types::milli::{self};
|
||||||
use meilisearch_types::settings::{Checked, Settings};
|
use meilisearch_types::settings::{Checked, Settings};
|
||||||
use meilisearch_types::star_or::StarOr;
|
|
||||||
use meilisearch_types::tasks::{Details, Status};
|
use meilisearch_types::tasks::{Details, Status};
|
||||||
use serde_json::{json, Map, Value};
|
use serde_json::{json, Map, Value};
|
||||||
use time::macros::datetime;
|
use time::macros::datetime;
|
||||||
@ -341,7 +340,7 @@ pub(crate) mod test {
|
|||||||
name: Some(S("doggos_key")),
|
name: Some(S("doggos_key")),
|
||||||
uid: Uuid::from_str("9f8a34da-b6b2-42f0-939b-dbd4c3448655").unwrap(),
|
uid: Uuid::from_str("9f8a34da-b6b2-42f0-939b-dbd4c3448655").unwrap(),
|
||||||
actions: vec![Action::DocumentsAll],
|
actions: vec![Action::DocumentsAll],
|
||||||
indexes: vec![StarOr::Other(IndexUid::from_str("doggos").unwrap())],
|
indexes: vec![IndexUidPattern::from_str("doggos").unwrap()],
|
||||||
expires_at: Some(datetime!(4130-03-14 12:21 UTC)),
|
expires_at: Some(datetime!(4130-03-14 12:21 UTC)),
|
||||||
created_at: datetime!(1960-11-15 0:00 UTC),
|
created_at: datetime!(1960-11-15 0:00 UTC),
|
||||||
updated_at: datetime!(2022-11-10 0:00 UTC),
|
updated_at: datetime!(2022-11-10 0:00 UTC),
|
||||||
@ -351,7 +350,7 @@ pub(crate) mod test {
|
|||||||
name: Some(S("master_key")),
|
name: Some(S("master_key")),
|
||||||
uid: Uuid::from_str("4622f717-1c00-47bb-a494-39d76a49b591").unwrap(),
|
uid: Uuid::from_str("4622f717-1c00-47bb-a494-39d76a49b591").unwrap(),
|
||||||
actions: vec![Action::All],
|
actions: vec![Action::All],
|
||||||
indexes: vec![StarOr::Star],
|
indexes: vec![IndexUidPattern::all()],
|
||||||
expires_at: None,
|
expires_at: None,
|
||||||
created_at: datetime!(0000-01-01 00:01 UTC),
|
created_at: datetime!(0000-01-01 00:01 UTC),
|
||||||
updated_at: datetime!(1964-05-04 17:25 UTC),
|
updated_at: datetime!(1964-05-04 17:25 UTC),
|
||||||
|
@ -181,10 +181,8 @@ impl CompatV5ToV6 {
|
|||||||
.indexes
|
.indexes
|
||||||
.into_iter()
|
.into_iter()
|
||||||
.map(|index| match index {
|
.map(|index| match index {
|
||||||
v5::StarOr::Star => v6::StarOr::Star,
|
v5::StarOr::Star => v6::IndexUidPattern::all(),
|
||||||
v5::StarOr::Other(uid) => {
|
v5::StarOr::Other(uid) => v6::IndexUidPattern::new_unchecked(uid.as_str()),
|
||||||
v6::StarOr::Other(v6::IndexUid::new_unchecked(uid.as_str()))
|
|
||||||
}
|
|
||||||
})
|
})
|
||||||
.collect(),
|
.collect(),
|
||||||
expires_at: key.expires_at,
|
expires_at: key.expires_at,
|
||||||
|
@ -34,8 +34,7 @@ pub type PaginationSettings = meilisearch_types::settings::PaginationSettings;
|
|||||||
|
|
||||||
// everything related to the api keys
|
// everything related to the api keys
|
||||||
pub type Action = meilisearch_types::keys::Action;
|
pub type Action = meilisearch_types::keys::Action;
|
||||||
pub type StarOr<T> = meilisearch_types::star_or::StarOr<T>;
|
pub type IndexUidPattern = meilisearch_types::index_uid_pattern::IndexUidPattern;
|
||||||
pub type IndexUid = meilisearch_types::index_uid::IndexUid;
|
|
||||||
|
|
||||||
// everything related to the errors
|
// everything related to the errors
|
||||||
pub type ResponseError = meilisearch_types::error::ResponseError;
|
pub type ResponseError = meilisearch_types::error::ResponseError;
|
||||||
|
@ -43,6 +43,7 @@ use file_store::FileStore;
|
|||||||
use meilisearch_types::error::ResponseError;
|
use meilisearch_types::error::ResponseError;
|
||||||
use meilisearch_types::heed::types::{OwnedType, SerdeBincode, SerdeJson, Str};
|
use meilisearch_types::heed::types::{OwnedType, SerdeBincode, SerdeJson, Str};
|
||||||
use meilisearch_types::heed::{self, Database, Env, RoTxn};
|
use meilisearch_types::heed::{self, Database, Env, RoTxn};
|
||||||
|
use meilisearch_types::index_uid_pattern::IndexUidPattern;
|
||||||
use meilisearch_types::milli;
|
use meilisearch_types::milli;
|
||||||
use meilisearch_types::milli::documents::DocumentsBatchBuilder;
|
use meilisearch_types::milli::documents::DocumentsBatchBuilder;
|
||||||
use meilisearch_types::milli::update::IndexerConfig;
|
use meilisearch_types::milli::update::IndexerConfig;
|
||||||
@ -630,7 +631,7 @@ impl IndexScheduler {
|
|||||||
&self,
|
&self,
|
||||||
rtxn: &RoTxn,
|
rtxn: &RoTxn,
|
||||||
query: &Query,
|
query: &Query,
|
||||||
authorized_indexes: &Option<Vec<String>>,
|
authorized_indexes: &Option<Vec<IndexUidPattern>>,
|
||||||
) -> Result<RoaringBitmap> {
|
) -> Result<RoaringBitmap> {
|
||||||
let mut tasks = self.get_task_ids(rtxn, query)?;
|
let mut tasks = self.get_task_ids(rtxn, query)?;
|
||||||
|
|
||||||
@ -648,7 +649,7 @@ impl IndexScheduler {
|
|||||||
let all_indexes_iter = self.index_tasks.iter(rtxn)?;
|
let all_indexes_iter = self.index_tasks.iter(rtxn)?;
|
||||||
for result in all_indexes_iter {
|
for result in all_indexes_iter {
|
||||||
let (index, index_tasks) = result?;
|
let (index, index_tasks) = result?;
|
||||||
if !authorized_indexes.contains(&index.to_owned()) {
|
if !authorized_indexes.iter().any(|p| p.matches_str(index)) {
|
||||||
tasks -= index_tasks;
|
tasks -= index_tasks;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -668,7 +669,7 @@ impl IndexScheduler {
|
|||||||
pub fn get_tasks_from_authorized_indexes(
|
pub fn get_tasks_from_authorized_indexes(
|
||||||
&self,
|
&self,
|
||||||
query: Query,
|
query: Query,
|
||||||
authorized_indexes: Option<Vec<String>>,
|
authorized_indexes: Option<Vec<IndexUidPattern>>,
|
||||||
) -> Result<Vec<Task>> {
|
) -> Result<Vec<Task>> {
|
||||||
let rtxn = self.env.read_txn()?;
|
let rtxn = self.env.read_txn()?;
|
||||||
|
|
||||||
@ -2521,7 +2522,11 @@ mod tests {
|
|||||||
|
|
||||||
let query = Query { index_uids: Some(vec!["catto".to_owned()]), ..Default::default() };
|
let query = Query { index_uids: Some(vec!["catto".to_owned()]), ..Default::default() };
|
||||||
let tasks = index_scheduler
|
let tasks = index_scheduler
|
||||||
.get_task_ids_from_authorized_indexes(&rtxn, &query, &Some(vec!["doggo".to_owned()]))
|
.get_task_ids_from_authorized_indexes(
|
||||||
|
&rtxn,
|
||||||
|
&query,
|
||||||
|
&Some(vec![IndexUidPattern::new_unchecked("doggo")]),
|
||||||
|
)
|
||||||
.unwrap();
|
.unwrap();
|
||||||
// we have asked for only the tasks associated with catto, but are only authorized to retrieve the tasks
|
// we have asked for only the tasks associated with catto, but are only authorized to retrieve the tasks
|
||||||
// associated with doggo -> empty result
|
// associated with doggo -> empty result
|
||||||
@ -2529,7 +2534,11 @@ mod tests {
|
|||||||
|
|
||||||
let query = Query::default();
|
let query = Query::default();
|
||||||
let tasks = index_scheduler
|
let tasks = index_scheduler
|
||||||
.get_task_ids_from_authorized_indexes(&rtxn, &query, &Some(vec!["doggo".to_owned()]))
|
.get_task_ids_from_authorized_indexes(
|
||||||
|
&rtxn,
|
||||||
|
&query,
|
||||||
|
&Some(vec![IndexUidPattern::new_unchecked("doggo")]),
|
||||||
|
)
|
||||||
.unwrap();
|
.unwrap();
|
||||||
// we asked for all the tasks, but we are only authorized to retrieve the doggo tasks
|
// we asked for all the tasks, but we are only authorized to retrieve the doggo tasks
|
||||||
// -> only the index creation of doggo should be returned
|
// -> only the index creation of doggo should be returned
|
||||||
@ -2540,7 +2549,10 @@ mod tests {
|
|||||||
.get_task_ids_from_authorized_indexes(
|
.get_task_ids_from_authorized_indexes(
|
||||||
&rtxn,
|
&rtxn,
|
||||||
&query,
|
&query,
|
||||||
&Some(vec!["catto".to_owned(), "doggo".to_owned()]),
|
&Some(vec![
|
||||||
|
IndexUidPattern::new_unchecked("catto"),
|
||||||
|
IndexUidPattern::new_unchecked("doggo"),
|
||||||
|
]),
|
||||||
)
|
)
|
||||||
.unwrap();
|
.unwrap();
|
||||||
// we asked for all the tasks, but we are only authorized to retrieve the doggo and catto tasks
|
// we asked for all the tasks, but we are only authorized to retrieve the doggo and catto tasks
|
||||||
@ -2588,7 +2600,11 @@ mod tests {
|
|||||||
|
|
||||||
let query = Query { canceled_by: Some(vec![task_cancelation.uid]), ..Query::default() };
|
let query = Query { canceled_by: Some(vec![task_cancelation.uid]), ..Query::default() };
|
||||||
let tasks = index_scheduler
|
let tasks = index_scheduler
|
||||||
.get_task_ids_from_authorized_indexes(&rtxn, &query, &Some(vec!["doggo".to_string()]))
|
.get_task_ids_from_authorized_indexes(
|
||||||
|
&rtxn,
|
||||||
|
&query,
|
||||||
|
&Some(vec![IndexUidPattern::new_unchecked("doggo")]),
|
||||||
|
)
|
||||||
.unwrap();
|
.unwrap();
|
||||||
// Return only 1 because the user is not authorized to see task 2
|
// Return only 1 because the user is not authorized to see task 2
|
||||||
snapshot!(snapshot_bitmap(&tasks), @"[1,]");
|
snapshot!(snapshot_bitmap(&tasks), @"[1,]");
|
||||||
|
@ -7,6 +7,7 @@ edition = "2021"
|
|||||||
base64 = "0.13.1"
|
base64 = "0.13.1"
|
||||||
enum-iterator = "1.1.3"
|
enum-iterator = "1.1.3"
|
||||||
hmac = "0.12.1"
|
hmac = "0.12.1"
|
||||||
|
maplit = "1.0.2"
|
||||||
meilisearch-types = { path = "../meilisearch-types" }
|
meilisearch-types = { path = "../meilisearch-types" }
|
||||||
rand = "0.8.5"
|
rand = "0.8.5"
|
||||||
roaring = { version = "0.10.0", features = ["serde"] }
|
roaring = { version = "0.10.0", features = ["serde"] }
|
||||||
|
@ -7,9 +7,10 @@ use std::path::Path;
|
|||||||
use std::sync::Arc;
|
use std::sync::Arc;
|
||||||
|
|
||||||
use error::{AuthControllerError, Result};
|
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::keys::{Action, CreateApiKey, Key, PatchApiKey};
|
||||||
use meilisearch_types::milli::update::Setting;
|
use meilisearch_types::milli::update::Setting;
|
||||||
use meilisearch_types::star_or::StarOr;
|
|
||||||
use serde::{Deserialize, Serialize};
|
use serde::{Deserialize, Serialize};
|
||||||
pub use store::open_auth_store_env;
|
pub use store::open_auth_store_env;
|
||||||
use store::{generate_key_as_hexa, HeedAuthStore};
|
use store::{generate_key_as_hexa, HeedAuthStore};
|
||||||
@ -85,29 +86,12 @@ impl AuthController {
|
|||||||
search_rules: Option<SearchRules>,
|
search_rules: Option<SearchRules>,
|
||||||
) -> Result<AuthFilter> {
|
) -> Result<AuthFilter> {
|
||||||
let mut filters = AuthFilter::default();
|
let mut filters = AuthFilter::default();
|
||||||
let key = self
|
let key = self.get_key(uid)?;
|
||||||
.store
|
|
||||||
.get_api_key(uid)?
|
|
||||||
.ok_or_else(|| AuthControllerError::ApiKeyNotFound(uid.to_string()))?;
|
|
||||||
|
|
||||||
if !key.indexes.iter().any(|i| i == &StarOr::Star) {
|
|
||||||
filters.search_rules = match search_rules {
|
filters.search_rules = match search_rules {
|
||||||
// Intersect search_rules with parent key authorized indexes.
|
Some(search_rules) => search_rules,
|
||||||
Some(search_rules) => SearchRules::Map(
|
None => SearchRules::Set(key.indexes.into_iter().collect()),
|
||||||
key.indexes
|
|
||||||
.into_iter()
|
|
||||||
.filter_map(|index| {
|
|
||||||
search_rules.get_index_search_rules(&format!("{index}")).map(
|
|
||||||
|index_search_rules| (index.to_string(), Some(index_search_rules)),
|
|
||||||
)
|
|
||||||
})
|
|
||||||
.collect(),
|
|
||||||
),
|
|
||||||
None => SearchRules::Set(key.indexes.into_iter().map(|x| x.to_string()).collect()),
|
|
||||||
};
|
};
|
||||||
} else if let Some(search_rules) = search_rules {
|
|
||||||
filters.search_rules = search_rules;
|
|
||||||
}
|
|
||||||
|
|
||||||
filters.allow_index_creation = self.is_key_authorized(uid, Action::IndexesAdd, None)?;
|
filters.allow_index_creation = self.is_key_authorized(uid, Action::IndexesAdd, None)?;
|
||||||
|
|
||||||
@ -150,9 +134,7 @@ impl AuthController {
|
|||||||
.get_expiration_date(uid, action, None)?
|
.get_expiration_date(uid, action, None)?
|
||||||
.or(match index {
|
.or(match index {
|
||||||
// else check if the key has access to the requested index.
|
// else check if the key has access to the requested index.
|
||||||
Some(index) => {
|
Some(index) => self.store.get_expiration_date(uid, action, Some(index))?,
|
||||||
self.store.get_expiration_date(uid, action, Some(index.as_bytes()))?
|
|
||||||
}
|
|
||||||
// or to any index if no index has been requested.
|
// or to any index if no index has been requested.
|
||||||
None => self.store.prefix_first_expiration_date(uid, action)?,
|
None => self.store.prefix_first_expiration_date(uid, action)?,
|
||||||
}) {
|
}) {
|
||||||
@ -192,42 +174,54 @@ impl Default for AuthFilter {
|
|||||||
#[derive(Debug, Serialize, Deserialize, Clone)]
|
#[derive(Debug, Serialize, Deserialize, Clone)]
|
||||||
#[serde(untagged)]
|
#[serde(untagged)]
|
||||||
pub enum SearchRules {
|
pub enum SearchRules {
|
||||||
Set(HashSet<String>),
|
Set(HashSet<IndexUidPattern>),
|
||||||
Map(HashMap<String, Option<IndexSearchRules>>),
|
Map(HashMap<IndexUidPattern, Option<IndexSearchRules>>),
|
||||||
}
|
}
|
||||||
|
|
||||||
impl Default for SearchRules {
|
impl Default for SearchRules {
|
||||||
fn default() -> Self {
|
fn default() -> Self {
|
||||||
Self::Set(Some("*".to_string()).into_iter().collect())
|
Self::Set(hashset! { IndexUidPattern::all() })
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl SearchRules {
|
impl SearchRules {
|
||||||
pub fn is_index_authorized(&self, index: &str) -> bool {
|
pub fn is_index_authorized(&self, index: &str) -> bool {
|
||||||
match self {
|
match self {
|
||||||
Self::Set(set) => set.contains("*") || set.contains(index),
|
Self::Set(set) => {
|
||||||
Self::Map(map) => map.contains_key("*") || map.contains_key(index),
|
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))
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn get_index_search_rules(&self, index: &str) -> Option<IndexSearchRules> {
|
pub fn get_index_search_rules(&self, index: &str) -> Option<IndexSearchRules> {
|
||||||
match self {
|
match self {
|
||||||
Self::Set(set) => {
|
Self::Set(_) => {
|
||||||
if set.contains("*") || set.contains(index) {
|
if self.is_index_authorized(index) {
|
||||||
Some(IndexSearchRules::default())
|
Some(IndexSearchRules::default())
|
||||||
} else {
|
} else {
|
||||||
None
|
None
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
Self::Map(map) => {
|
Self::Map(map) => {
|
||||||
map.get(index).or_else(|| map.get("*")).map(|isr| isr.clone().unwrap_or_default())
|
// 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())
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Return the list of indexes such that `self.is_index_authorized(index) == true`,
|
/// Return the list of indexes such that `self.is_index_authorized(index) == true`,
|
||||||
/// or `None` if all indexes satisfy this condition.
|
/// or `None` if all indexes satisfy this condition.
|
||||||
pub fn authorized_indexes(&self) -> Option<Vec<String>> {
|
pub fn authorized_indexes(&self) -> Option<Vec<IndexUidPattern>> {
|
||||||
match self {
|
match self {
|
||||||
SearchRules::Set(set) => {
|
SearchRules::Set(set) => {
|
||||||
if set.contains("*") {
|
if set.contains("*") {
|
||||||
@ -248,7 +242,7 @@ impl SearchRules {
|
|||||||
}
|
}
|
||||||
|
|
||||||
impl IntoIterator for SearchRules {
|
impl IntoIterator for SearchRules {
|
||||||
type Item = (String, IndexSearchRules);
|
type Item = (IndexUidPattern, IndexSearchRules);
|
||||||
type IntoIter = Box<dyn Iterator<Item = Self::Item>>;
|
type IntoIter = Box<dyn Iterator<Item = Self::Item>>;
|
||||||
|
|
||||||
fn into_iter(self) -> Self::IntoIter {
|
fn into_iter(self) -> Self::IntoIter {
|
||||||
|
@ -5,20 +5,21 @@ use std::convert::{TryFrom, TryInto};
|
|||||||
use std::fs::create_dir_all;
|
use std::fs::create_dir_all;
|
||||||
use std::path::Path;
|
use std::path::Path;
|
||||||
use std::str;
|
use std::str;
|
||||||
|
use std::str::FromStr;
|
||||||
use std::sync::Arc;
|
use std::sync::Arc;
|
||||||
|
|
||||||
use hmac::{Hmac, Mac};
|
use hmac::{Hmac, Mac};
|
||||||
|
use meilisearch_types::index_uid_pattern::IndexUidPattern;
|
||||||
use meilisearch_types::keys::KeyId;
|
use meilisearch_types::keys::KeyId;
|
||||||
use meilisearch_types::milli;
|
use meilisearch_types::milli;
|
||||||
use meilisearch_types::milli::heed::types::{ByteSlice, DecodeIgnore, SerdeJson};
|
use meilisearch_types::milli::heed::types::{ByteSlice, DecodeIgnore, SerdeJson};
|
||||||
use meilisearch_types::milli::heed::{Database, Env, EnvOpenOptions, RwTxn};
|
use meilisearch_types::milli::heed::{Database, Env, EnvOpenOptions, RwTxn};
|
||||||
use meilisearch_types::star_or::StarOr;
|
|
||||||
use sha2::Sha256;
|
use sha2::Sha256;
|
||||||
use time::OffsetDateTime;
|
use time::OffsetDateTime;
|
||||||
use uuid::fmt::Hyphenated;
|
use uuid::fmt::Hyphenated;
|
||||||
use uuid::Uuid;
|
use uuid::Uuid;
|
||||||
|
|
||||||
use super::error::Result;
|
use super::error::{AuthControllerError, Result};
|
||||||
use super::{Action, Key};
|
use super::{Action, Key};
|
||||||
|
|
||||||
const AUTH_STORE_SIZE: usize = 1_073_741_824; //1GiB
|
const AUTH_STORE_SIZE: usize = 1_073_741_824; //1GiB
|
||||||
@ -129,7 +130,7 @@ impl HeedAuthStore {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
let no_index_restriction = key.indexes.contains(&StarOr::Star);
|
let no_index_restriction = key.indexes.iter().any(|p| p.matches_all());
|
||||||
for action in actions {
|
for action in actions {
|
||||||
if no_index_restriction {
|
if no_index_restriction {
|
||||||
// If there is no index restriction we put None.
|
// If there is no index restriction we put None.
|
||||||
@ -214,11 +215,28 @@ impl HeedAuthStore {
|
|||||||
&self,
|
&self,
|
||||||
uid: Uuid,
|
uid: Uuid,
|
||||||
action: Action,
|
action: Action,
|
||||||
index: Option<&[u8]>,
|
index: Option<&str>,
|
||||||
) -> Result<Option<Option<OffsetDateTime>>> {
|
) -> Result<Option<Option<OffsetDateTime>>> {
|
||||||
let rtxn = self.env.read_txn()?;
|
let rtxn = self.env.read_txn()?;
|
||||||
let tuple = (&uid, &action, index);
|
let tuple = (&uid, &action, index.map(|s| s.as_bytes()));
|
||||||
Ok(self.action_keyid_index_expiration.get(&rtxn, &tuple)?)
|
match self.action_keyid_index_expiration.get(&rtxn, &tuple)? {
|
||||||
|
Some(expiration) => Ok(Some(expiration)),
|
||||||
|
None => {
|
||||||
|
let tuple = (&uid, &action, None);
|
||||||
|
for result in self.action_keyid_index_expiration.prefix_iter(&rtxn, &tuple)? {
|
||||||
|
let ((_, _, index_uid_pattern), expiration) = result?;
|
||||||
|
if let Some((pattern, index)) = index_uid_pattern.zip(index) {
|
||||||
|
let index_uid_pattern = str::from_utf8(pattern)?;
|
||||||
|
let pattern = IndexUidPattern::from_str(index_uid_pattern)
|
||||||
|
.map_err(|e| AuthControllerError::Internal(Box::new(e)))?;
|
||||||
|
if pattern.matches_str(index) {
|
||||||
|
return Ok(Some(expiration));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
Ok(None)
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn prefix_first_expiration_date(
|
pub fn prefix_first_expiration_date(
|
||||||
|
124
meilisearch-types/src/index_uid_pattern.rs
Normal file
124
meilisearch-types/src/index_uid_pattern.rs
Normal file
@ -0,0 +1,124 @@
|
|||||||
|
use std::borrow::Borrow;
|
||||||
|
use std::error::Error;
|
||||||
|
use std::fmt;
|
||||||
|
use std::ops::Deref;
|
||||||
|
use std::str::FromStr;
|
||||||
|
|
||||||
|
use deserr::DeserializeFromValue;
|
||||||
|
use serde::{Deserialize, Serialize};
|
||||||
|
|
||||||
|
use crate::error::{Code, ErrorCode};
|
||||||
|
use crate::index_uid::{IndexUid, IndexUidFormatError};
|
||||||
|
|
||||||
|
/// An index uid pattern is composed of only ascii alphanumeric characters, - and _, between 1 and 400
|
||||||
|
/// bytes long and optionally ending with a *.
|
||||||
|
#[derive(Serialize, Deserialize, DeserializeFromValue, Debug, Clone, PartialEq, Eq, Hash)]
|
||||||
|
#[deserr(from(&String) = FromStr::from_str -> IndexUidPatternFormatError)]
|
||||||
|
pub struct IndexUidPattern(String);
|
||||||
|
|
||||||
|
impl IndexUidPattern {
|
||||||
|
pub fn new_unchecked(s: impl AsRef<str>) -> Self {
|
||||||
|
Self(s.as_ref().to_string())
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Matches any index name.
|
||||||
|
pub fn all() -> Self {
|
||||||
|
IndexUidPattern::from_str("*").unwrap()
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Returns `true` if it matches any index.
|
||||||
|
pub fn matches_all(&self) -> bool {
|
||||||
|
self.0 == "*"
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Returns `true` if the pattern matches a specific index name.
|
||||||
|
pub fn is_exact(&self) -> bool {
|
||||||
|
!self.0.ends_with('*')
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Returns wether this index uid matches this index uid pattern.
|
||||||
|
pub fn matches(&self, uid: &IndexUid) -> bool {
|
||||||
|
self.matches_str(uid.as_str())
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Returns wether this string matches this index uid pattern.
|
||||||
|
pub fn matches_str(&self, uid: &str) -> bool {
|
||||||
|
match self.0.strip_suffix('*') {
|
||||||
|
Some(prefix) => uid.starts_with(prefix),
|
||||||
|
None => self.0 == uid,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Deref for IndexUidPattern {
|
||||||
|
type Target = str;
|
||||||
|
|
||||||
|
fn deref(&self) -> &Self::Target {
|
||||||
|
&self.0
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Borrow<str> for IndexUidPattern {
|
||||||
|
fn borrow(&self) -> &str {
|
||||||
|
&self.0
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl TryFrom<String> for IndexUidPattern {
|
||||||
|
type Error = IndexUidPatternFormatError;
|
||||||
|
|
||||||
|
fn try_from(uid: String) -> Result<Self, Self::Error> {
|
||||||
|
let result = match uid.strip_suffix('*') {
|
||||||
|
Some("") => Ok(IndexUidPattern(uid)),
|
||||||
|
Some(prefix) => IndexUid::from_str(prefix).map(|_| IndexUidPattern(uid)),
|
||||||
|
None => IndexUid::try_from(uid).map(IndexUid::into_inner).map(IndexUidPattern),
|
||||||
|
};
|
||||||
|
|
||||||
|
match result {
|
||||||
|
Ok(index_uid_pattern) => Ok(index_uid_pattern),
|
||||||
|
Err(IndexUidFormatError { invalid_uid }) => {
|
||||||
|
Err(IndexUidPatternFormatError { invalid_uid })
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl FromStr for IndexUidPattern {
|
||||||
|
type Err = IndexUidPatternFormatError;
|
||||||
|
|
||||||
|
fn from_str(uid: &str) -> Result<IndexUidPattern, IndexUidPatternFormatError> {
|
||||||
|
uid.to_string().try_into()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl From<IndexUidPattern> for String {
|
||||||
|
fn from(IndexUidPattern(uid): IndexUidPattern) -> Self {
|
||||||
|
uid
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Debug)]
|
||||||
|
pub struct IndexUidPatternFormatError {
|
||||||
|
pub invalid_uid: String,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl fmt::Display for IndexUidPatternFormatError {
|
||||||
|
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
||||||
|
write!(
|
||||||
|
f,
|
||||||
|
"`{}` is not a valid index uid pattern. Index uid patterns \
|
||||||
|
can be an integer or a string containing only alphanumeric \
|
||||||
|
characters, hyphens (-), underscores (_), and \
|
||||||
|
optionally end with a star (*).",
|
||||||
|
self.invalid_uid,
|
||||||
|
)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Error for IndexUidPatternFormatError {}
|
||||||
|
|
||||||
|
impl ErrorCode for IndexUidPatternFormatError {
|
||||||
|
fn error_code(&self) -> Code {
|
||||||
|
Code::InvalidIndexUid
|
||||||
|
}
|
||||||
|
}
|
@ -2,7 +2,7 @@ use std::convert::Infallible;
|
|||||||
use std::hash::Hash;
|
use std::hash::Hash;
|
||||||
use std::str::FromStr;
|
use std::str::FromStr;
|
||||||
|
|
||||||
use deserr::{DeserializeError, DeserializeFromValue, ValuePointerRef};
|
use deserr::{DeserializeError, DeserializeFromValue, MergeWithError, ValuePointerRef};
|
||||||
use enum_iterator::Sequence;
|
use enum_iterator::Sequence;
|
||||||
use milli::update::Setting;
|
use milli::update::Setting;
|
||||||
use serde::{Deserialize, Serialize};
|
use serde::{Deserialize, Serialize};
|
||||||
@ -12,14 +12,27 @@ use time::{Date, OffsetDateTime, PrimitiveDateTime};
|
|||||||
use uuid::Uuid;
|
use uuid::Uuid;
|
||||||
|
|
||||||
use crate::deserr::error_messages::immutable_field_error;
|
use crate::deserr::error_messages::immutable_field_error;
|
||||||
use crate::deserr::DeserrJsonError;
|
use crate::deserr::{DeserrError, DeserrJsonError};
|
||||||
use crate::error::deserr_codes::*;
|
use crate::error::deserr_codes::*;
|
||||||
use crate::error::{unwrap_any, Code, ParseOffsetDateTimeError};
|
use crate::error::{unwrap_any, Code, ErrorCode, ParseOffsetDateTimeError};
|
||||||
use crate::index_uid::IndexUid;
|
use crate::index_uid_pattern::{IndexUidPattern, IndexUidPatternFormatError};
|
||||||
use crate::star_or::StarOr;
|
|
||||||
|
|
||||||
pub type KeyId = Uuid;
|
pub type KeyId = Uuid;
|
||||||
|
|
||||||
|
impl<C: Default + ErrorCode> MergeWithError<IndexUidPatternFormatError> for DeserrJsonError<C> {
|
||||||
|
fn merge(
|
||||||
|
_self_: Option<Self>,
|
||||||
|
other: IndexUidPatternFormatError,
|
||||||
|
merge_location: deserr::ValuePointerRef,
|
||||||
|
) -> std::result::Result<Self, Self> {
|
||||||
|
DeserrError::error::<Infallible>(
|
||||||
|
None,
|
||||||
|
deserr::ErrorKind::Unexpected { msg: other.to_string() },
|
||||||
|
merge_location,
|
||||||
|
)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
#[derive(Debug, DeserializeFromValue)]
|
#[derive(Debug, DeserializeFromValue)]
|
||||||
#[deserr(error = DeserrJsonError, rename_all = camelCase, deny_unknown_fields)]
|
#[deserr(error = DeserrJsonError, rename_all = camelCase, deny_unknown_fields)]
|
||||||
pub struct CreateApiKey {
|
pub struct CreateApiKey {
|
||||||
@ -32,10 +45,11 @@ pub struct CreateApiKey {
|
|||||||
#[deserr(error = DeserrJsonError<InvalidApiKeyActions>, missing_field_error = DeserrJsonError::missing_api_key_actions)]
|
#[deserr(error = DeserrJsonError<InvalidApiKeyActions>, missing_field_error = DeserrJsonError::missing_api_key_actions)]
|
||||||
pub actions: Vec<Action>,
|
pub actions: Vec<Action>,
|
||||||
#[deserr(error = DeserrJsonError<InvalidApiKeyIndexes>, missing_field_error = DeserrJsonError::missing_api_key_indexes)]
|
#[deserr(error = DeserrJsonError<InvalidApiKeyIndexes>, missing_field_error = DeserrJsonError::missing_api_key_indexes)]
|
||||||
pub indexes: Vec<StarOr<IndexUid>>,
|
pub indexes: Vec<IndexUidPattern>,
|
||||||
#[deserr(error = DeserrJsonError<InvalidApiKeyExpiresAt>, from(Option<String>) = parse_expiration_date -> ParseOffsetDateTimeError, missing_field_error = DeserrJsonError::missing_api_key_expires_at)]
|
#[deserr(error = DeserrJsonError<InvalidApiKeyExpiresAt>, from(Option<String>) = parse_expiration_date -> ParseOffsetDateTimeError, missing_field_error = DeserrJsonError::missing_api_key_expires_at)]
|
||||||
pub expires_at: Option<OffsetDateTime>,
|
pub expires_at: Option<OffsetDateTime>,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl CreateApiKey {
|
impl CreateApiKey {
|
||||||
pub fn to_key(self) -> Key {
|
pub fn to_key(self) -> Key {
|
||||||
let CreateApiKey { description, name, uid, actions, indexes, expires_at } = self;
|
let CreateApiKey { description, name, uid, actions, indexes, expires_at } = self;
|
||||||
@ -90,7 +104,7 @@ pub struct Key {
|
|||||||
pub name: Option<String>,
|
pub name: Option<String>,
|
||||||
pub uid: KeyId,
|
pub uid: KeyId,
|
||||||
pub actions: Vec<Action>,
|
pub actions: Vec<Action>,
|
||||||
pub indexes: Vec<StarOr<IndexUid>>,
|
pub indexes: Vec<IndexUidPattern>,
|
||||||
#[serde(with = "time::serde::rfc3339::option")]
|
#[serde(with = "time::serde::rfc3339::option")]
|
||||||
pub expires_at: Option<OffsetDateTime>,
|
pub expires_at: Option<OffsetDateTime>,
|
||||||
#[serde(with = "time::serde::rfc3339")]
|
#[serde(with = "time::serde::rfc3339")]
|
||||||
@ -108,7 +122,7 @@ impl Key {
|
|||||||
description: Some("Use it for anything that is not a search operation. Caution! Do not expose it on a public frontend".to_string()),
|
description: Some("Use it for anything that is not a search operation. Caution! Do not expose it on a public frontend".to_string()),
|
||||||
uid,
|
uid,
|
||||||
actions: vec![Action::All],
|
actions: vec![Action::All],
|
||||||
indexes: vec![StarOr::Star],
|
indexes: vec![IndexUidPattern::all()],
|
||||||
expires_at: None,
|
expires_at: None,
|
||||||
created_at: now,
|
created_at: now,
|
||||||
updated_at: now,
|
updated_at: now,
|
||||||
@ -123,7 +137,7 @@ impl Key {
|
|||||||
description: Some("Use it to search from the frontend".to_string()),
|
description: Some("Use it to search from the frontend".to_string()),
|
||||||
uid,
|
uid,
|
||||||
actions: vec![Action::Search],
|
actions: vec![Action::Search],
|
||||||
indexes: vec![StarOr::Star],
|
indexes: vec![IndexUidPattern::all()],
|
||||||
expires_at: None,
|
expires_at: None,
|
||||||
created_at: now,
|
created_at: now,
|
||||||
updated_at: now,
|
updated_at: now,
|
||||||
|
@ -3,6 +3,7 @@ pub mod deserr;
|
|||||||
pub mod document_formats;
|
pub mod document_formats;
|
||||||
pub mod error;
|
pub mod error;
|
||||||
pub mod index_uid;
|
pub mod index_uid;
|
||||||
|
pub mod index_uid_pattern;
|
||||||
pub mod keys;
|
pub mod keys;
|
||||||
pub mod settings;
|
pub mod settings;
|
||||||
pub mod star_or;
|
pub mod star_or;
|
||||||
|
@ -199,6 +199,9 @@ pub mod policies {
|
|||||||
token: &str,
|
token: &str,
|
||||||
index: Option<&str>,
|
index: Option<&str>,
|
||||||
) -> Option<AuthFilter> {
|
) -> Option<AuthFilter> {
|
||||||
|
// A tenant token only has access to the search route which always defines an index.
|
||||||
|
let index = index?;
|
||||||
|
|
||||||
// Only search action can be accessed by a tenant token.
|
// Only search action can be accessed by a tenant token.
|
||||||
if A != actions::SEARCH {
|
if A != actions::SEARCH {
|
||||||
return None;
|
return None;
|
||||||
@ -206,7 +209,7 @@ pub mod policies {
|
|||||||
|
|
||||||
let uid = extract_key_id(token)?;
|
let uid = extract_key_id(token)?;
|
||||||
// check if parent key is authorized to do the action.
|
// check if parent key is authorized to do the action.
|
||||||
if auth.is_key_authorized(uid, Action::Search, index).ok()? {
|
if auth.is_key_authorized(uid, Action::Search, Some(index)).ok()? {
|
||||||
// Check if tenant token is valid.
|
// Check if tenant token is valid.
|
||||||
let key = auth.generate_key(uid)?;
|
let key = auth.generate_key(uid)?;
|
||||||
let data = decode::<Claims>(
|
let data = decode::<Claims>(
|
||||||
@ -217,11 +220,9 @@ pub mod policies {
|
|||||||
.ok()?;
|
.ok()?;
|
||||||
|
|
||||||
// Check index access if an index restriction is provided.
|
// Check index access if an index restriction is provided.
|
||||||
if let Some(index) = index {
|
|
||||||
if !data.claims.search_rules.is_index_authorized(index) {
|
if !data.claims.search_rules.is_index_authorized(index) {
|
||||||
return None;
|
return None;
|
||||||
}
|
}
|
||||||
}
|
|
||||||
|
|
||||||
// Check if token is expired.
|
// Check if token is expired.
|
||||||
if let Some(exp) = data.claims.exp {
|
if let Some(exp) = data.claims.exp {
|
||||||
@ -230,7 +231,10 @@ pub mod policies {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
return auth.get_key_filters(uid, Some(data.claims.search_rules)).ok();
|
return match auth.get_key_filters(uid, Some(data.claims.search_rules)) {
|
||||||
|
Ok(auth) if auth.search_rules.is_index_authorized(index) => Some(auth),
|
||||||
|
_ => None,
|
||||||
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
None
|
None
|
||||||
|
@ -59,6 +59,7 @@ pub struct ListApiKeys {
|
|||||||
#[deserr(default = Param(PAGINATION_DEFAULT_LIMIT), error = DeserrQueryParamError<InvalidApiKeyLimit>)]
|
#[deserr(default = Param(PAGINATION_DEFAULT_LIMIT), error = DeserrQueryParamError<InvalidApiKeyLimit>)]
|
||||||
pub limit: Param<usize>,
|
pub limit: Param<usize>,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl ListApiKeys {
|
impl ListApiKeys {
|
||||||
fn as_pagination(self) -> Pagination {
|
fn as_pagination(self) -> Pagination {
|
||||||
Pagination { offset: self.offset.0, limit: self.limit.0 }
|
Pagination { offset: self.offset.0, limit: self.limit.0 }
|
||||||
|
@ -17,6 +17,8 @@ use crate::analytics::Analytics;
|
|||||||
use crate::extractors::authentication::policies::*;
|
use crate::extractors::authentication::policies::*;
|
||||||
use crate::extractors::authentication::GuardedData;
|
use crate::extractors::authentication::GuardedData;
|
||||||
|
|
||||||
|
const PAGINATION_DEFAULT_LIMIT: usize = 20;
|
||||||
|
|
||||||
mod api_key;
|
mod api_key;
|
||||||
mod dump;
|
mod dump;
|
||||||
pub mod indexes;
|
pub mod indexes;
|
||||||
@ -34,8 +36,6 @@ pub fn configure(cfg: &mut web::ServiceConfig) {
|
|||||||
.service(web::scope("/swap-indexes").configure(swap_indexes::configure));
|
.service(web::scope("/swap-indexes").configure(swap_indexes::configure));
|
||||||
}
|
}
|
||||||
|
|
||||||
const PAGINATION_DEFAULT_LIMIT: usize = 20;
|
|
||||||
|
|
||||||
#[derive(Debug, Serialize)]
|
#[derive(Debug, Serialize)]
|
||||||
#[serde(rename_all = "camelCase")]
|
#[serde(rename_all = "camelCase")]
|
||||||
pub struct SummarizedTaskView {
|
pub struct SummarizedTaskView {
|
||||||
@ -59,6 +59,7 @@ impl From<Task> for SummarizedTaskView {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub struct Pagination {
|
pub struct Pagination {
|
||||||
pub offset: usize,
|
pub offset: usize,
|
||||||
pub limit: usize,
|
pub limit: usize,
|
||||||
|
@ -377,7 +377,7 @@ async fn error_add_api_key_invalid_index_uids() {
|
|||||||
meili_snap::snapshot!(code, @"400 Bad Request");
|
meili_snap::snapshot!(code, @"400 Bad Request");
|
||||||
meili_snap::snapshot!(meili_snap::json_string!(response, { ".createdAt" => "[ignored]", ".updatedAt" => "[ignored]" }), @r###"
|
meili_snap::snapshot!(meili_snap::json_string!(response, { ".createdAt" => "[ignored]", ".updatedAt" => "[ignored]" }), @r###"
|
||||||
{
|
{
|
||||||
"message": "Invalid value at `.indexes[0]`: `invalid index # / \\name with spaces` is not a valid index uid. Index uid can be an integer or a string containing only alphanumeric characters, hyphens (-) and underscores (_).",
|
"message": "Invalid value at `.indexes[0]`: `invalid index # / \\name with spaces` is not a valid index uid pattern. Index uid patterns can be an integer or a string containing only alphanumeric characters, hyphens (-), underscores (_), and optionally end with a star (*).",
|
||||||
"code": "invalid_api_key_indexes",
|
"code": "invalid_api_key_indexes",
|
||||||
"type": "invalid_request",
|
"type": "invalid_request",
|
||||||
"link": "https://docs.meilisearch.com/errors#invalid_api_key_indexes"
|
"link": "https://docs.meilisearch.com/errors#invalid_api_key_indexes"
|
||||||
|
@ -77,12 +77,14 @@ static INVALID_RESPONSE: Lazy<Value> = Lazy::new(|| {
|
|||||||
})
|
})
|
||||||
});
|
});
|
||||||
|
|
||||||
|
const MASTER_KEY: &str = "MASTER_KEY";
|
||||||
|
|
||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn error_access_expired_key() {
|
async fn error_access_expired_key() {
|
||||||
use std::{thread, time};
|
use std::{thread, time};
|
||||||
|
|
||||||
let mut server = Server::new_auth().await;
|
let mut server = Server::new_auth().await;
|
||||||
server.use_api_key("MASTER_KEY");
|
server.use_api_key(MASTER_KEY);
|
||||||
|
|
||||||
let content = json!({
|
let content = json!({
|
||||||
"indexes": ["products"],
|
"indexes": ["products"],
|
||||||
@ -111,7 +113,7 @@ async fn error_access_expired_key() {
|
|||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn error_access_unauthorized_index() {
|
async fn error_access_unauthorized_index() {
|
||||||
let mut server = Server::new_auth().await;
|
let mut server = Server::new_auth().await;
|
||||||
server.use_api_key("MASTER_KEY");
|
server.use_api_key(MASTER_KEY);
|
||||||
|
|
||||||
let content = json!({
|
let content = json!({
|
||||||
"indexes": ["sales"],
|
"indexes": ["sales"],
|
||||||
@ -144,7 +146,7 @@ async fn error_access_unauthorized_action() {
|
|||||||
|
|
||||||
for ((method, route), action) in AUTHORIZATIONS.iter() {
|
for ((method, route), action) in AUTHORIZATIONS.iter() {
|
||||||
// create a new API key letting only the needed action.
|
// create a new API key letting only the needed action.
|
||||||
server.use_api_key("MASTER_KEY");
|
server.use_api_key(MASTER_KEY);
|
||||||
|
|
||||||
let content = json!({
|
let content = json!({
|
||||||
"indexes": ["products"],
|
"indexes": ["products"],
|
||||||
@ -168,7 +170,7 @@ async fn error_access_unauthorized_action() {
|
|||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn access_authorized_master_key() {
|
async fn access_authorized_master_key() {
|
||||||
let mut server = Server::new_auth().await;
|
let mut server = Server::new_auth().await;
|
||||||
server.use_api_key("MASTER_KEY");
|
server.use_api_key(MASTER_KEY);
|
||||||
|
|
||||||
// master key must have access to all routes.
|
// master key must have access to all routes.
|
||||||
for ((method, route), _) in AUTHORIZATIONS.iter() {
|
for ((method, route), _) in AUTHORIZATIONS.iter() {
|
||||||
@ -185,7 +187,7 @@ async fn access_authorized_restricted_index() {
|
|||||||
for ((method, route), actions) in AUTHORIZATIONS.iter() {
|
for ((method, route), actions) in AUTHORIZATIONS.iter() {
|
||||||
for action in actions {
|
for action in actions {
|
||||||
// create a new API key letting only the needed action.
|
// create a new API key letting only the needed action.
|
||||||
server.use_api_key("MASTER_KEY");
|
server.use_api_key(MASTER_KEY);
|
||||||
|
|
||||||
let content = json!({
|
let content = json!({
|
||||||
"indexes": ["products"],
|
"indexes": ["products"],
|
||||||
@ -222,7 +224,7 @@ async fn access_authorized_no_index_restriction() {
|
|||||||
for ((method, route), actions) in AUTHORIZATIONS.iter() {
|
for ((method, route), actions) in AUTHORIZATIONS.iter() {
|
||||||
for action in actions {
|
for action in actions {
|
||||||
// create a new API key letting only the needed action.
|
// create a new API key letting only the needed action.
|
||||||
server.use_api_key("MASTER_KEY");
|
server.use_api_key(MASTER_KEY);
|
||||||
|
|
||||||
let content = json!({
|
let content = json!({
|
||||||
"indexes": ["*"],
|
"indexes": ["*"],
|
||||||
@ -255,7 +257,7 @@ async fn access_authorized_no_index_restriction() {
|
|||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn access_authorized_stats_restricted_index() {
|
async fn access_authorized_stats_restricted_index() {
|
||||||
let mut server = Server::new_auth().await;
|
let mut server = Server::new_auth().await;
|
||||||
server.use_admin_key("MASTER_KEY").await;
|
server.use_admin_key(MASTER_KEY).await;
|
||||||
|
|
||||||
// create index `test`
|
// create index `test`
|
||||||
let index = server.index("test");
|
let index = server.index("test");
|
||||||
@ -295,7 +297,7 @@ async fn access_authorized_stats_restricted_index() {
|
|||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn access_authorized_stats_no_index_restriction() {
|
async fn access_authorized_stats_no_index_restriction() {
|
||||||
let mut server = Server::new_auth().await;
|
let mut server = Server::new_auth().await;
|
||||||
server.use_admin_key("MASTER_KEY").await;
|
server.use_admin_key(MASTER_KEY).await;
|
||||||
|
|
||||||
// create index `test`
|
// create index `test`
|
||||||
let index = server.index("test");
|
let index = server.index("test");
|
||||||
@ -335,7 +337,7 @@ async fn access_authorized_stats_no_index_restriction() {
|
|||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn list_authorized_indexes_restricted_index() {
|
async fn list_authorized_indexes_restricted_index() {
|
||||||
let mut server = Server::new_auth().await;
|
let mut server = Server::new_auth().await;
|
||||||
server.use_admin_key("MASTER_KEY").await;
|
server.use_admin_key(MASTER_KEY).await;
|
||||||
|
|
||||||
// create index `test`
|
// create index `test`
|
||||||
let index = server.index("test");
|
let index = server.index("test");
|
||||||
@ -376,7 +378,7 @@ async fn list_authorized_indexes_restricted_index() {
|
|||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn list_authorized_indexes_no_index_restriction() {
|
async fn list_authorized_indexes_no_index_restriction() {
|
||||||
let mut server = Server::new_auth().await;
|
let mut server = Server::new_auth().await;
|
||||||
server.use_admin_key("MASTER_KEY").await;
|
server.use_admin_key(MASTER_KEY).await;
|
||||||
|
|
||||||
// create index `test`
|
// create index `test`
|
||||||
let index = server.index("test");
|
let index = server.index("test");
|
||||||
@ -414,10 +416,194 @@ async fn list_authorized_indexes_no_index_restriction() {
|
|||||||
assert!(response.iter().any(|index| index["uid"] == "test"));
|
assert!(response.iter().any(|index| index["uid"] == "test"));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[actix_rt::test]
|
||||||
|
async fn access_authorized_index_patterns() {
|
||||||
|
let mut server = Server::new_auth().await;
|
||||||
|
server.use_admin_key(MASTER_KEY).await;
|
||||||
|
|
||||||
|
// create products_1 index
|
||||||
|
let index_1 = server.index("products_1");
|
||||||
|
let (response, code) = index_1.create(Some("id")).await;
|
||||||
|
assert_eq!(202, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// create products index
|
||||||
|
let index_ = server.index("products");
|
||||||
|
let (response, code) = index_.create(Some("id")).await;
|
||||||
|
assert_eq!(202, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// create key with all document access on indices with product_* pattern.
|
||||||
|
let content = json!({
|
||||||
|
"indexes": ["products_*"],
|
||||||
|
"actions": ["documents.*"],
|
||||||
|
"expiresAt": (OffsetDateTime::now_utc() + Duration::hours(1)).format(&Rfc3339).unwrap(),
|
||||||
|
});
|
||||||
|
|
||||||
|
// Register the key
|
||||||
|
let (response, code) = server.add_api_key(content).await;
|
||||||
|
assert_eq!(201, code, "{:?}", &response);
|
||||||
|
assert!(response["key"].is_string());
|
||||||
|
|
||||||
|
// use created key.
|
||||||
|
let key = response["key"].as_str().unwrap();
|
||||||
|
server.use_api_key(key);
|
||||||
|
|
||||||
|
// refer to products_1 and products with modified api key.
|
||||||
|
let index_1 = server.index("products_1");
|
||||||
|
|
||||||
|
let index_ = server.index("products");
|
||||||
|
|
||||||
|
// try to create a index via add documents route
|
||||||
|
let documents = json!([
|
||||||
|
{
|
||||||
|
"id": 1,
|
||||||
|
"content": "foo",
|
||||||
|
}
|
||||||
|
]);
|
||||||
|
|
||||||
|
// Adding document to products_1 index. Should succeed with 202
|
||||||
|
let (response, code) = index_1.add_documents(documents.clone(), None).await;
|
||||||
|
assert_eq!(202, code, "{:?}", &response);
|
||||||
|
let task_id = response["taskUid"].as_u64().unwrap();
|
||||||
|
|
||||||
|
// Adding document to products index. Should Fail with 403 -- invalid_api_key
|
||||||
|
let (response, code) = index_.add_documents(documents, None).await;
|
||||||
|
assert_eq!(403, code, "{:?}", &response);
|
||||||
|
|
||||||
|
server.use_api_key(MASTER_KEY);
|
||||||
|
|
||||||
|
// refer to products_1 with modified api key.
|
||||||
|
let index_1 = server.index("products_1");
|
||||||
|
|
||||||
|
index_1.wait_task(task_id).await;
|
||||||
|
|
||||||
|
let (response, code) = index_1.get_task(task_id).await;
|
||||||
|
assert_eq!(200, code, "{:?}", &response);
|
||||||
|
assert_eq!(response["status"], "succeeded");
|
||||||
|
}
|
||||||
|
|
||||||
|
#[actix_rt::test]
|
||||||
|
async fn raise_error_non_authorized_index_patterns() {
|
||||||
|
let mut server = Server::new_auth().await;
|
||||||
|
server.use_admin_key(MASTER_KEY).await;
|
||||||
|
|
||||||
|
// create products_1 index
|
||||||
|
let product_1_index = server.index("products_1");
|
||||||
|
let (response, code) = product_1_index.create(Some("id")).await;
|
||||||
|
assert_eq!(202, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// create products_2 index
|
||||||
|
let product_2_index = server.index("products_2");
|
||||||
|
let (response, code) = product_2_index.create(Some("id")).await;
|
||||||
|
assert_eq!(202, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// create test index
|
||||||
|
let test_index = server.index("test");
|
||||||
|
let (response, code) = test_index.create(Some("id")).await;
|
||||||
|
assert_eq!(202, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// create key with all document access on indices with product_* pattern.
|
||||||
|
let content = json!({
|
||||||
|
"indexes": ["products_*"],
|
||||||
|
"actions": ["documents.*"],
|
||||||
|
"expiresAt": (OffsetDateTime::now_utc() + Duration::hours(1)).format(&Rfc3339).unwrap(),
|
||||||
|
});
|
||||||
|
|
||||||
|
// Register the key
|
||||||
|
let (response, code) = server.add_api_key(content).await;
|
||||||
|
assert_eq!(201, code, "{:?}", &response);
|
||||||
|
assert!(response["key"].is_string());
|
||||||
|
|
||||||
|
// use created key.
|
||||||
|
let key = response["key"].as_str().unwrap();
|
||||||
|
server.use_api_key(key);
|
||||||
|
|
||||||
|
// refer to products_1 and products_2 with modified api key.
|
||||||
|
let product_1_index = server.index("products_1");
|
||||||
|
let product_2_index = server.index("products_2");
|
||||||
|
|
||||||
|
// refer to test index
|
||||||
|
let test_index = server.index("test");
|
||||||
|
|
||||||
|
// try to create a index via add documents route
|
||||||
|
let documents = json!([
|
||||||
|
{
|
||||||
|
"id": 1,
|
||||||
|
"content": "foo",
|
||||||
|
}
|
||||||
|
]);
|
||||||
|
|
||||||
|
// Adding document to products_1 index. Should succeed with 202
|
||||||
|
let (response, code) = product_1_index.add_documents(documents.clone(), None).await;
|
||||||
|
assert_eq!(202, code, "{:?}", &response);
|
||||||
|
let task1_id = response["taskUid"].as_u64().unwrap();
|
||||||
|
|
||||||
|
// Adding document to products_2 index. Should succeed with 202
|
||||||
|
let (response, code) = product_2_index.add_documents(documents.clone(), None).await;
|
||||||
|
assert_eq!(202, code, "{:?}", &response);
|
||||||
|
let task2_id = response["taskUid"].as_u64().unwrap();
|
||||||
|
|
||||||
|
// Adding document to test index. Should Fail with 403 -- invalid_api_key
|
||||||
|
let (response, code) = test_index.add_documents(documents, None).await;
|
||||||
|
assert_eq!(403, code, "{:?}", &response);
|
||||||
|
|
||||||
|
server.use_api_key(MASTER_KEY);
|
||||||
|
|
||||||
|
// refer to products_1 with modified api key.
|
||||||
|
let product_1_index = server.index("products_1");
|
||||||
|
// refer to products_2 with modified api key.
|
||||||
|
let product_2_index = server.index("products_2");
|
||||||
|
|
||||||
|
product_1_index.wait_task(task1_id).await;
|
||||||
|
product_2_index.wait_task(task2_id).await;
|
||||||
|
|
||||||
|
let (response, code) = product_1_index.get_task(task1_id).await;
|
||||||
|
assert_eq!(200, code, "{:?}", &response);
|
||||||
|
assert_eq!(response["status"], "succeeded");
|
||||||
|
|
||||||
|
let (response, code) = product_1_index.get_task(task2_id).await;
|
||||||
|
assert_eq!(200, code, "{:?}", &response);
|
||||||
|
assert_eq!(response["status"], "succeeded");
|
||||||
|
}
|
||||||
|
|
||||||
|
#[actix_rt::test]
|
||||||
|
async fn pattern_indexes() {
|
||||||
|
// Create server with master key
|
||||||
|
let mut server = Server::new_auth().await;
|
||||||
|
server.use_admin_key(MASTER_KEY).await;
|
||||||
|
|
||||||
|
// index.* constraints on products_* index pattern
|
||||||
|
let content = json!({
|
||||||
|
"indexes": ["products_*"],
|
||||||
|
"actions": ["indexes.*"],
|
||||||
|
"expiresAt": (OffsetDateTime::now_utc() + Duration::hours(1)).format(&Rfc3339).unwrap(),
|
||||||
|
});
|
||||||
|
|
||||||
|
// Generate and use the api key
|
||||||
|
let (response, code) = server.add_api_key(content).await;
|
||||||
|
assert_eq!(201, code, "{:?}", &response);
|
||||||
|
let key = response["key"].as_str().expect("Key is not string");
|
||||||
|
server.use_api_key(key);
|
||||||
|
|
||||||
|
// Create Index products_1 using generated api key
|
||||||
|
let products_1 = server.index("products_1");
|
||||||
|
let (response, code) = products_1.create(Some("id")).await;
|
||||||
|
assert_eq!(202, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// Fail to create products_* using generated api key
|
||||||
|
let products_1 = server.index("products_*");
|
||||||
|
let (response, code) = products_1.create(Some("id")).await;
|
||||||
|
assert_eq!(400, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// Fail to create test_1 using generated api key
|
||||||
|
let products_1 = server.index("test_1");
|
||||||
|
let (response, code) = products_1.create(Some("id")).await;
|
||||||
|
assert_eq!(403, code, "{:?}", &response);
|
||||||
|
}
|
||||||
|
|
||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn list_authorized_tasks_restricted_index() {
|
async fn list_authorized_tasks_restricted_index() {
|
||||||
let mut server = Server::new_auth().await;
|
let mut server = Server::new_auth().await;
|
||||||
server.use_admin_key("MASTER_KEY").await;
|
server.use_admin_key(MASTER_KEY).await;
|
||||||
|
|
||||||
// create index `test`
|
// create index `test`
|
||||||
let index = server.index("test");
|
let index = server.index("test");
|
||||||
@ -446,7 +632,6 @@ async fn list_authorized_tasks_restricted_index() {
|
|||||||
|
|
||||||
let (response, code) = server.service.get("/tasks").await;
|
let (response, code) = server.service.get("/tasks").await;
|
||||||
assert_eq!(200, code, "{:?}", &response);
|
assert_eq!(200, code, "{:?}", &response);
|
||||||
println!("{}", response);
|
|
||||||
let response = response["results"].as_array().unwrap();
|
let response = response["results"].as_array().unwrap();
|
||||||
// key should have access on `products` index.
|
// key should have access on `products` index.
|
||||||
assert!(response.iter().any(|task| task["indexUid"] == "products"));
|
assert!(response.iter().any(|task| task["indexUid"] == "products"));
|
||||||
@ -458,7 +643,7 @@ async fn list_authorized_tasks_restricted_index() {
|
|||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn list_authorized_tasks_no_index_restriction() {
|
async fn list_authorized_tasks_no_index_restriction() {
|
||||||
let mut server = Server::new_auth().await;
|
let mut server = Server::new_auth().await;
|
||||||
server.use_admin_key("MASTER_KEY").await;
|
server.use_admin_key(MASTER_KEY).await;
|
||||||
|
|
||||||
// create index `test`
|
// create index `test`
|
||||||
let index = server.index("test");
|
let index = server.index("test");
|
||||||
@ -499,7 +684,7 @@ async fn list_authorized_tasks_no_index_restriction() {
|
|||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn error_creating_index_without_action() {
|
async fn error_creating_index_without_action() {
|
||||||
let mut server = Server::new_auth().await;
|
let mut server = Server::new_auth().await;
|
||||||
server.use_api_key("MASTER_KEY");
|
server.use_api_key(MASTER_KEY);
|
||||||
|
|
||||||
// create key with access on all indexes.
|
// create key with access on all indexes.
|
||||||
let content = json!({
|
let content = json!({
|
||||||
@ -587,7 +772,7 @@ async fn lazy_create_index() {
|
|||||||
];
|
];
|
||||||
|
|
||||||
for content in contents {
|
for content in contents {
|
||||||
server.use_api_key("MASTER_KEY");
|
server.use_api_key(MASTER_KEY);
|
||||||
let (response, code) = server.add_api_key(content).await;
|
let (response, code) = server.add_api_key(content).await;
|
||||||
assert_eq!(201, code, "{:?}", &response);
|
assert_eq!(201, code, "{:?}", &response);
|
||||||
assert!(response["key"].is_string());
|
assert!(response["key"].is_string());
|
||||||
@ -643,14 +828,114 @@ async fn lazy_create_index() {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[actix_rt::test]
|
||||||
|
async fn lazy_create_index_from_pattern() {
|
||||||
|
let mut server = Server::new_auth().await;
|
||||||
|
|
||||||
|
// create key with access on all indexes.
|
||||||
|
let contents = vec![
|
||||||
|
json!({
|
||||||
|
"indexes": ["products_*"],
|
||||||
|
"actions": ["*"],
|
||||||
|
"expiresAt": "2050-11-13T00:00:00Z"
|
||||||
|
}),
|
||||||
|
json!({
|
||||||
|
"indexes": ["products_*"],
|
||||||
|
"actions": ["indexes.*", "documents.*", "settings.*", "tasks.*"],
|
||||||
|
"expiresAt": "2050-11-13T00:00:00Z"
|
||||||
|
}),
|
||||||
|
json!({
|
||||||
|
"indexes": ["products_*"],
|
||||||
|
"actions": ["indexes.create", "documents.add", "settings.update", "tasks.get"],
|
||||||
|
"expiresAt": "2050-11-13T00:00:00Z"
|
||||||
|
}),
|
||||||
|
];
|
||||||
|
|
||||||
|
for content in contents {
|
||||||
|
server.use_api_key(MASTER_KEY);
|
||||||
|
let (response, code) = server.add_api_key(content).await;
|
||||||
|
assert_eq!(201, code, "{:?}", &response);
|
||||||
|
assert!(response["key"].is_string());
|
||||||
|
|
||||||
|
// use created key.
|
||||||
|
let key = response["key"].as_str().unwrap();
|
||||||
|
server.use_api_key(key);
|
||||||
|
|
||||||
|
// try to create a index via add documents route
|
||||||
|
let index = server.index("products_1");
|
||||||
|
let test = server.index("test");
|
||||||
|
let documents = json!([
|
||||||
|
{
|
||||||
|
"id": 1,
|
||||||
|
"content": "foo",
|
||||||
|
}
|
||||||
|
]);
|
||||||
|
|
||||||
|
let (response, code) = index.add_documents(documents.clone(), None).await;
|
||||||
|
assert_eq!(202, code, "{:?}", &response);
|
||||||
|
let task_id = response["taskUid"].as_u64().unwrap();
|
||||||
|
|
||||||
|
index.wait_task(task_id).await;
|
||||||
|
|
||||||
|
let (response, code) = index.get_task(task_id).await;
|
||||||
|
assert_eq!(200, code, "{:?}", &response);
|
||||||
|
assert_eq!(response["status"], "succeeded");
|
||||||
|
|
||||||
|
// Fail to create test index
|
||||||
|
let (response, code) = test.add_documents(documents, None).await;
|
||||||
|
assert_eq!(403, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// try to create a index via add settings route
|
||||||
|
let index = server.index("products_2");
|
||||||
|
let settings = json!({ "distinctAttribute": "test"});
|
||||||
|
|
||||||
|
let (response, code) = index.update_settings(settings).await;
|
||||||
|
assert_eq!(202, code, "{:?}", &response);
|
||||||
|
let task_id = response["taskUid"].as_u64().unwrap();
|
||||||
|
|
||||||
|
index.wait_task(task_id).await;
|
||||||
|
|
||||||
|
let (response, code) = index.get_task(task_id).await;
|
||||||
|
assert_eq!(200, code, "{:?}", &response);
|
||||||
|
assert_eq!(response["status"], "succeeded");
|
||||||
|
|
||||||
|
// Fail to create test index
|
||||||
|
|
||||||
|
let index = server.index("test");
|
||||||
|
let settings = json!({ "distinctAttribute": "test"});
|
||||||
|
|
||||||
|
let (response, code) = index.update_settings(settings).await;
|
||||||
|
assert_eq!(403, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// try to create a index via add specialized settings route
|
||||||
|
let index = server.index("products_3");
|
||||||
|
let (response, code) = index.update_distinct_attribute(json!("test")).await;
|
||||||
|
assert_eq!(202, code, "{:?}", &response);
|
||||||
|
let task_id = response["taskUid"].as_u64().unwrap();
|
||||||
|
|
||||||
|
index.wait_task(task_id).await;
|
||||||
|
|
||||||
|
let (response, code) = index.get_task(task_id).await;
|
||||||
|
assert_eq!(200, code, "{:?}", &response);
|
||||||
|
assert_eq!(response["status"], "succeeded");
|
||||||
|
|
||||||
|
// Fail to create test index
|
||||||
|
let index = server.index("test");
|
||||||
|
let settings = json!({ "distinctAttribute": "test"});
|
||||||
|
|
||||||
|
let (response, code) = index.update_settings(settings).await;
|
||||||
|
assert_eq!(403, code, "{:?}", &response);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn error_creating_index_without_index() {
|
async fn error_creating_index_without_index() {
|
||||||
let mut server = Server::new_auth().await;
|
let mut server = Server::new_auth().await;
|
||||||
server.use_api_key("MASTER_KEY");
|
server.use_api_key(MASTER_KEY);
|
||||||
|
|
||||||
// create key with access on all indexes.
|
// create key with access on all indexes.
|
||||||
let content = json!({
|
let content = json!({
|
||||||
"indexes": ["unexpected"],
|
"indexes": ["unexpected","products_*"],
|
||||||
"actions": ["*"],
|
"actions": ["*"],
|
||||||
"expiresAt": "2050-11-13T00:00:00Z"
|
"expiresAt": "2050-11-13T00:00:00Z"
|
||||||
});
|
});
|
||||||
@ -690,4 +975,32 @@ async fn error_creating_index_without_index() {
|
|||||||
let index = server.index("test3");
|
let index = server.index("test3");
|
||||||
let (response, code) = index.create(None).await;
|
let (response, code) = index.create(None).await;
|
||||||
assert_eq!(403, code, "{:?}", &response);
|
assert_eq!(403, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// try to create a index via add documents route
|
||||||
|
let index = server.index("products");
|
||||||
|
let documents = json!([
|
||||||
|
{
|
||||||
|
"id": 1,
|
||||||
|
"content": "foo",
|
||||||
|
}
|
||||||
|
]);
|
||||||
|
|
||||||
|
let (response, code) = index.add_documents(documents, None).await;
|
||||||
|
assert_eq!(403, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// try to create a index via add settings route
|
||||||
|
let index = server.index("products");
|
||||||
|
let settings = json!({ "distinctAttribute": "test"});
|
||||||
|
let (response, code) = index.update_settings(settings).await;
|
||||||
|
assert_eq!(403, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// try to create a index via add specialized settings route
|
||||||
|
let index = server.index("products");
|
||||||
|
let (response, code) = index.update_distinct_attribute(json!("test")).await;
|
||||||
|
assert_eq!(403, code, "{:?}", &response);
|
||||||
|
|
||||||
|
// try to create a index via create index route
|
||||||
|
let index = server.index("products");
|
||||||
|
let (response, code) = index.create(None).await;
|
||||||
|
assert_eq!(403, code, "{:?}", &response);
|
||||||
}
|
}
|
||||||
|
@ -120,7 +120,7 @@ async fn create_api_key_bad_indexes() {
|
|||||||
snapshot!(code, @"400 Bad Request");
|
snapshot!(code, @"400 Bad Request");
|
||||||
snapshot!(json_string!(response), @r###"
|
snapshot!(json_string!(response), @r###"
|
||||||
{
|
{
|
||||||
"message": "Invalid value at `.indexes[0]`: `good doggo` is not a valid index uid. Index uid can be an integer or a string containing only alphanumeric characters, hyphens (-) and underscores (_).",
|
"message": "Invalid value at `.indexes[0]`: `good doggo` is not a valid index uid pattern. Index uid patterns can be an integer or a string containing only alphanumeric characters, hyphens (-), underscores (_), and optionally end with a star (*).",
|
||||||
"code": "invalid_api_key_indexes",
|
"code": "invalid_api_key_indexes",
|
||||||
"type": "invalid_request",
|
"type": "invalid_request",
|
||||||
"link": "https://docs.meilisearch.com/errors#invalid_api_key_indexes"
|
"link": "https://docs.meilisearch.com/errors#invalid_api_key_indexes"
|
||||||
|
@ -82,6 +82,11 @@ static ACCEPTED_KEYS: Lazy<Vec<Value>> = Lazy::new(|| {
|
|||||||
"actions": ["search"],
|
"actions": ["search"],
|
||||||
"expiresAt": (OffsetDateTime::now_utc() + Duration::days(1)).format(&Rfc3339).unwrap()
|
"expiresAt": (OffsetDateTime::now_utc() + Duration::days(1)).format(&Rfc3339).unwrap()
|
||||||
}),
|
}),
|
||||||
|
json!({
|
||||||
|
"indexes": ["sal*", "prod*"],
|
||||||
|
"actions": ["search"],
|
||||||
|
"expiresAt": (OffsetDateTime::now_utc() + Duration::days(1)).format(&Rfc3339).unwrap()
|
||||||
|
}),
|
||||||
]
|
]
|
||||||
});
|
});
|
||||||
|
|
||||||
@ -104,6 +109,11 @@ static REFUSED_KEYS: Lazy<Vec<Value>> = Lazy::new(|| {
|
|||||||
"actions": ["*"],
|
"actions": ["*"],
|
||||||
"expiresAt": (OffsetDateTime::now_utc() + Duration::days(1)).format(&Rfc3339).unwrap()
|
"expiresAt": (OffsetDateTime::now_utc() + Duration::days(1)).format(&Rfc3339).unwrap()
|
||||||
}),
|
}),
|
||||||
|
json!({
|
||||||
|
"indexes": ["prod*", "p*"],
|
||||||
|
"actions": ["*"],
|
||||||
|
"expiresAt": (OffsetDateTime::now_utc() + Duration::days(1)).format(&Rfc3339).unwrap()
|
||||||
|
}),
|
||||||
json!({
|
json!({
|
||||||
"indexes": ["products"],
|
"indexes": ["products"],
|
||||||
"actions": ["search"],
|
"actions": ["search"],
|
||||||
@ -245,6 +255,10 @@ async fn search_authorized_simple_token() {
|
|||||||
"searchRules" => json!(["sales"]),
|
"searchRules" => json!(["sales"]),
|
||||||
"exp" => Value::Null
|
"exp" => Value::Null
|
||||||
},
|
},
|
||||||
|
hashmap! {
|
||||||
|
"searchRules" => json!(["sa*"]),
|
||||||
|
"exp" => Value::Null
|
||||||
|
},
|
||||||
];
|
];
|
||||||
|
|
||||||
compute_authorized_search!(tenant_tokens, {}, 5);
|
compute_authorized_search!(tenant_tokens, {}, 5);
|
||||||
@ -351,11 +365,19 @@ async fn filter_search_authorized_filter_token() {
|
|||||||
}),
|
}),
|
||||||
"exp" => json!((OffsetDateTime::now_utc() + Duration::hours(1)).unix_timestamp())
|
"exp" => json!((OffsetDateTime::now_utc() + Duration::hours(1)).unix_timestamp())
|
||||||
},
|
},
|
||||||
|
hashmap! {
|
||||||
|
"searchRules" => json!({
|
||||||
|
"*": {},
|
||||||
|
"sal*": {"filter": ["color = blue"]}
|
||||||
|
}),
|
||||||
|
"exp" => json!((OffsetDateTime::now_utc() + Duration::hours(1)).unix_timestamp())
|
||||||
|
},
|
||||||
];
|
];
|
||||||
|
|
||||||
compute_authorized_search!(tenant_tokens, "color = yellow", 1);
|
compute_authorized_search!(tenant_tokens, "color = yellow", 1);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// Tests that those Tenant Token are incompatible with the REFUSED_KEYS defined above.
|
||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn error_search_token_forbidden_parent_key() {
|
async fn error_search_token_forbidden_parent_key() {
|
||||||
let tenant_tokens = vec![
|
let tenant_tokens = vec![
|
||||||
@ -383,6 +405,10 @@ async fn error_search_token_forbidden_parent_key() {
|
|||||||
"searchRules" => json!(["sales"]),
|
"searchRules" => json!(["sales"]),
|
||||||
"exp" => json!((OffsetDateTime::now_utc() + Duration::hours(1)).unix_timestamp())
|
"exp" => json!((OffsetDateTime::now_utc() + Duration::hours(1)).unix_timestamp())
|
||||||
},
|
},
|
||||||
|
hashmap! {
|
||||||
|
"searchRules" => json!(["sali*", "s*", "sales*"]),
|
||||||
|
"exp" => json!((OffsetDateTime::now_utc() + Duration::hours(1)).unix_timestamp())
|
||||||
|
},
|
||||||
];
|
];
|
||||||
|
|
||||||
compute_forbidden_search!(tenant_tokens, REFUSED_KEYS);
|
compute_forbidden_search!(tenant_tokens, REFUSED_KEYS);
|
||||||
|
Loading…
Reference in New Issue
Block a user