1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421
//! The Storelike Trait contains many useful methods for maniupulting / retrieving data.
use crate::{
agents::{Agent, ForAgent},
commit::CommitResponse,
errors::AtomicError,
hierarchy,
schema::{Class, Property},
urls,
};
use crate::{errors::AtomicResult, parse::parse_json_ad_string};
use crate::{mapping::Mapping, values::Value, Atom, Resource};
// A path can return one of many things
pub enum PathReturn {
Subject(String),
Atom(Box<Atom>),
}
pub type ResourceCollection = Vec<Resource>;
/// Storelike provides many useful methods for interacting with an Atomic Store.
/// It serves as a basic store Trait, agnostic of how it functions under the hood.
/// This is useful, because we can create methods for Storelike that will work with either in-memory
/// stores, as well as with persistent on-disk stores.
pub trait Storelike: Sized {
/// Adds Atoms to the store.
/// Will replace existing Atoms that share Subject / Property combination.
/// Validates datatypes and required props presence.
#[deprecated(
since = "0.28.0",
note = "The atoms abstraction has been deprecated in favor of Resources"
)]
fn add_atoms(&self, atoms: Vec<Atom>) -> AtomicResult<()>;
/// Adds an Atom to the PropSubjectMap. Overwrites if already present.
/// The default implementation for this does not do anything, so overwrite it if your store needs indexing.
fn add_atom_to_index(&self, _atom: &Atom, _resource: &Resource) -> AtomicResult<()> {
Ok(())
}
/// Adds a Resource to the store.
/// Replaces existing resource with the contents.
/// Updates the index.
/// Validates the fields (checks required props).
/// In most cases, you should use `resource.save()` instead, which uses Commits.
fn add_resource(&self, resource: &Resource) -> AtomicResult<()> {
self.add_resource_opts(resource, true, true, true)
}
/// Adds a Resource to the store.
/// Replaces existing resource with the contents.
/// Does not do any validations.
fn add_resource_opts(
&self,
resource: &Resource,
check_required_props: bool,
update_index: bool,
overwrite_existing: bool,
) -> AtomicResult<()>;
/// Returns an iterator that iterates over all resources in the store.
/// If Include_external is false, this is filtered by selecting only resoureces that match the `self` URL of the store.
fn all_resources(&self, include_external: bool) -> Box<dyn Iterator<Item = Resource>>;
/// Constructs the value index from all resources in the store. Could take a while.
fn build_index(&self, include_external: bool) -> AtomicResult<()> {
tracing::info!("Building index (this could take a few minutes for larger databases)");
for r in self.all_resources(include_external) {
for atom in r.to_atoms() {
self.add_atom_to_index(&atom, &r)
.map_err(|e| format!("Failed to add atom to index {}. {}", atom, e))?;
}
}
tracing::info!("Building index finished!");
Ok(())
}
/// Returns a single [Value] from a [Resource]
fn get_value(&self, subject: &str, property: &str) -> AtomicResult<Value> {
self.get_resource(subject)
.and_then(|r| r.get(property).map(|v| v.clone()))
}
/// Returns the base URL where the default store is.
/// E.g. `https://example.com`
/// This is where deltas should be sent to.
/// Also useful for Subject URL generation.
fn get_server_url(&self) -> &str;
/// Returns the root URL where this instance of the store is hosted.
/// Should return `None` if this is simply a client and not a server.
/// E.g. `https://example.com`
fn get_self_url(&self) -> Option<String> {
None
}
/// Returns the default Agent for applying commits.
fn get_default_agent(&self) -> AtomicResult<crate::agents::Agent> {
Err("No default agent implemented for this store".into())
}
/// Create an Agent, storing its public key.
/// An Agent is required for signing Commits.
/// Returns a tuple of (subject, private_key).
/// Make sure to store the private_key somewhere safe!
/// Does not create a Commit - the recommended way is to use `agent.to_resource().save_locally()`.
fn create_agent(&self, name: Option<&str>) -> AtomicResult<crate::agents::Agent> {
let agent = Agent::new(name, self)?;
self.add_resource(&agent.to_resource()?)?;
Ok(agent)
}
/// Exports the store to a big JSON-AD file.
/// Sorts the export by first exporting Property Resources, which makes importing faster and more dependent.
fn export(&self, include_external: bool) -> AtomicResult<String> {
let resources = self.all_resources(include_external);
let mut properties: Vec<Resource> = Vec::new();
let mut other_resources: Vec<Resource> = Vec::new();
for r in resources {
if let Ok(class) = r.get_main_class() {
if class == crate::urls::PROPERTY {
properties.push(r);
continue;
}
}
other_resources.push(r);
}
properties.append(&mut other_resources);
crate::serialize::resources_to_json_ad(&properties)
}
/// Fetches a resource, makes sure its subject matches.
/// Uses the default agent to sign the request.
/// Save to the store.
fn fetch_resource(&self, subject: &str) -> AtomicResult<Resource> {
let resource: Resource =
crate::client::fetch_resource(subject, self, self.get_default_agent().ok())?;
self.add_resource_opts(&resource, true, true, true)?;
Ok(resource)
}
/// Returns a full Resource with native Values.
/// Note that this does _not_ construct dynamic Resources, such as collections.
/// If you're not sure what to use, use `get_resource_extended`.
fn get_resource(&self, subject: &str) -> AtomicResult<Resource>;
/// Returns an existing resource, or creates a new one with the given Subject
fn get_resource_new(&self, subject: &str) -> Resource {
match self.get_resource(subject) {
Ok(r) => r,
Err(_) => Resource::new(subject.into()),
}
}
/// Retrieves a Class from the store by subject URL and converts it into a Class useful for forms
fn get_class(&self, subject: &str) -> AtomicResult<Class> {
let resource = self
.get_resource(subject)
.map_err(|e| format!("Failed getting class {}. {}", subject, e))?;
Class::from_resource(resource)
}
/// Finds all classes (isA) for any subject.
/// Returns an empty vector if there are none.
fn get_classes_for_subject(&self, subject: &str) -> AtomicResult<Vec<Class>> {
let classes = self.get_resource(subject)?.get_classes(self)?;
Ok(classes)
}
/// Fetches a property by URL, returns a Property instance
#[tracing::instrument(skip(self))]
fn get_property(&self, subject: &str) -> AtomicResult<Property> {
let prop = self
.get_resource(subject)
.map_err(|e| format!("Failed getting property {}. {}", subject, e))?;
Property::from_resource(prop)
}
/// Get's the resource, parses the Query parameters and calculates dynamic properties.
/// Defaults to get_resource if store doesn't support extended resources
/// If `for_agent` is None, no authorization checks will be done, and all resources will return.
/// If you want public only resurces, pass `Some(crate::authentication::public_agent)` as the agent.
/// - *skip_dynamic* Does not calculte dynamic properties. Adds an `incomplete=true` property if the resource should have been dynamic.
fn get_resource_extended(
&self,
subject: &str,
skip_dynamic: bool,
for_agent: &ForAgent,
) -> AtomicResult<Resource> {
let _ignore = skip_dynamic;
let resource = self.get_resource(subject)?;
hierarchy::check_read(self, &resource, for_agent)?;
Ok(resource)
}
/// This function is called whenever a Commit is applied.
/// Implement this if you want to have custom handlers for Commits.
fn handle_commit(&self, _commit_response: &CommitResponse) {}
fn handle_not_found(&self, subject: &str, error: AtomicError) -> AtomicResult<Resource> {
if let Some(self_url) = self.get_self_url() {
if subject.starts_with(&self_url) {
return Err(AtomicError::not_found(format!(
"Failed to retrieve locally: '{}'. {}",
subject, error
)));
}
}
self.fetch_resource(subject)
}
/// Imports a JSON-AD string, returns the amount of imported resources.
fn import(&self, string: &str, parse_opts: &crate::parse::ParseOpts) -> AtomicResult<usize> {
let vec = parse_json_ad_string(string, self, parse_opts)?;
let len = vec.len();
Ok(len)
}
/// Removes a resource from the store. Errors if not present.
fn remove_resource(&self, subject: &str) -> AtomicResult<()>;
/// Accepts an Atomic Path string, returns the result value (resource or property value)
/// E.g. `https://example.com description` or `thing isa 0`
/// https://docs.atomicdata.dev/core/paths.html
/// The `for_agent` argument is used to check if the user has rights to the resource.
/// You can pass `None` if you don't care about the rights (e.g. in client side apps)
/// If you want to perform read rights checks, pass Some `for_agent` subject
// Todo: return something more useful, give more context.
fn get_path(
&self,
atomic_path: &str,
mapping: Option<&Mapping>,
for_agent: &ForAgent,
) -> AtomicResult<PathReturn> {
// The first item of the path represents the starting Resource, the following ones are traversing the graph / selecting properties.
let path_items: Vec<&str> = atomic_path.split(' ').collect();
let first_item = String::from(path_items[0]);
let mut id_url = first_item;
if let Some(m) = mapping {
// For the first item, check the user mapping
id_url = m
.try_mapping_or_url(&id_url)
.ok_or(&*format!("No url found for {}", path_items[0]))?;
}
if path_items.len() == 1 {
return Ok(PathReturn::Subject(id_url));
}
// The URL of the next resource
let mut subject = id_url;
// Set the currently selectred resource parent, which starts as the root of the search
let mut resource = self.get_resource_extended(&subject, false, for_agent)?;
// During each of the iterations of the loop, the scope changes.
// Try using pathreturn...
let mut current: PathReturn = PathReturn::Subject(subject.clone());
// Loops over every item in the list, traverses the graph
// Skip the first one, for that is the subject (i.e. first parent) and not a property
for item in path_items[1..].iter().cloned() {
// In every iteration, the subject, property_url and current should be set.
// Ignore double spaces
if item.is_empty() {
continue;
}
// If the item is a number, assume its indexing some array
if let Ok(i) = item.parse::<u32>() {
match current {
PathReturn::Atom(atom) => {
let vector = match resource.get(&atom.property)? {
Value::ResourceArray(vec) => vec,
_ => {
return Err(
"Integers can only be used to traverse ResourceArrays.".into()
)
}
};
let url: String = vector
.get(i as usize)
.ok_or(format!(
"Too high index {} for array with length {}, max is {}",
i,
vector.len(),
vector.len() - 1
))?
.to_string();
subject = url;
resource = self.get_resource_extended(&subject, false, for_agent)?;
current = PathReturn::Subject(subject.clone());
continue;
}
PathReturn::Subject(_) => {
return Err("You can't do an index on a resource, only on arrays.".into())
}
}
}
// Since the selector isn't an array index, we can assume it's a property URL
match current {
PathReturn::Subject(_) => {}
PathReturn::Atom(_) => {
return Err("No more linked resources down this path.".into())
}
}
// Set the parent for the next loop equal to the next node.
// TODO: skip this step if the current iteration is the last one
let value = resource.get_shortname(item, self)?.clone();
let property = resource.resolve_shortname_to_property(item, self)?;
current = PathReturn::Atom(Box::new(Atom::new(
subject.clone(),
property.subject,
value,
)))
}
Ok(current)
}
/// Handles a HTTP POST request to the store.
/// This is where [crate::endpoints::Endpoint] are used.
fn post_resource(
&self,
_subject: &str,
_body: Vec<u8>,
_for_agent: &ForAgent,
) -> AtomicResult<Resource> {
Err("`post_resource` not implemented for StoreLike. Implement it in your trait.".into())
}
/// Loads the default store. For DBs it also adds default Collections and Endpoints.
fn populate(&self) -> AtomicResult<()> {
crate::populate::populate_base_models(self)?;
crate::populate::populate_default_store(self)
}
/// Search the Store, returns the matching subjects.
fn query(&self, q: &Query) -> AtomicResult<QueryResult>;
/// Removes an Atom from the PropSubjectMap.
fn remove_atom_from_index(&self, _atom: &Atom, _resource: &Resource) -> AtomicResult<()> {
Ok(())
}
/// Sets the default Agent for applying commits.
fn set_default_agent(&self, agent: crate::agents::Agent);
/// Performs a light validation, without fetching external data
fn validate(&self) -> crate::validate::ValidationReport {
crate::validate::validate_store(self, false)
}
}
/// Use this to construct a list of Resources
#[derive(Debug)]
pub struct Query {
/// Filter by Property
pub property: Option<String>,
/// Filter by Value
pub value: Option<Value>,
/// Maximum of items to return, if none returns all items.
pub limit: Option<usize>,
/// Value at which to begin lexicographically sorting things.
pub start_val: Option<Value>,
/// Value at which to stop lexicographically sorting things.
pub end_val: Option<Value>,
/// How many items to skip from the first one
pub offset: usize,
/// The Property URL that is used to sort the results
pub sort_by: Option<String>,
/// Sort descending instead of ascending.
pub sort_desc: bool,
/// Whether to include non-server resources
pub include_external: bool,
/// Whether to include full Resources in the result, if not, will add empty vector here.
pub include_nested: bool,
/// For which Agent the query is executed. Pass `None` if you want to skip permission checks.
pub for_agent: ForAgent,
}
impl Query {
pub fn new() -> Self {
Query {
property: None,
value: None,
limit: None,
start_val: None,
end_val: None,
offset: 0,
sort_by: None,
sort_desc: false,
include_external: false,
include_nested: true,
for_agent: ForAgent::Sudo,
}
}
/// Search for a property-value combination
pub fn new_prop_val(prop: &str, val: &str) -> Self {
let mut q = Self::new();
q.property = Some(prop.to_string());
q.value = Some(Value::String(val.to_string()));
q
}
/// Search for instances of some Class
pub fn new_class(class: &str) -> Self {
let mut q = Self::new();
q.property = Some(urls::IS_A.into());
q.value = Some(Value::AtomicUrl(class.to_string()));
q
}
}
impl Default for Query {
fn default() -> Self {
Self::new()
}
}
pub struct QueryResult {
pub subjects: Vec<String>,
pub resources: Vec<Resource>,
/// The amount of hits that were found, including the ones that were out of bounds or not authorized.
pub count: usize,
}