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 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452
//! The original data API for Ditto uses a builder syntax to execute queries.
//!
//! **NOTE: If you're newly adopting Ditto into your project, we recommend you
//! use the newer [Ditto Query Language (DQL)] API for interacting with Ditto data**.
//!
//! The QueryBuilder API provides method calls that may be chained together
//! in order to query or mutate data in the Ditto store, as well as to subscribe
//! to changes in data on another device in the Ditto mesh.
//!
//! Here's the general flow for querying documents using the QueryBuilder API:
//!
//! - Use [`ditto.store().collection("...")?`] and provide a collection name to receive a
//! [`Collection`] handle for querying documents in that collection.
//!
//! - Then, use one of the "find" methods such as [`.find_all()`], [`.find_by_id(...)`],
//! [`.find(...)`], or [`.find_with_args(...)`] to create a [`PendingCursorOperation`] which will
//! yield documents from the collection. This cursor object may then be used to do any of the
//! following:
//!
//! - Use [`.exec()`] to execute the query immediately, returning a list of all documents matching
//! the query.
//!
//! - Use [`.subscribe()`] to create a [`Subscription`] which syncs documents matching the query
//! from other Ditto peers. The subscription will remain active until it's dropped.
//!
//! - Use [`.observe_local(...)`] to register a callback which will be called any time documents
//! matching the query are changed _in the local store_. Only when combined with an active
//! [`Subscription`] will this callback fire when documents are changed on a remote peer.
//!
//! ## Example: Query all documents in a collection
//!
//! ```
//! use dittolive_ditto::prelude::*;
//!
//! # fn example(ditto: &Ditto) -> anyhow::Result<()> {
//! let documents = ditto.store().collection("cars")?.find_all().exec()?;
//! let typed_documents: Vec<serde_json::Value> = documents
//! .into_iter()
//! .flat_map(|doc| doc.typed::<serde_json::Value>().ok())
//! .collect();
//! println!("Documents in 'cars': {typed_documents:?}");
//! # Ok(())
//! # }
//! ```
//!
//! ## Example: Subscribe to and observe changes from peers
//!
//! Use [`.observe_local(...)`] to register a callback _before_ using
//! [`.subscribe()`] to create a [`Subscription`] to ensure that all
//! documents synced from a remote peer are seen by the observer callback:
//!
//! ```
//! use dittolive_ditto::prelude::*;
//!
//! # fn example(ditto: &Ditto) -> anyhow::Result<()> {
//! let cars = ditto.store().collection("cars")?;
//! let query = cars.find_all();
//!
//! // Create a `LiveQuery` by registering a local observer
//! // This observer is called whenever documents matching the query
//! // are changed in this peer's local store.
//! //
//! // Dropping this handle will cancel the observer
//! let _live_query = query.observe_local(|docs, _event| {
//! let typed_docs: Vec<serde_json::Value> = docs
//! .into_iter()
//! .flat_map(|doc| doc.typed::<serde_json::Value>().ok())
//! .collect();
//! println!("Observed updated document: {typed_docs:?}");
//! })?;
//!
//! // Create a `Subscription` which syncs documents from other peers
//! //
//! // Dropping this handle will cancel the subscription
//! let _subscription = query.subscribe();
//! # Ok(())
//! # }
//! ```
//!
//! # Ditto CRDT Types
//!
//! The Ditto CRDT types are [`DittoCounter`], [`DittoMutableCounter`], [`DittoRegister`],
//! and [`DittoMutableRegister`]. These types have dedicated CRDT logic and specific behavior
//! for merging concurrent updates. The mutable variants allow for updating the CRDT values,
//! whereas the non-mutable variants are read-only.
//!
//! To obtain a read-only CRDT, use the [`.get::<T>("...")`] API of [`DittoDocument`].
//! To obtain a mutable CRDT, use the [`.get_mut::<T>("...")`] API of [`DittoMutDocument`].
//! Both of these traits are implemented for any type that `Deref`s to `Document`, such
//! as the [`BoxedDocument`]s returned by [`.exec()`].
//!
//! [`.get::<T>("...")`]: DittoDocument::get
//! [`.get_mut::<T>("...")`]: DittoMutDocument::get_mut
//! [`BoxedDocument`]: crate::prelude::BoxedDocument
//! [`.exec()`]: crate::store::query_builder::PendingCursorOperation::exec
//!
//! ## Counter
//!
//! The [`DittoCounter`] and [`DittoMutableCounter`] represent counters which can be updated
//! simultaneously on several peers at once without losing concurrent increments.
//!
//! ### Example
//!
//! ```
//! use dittolive_ditto::prelude::*;
//!
//! # fn example(ditto: &Ditto) -> anyhow::Result<()> {
//! let collection = ditto.store().collection("foo")?;
//!
//! // Insert a new document with a field "counter" containing
//! // a `DittoCounter` with default value 0
//! let id = collection.upsert(serde_json::json!({
//! "counter": DittoCounter::new()
//! }))?;
//!
//! // Find the document by its ID and `.get` the "counter" field.
//! let doc = collection.find_by_id(&id).exec()?;
//! let counter: DittoCounter = doc.get("counter")?;
//! assert_eq!(counter.value(), 0.0);
//!
//! // Update the document by ID and increment "counter" as a DittoMutableCounter
//! collection.find_by_id(&id).update(|maybe_doc| {
//! let doc = maybe_doc.unwrap();
//! let mut counter = doc.get_mut::<DittoMutableCounter>("counter").unwrap();
//! counter.increment(5.0).unwrap();
//! })?;
//!
//! let counter: DittoCounter = doc.get("counter")?;
//! assert_eq!(counter.value(), 5.0);
//! # Ok(())
//! # }
//! ```
//!
//! ## Register
//!
//! [`DittoRegister`] and [`DittoMutableRegister`] are containers for a single value following
//! the concept of LWW: "Last Write Wins". Primitive types such as `String`, `u32`, `bool`, etc.,
//! are implicitly wrapped to and unwrapped from registers.
//!
//! ### Example: Primitives and Registers
//!
//! ```
//! use dittolive_ditto::prelude::*;
//!
//! # fn example(ditto: &Ditto) -> anyhow::Result<()> {
//! let collection = ditto.store().collection("register_tests")?;
//!
//! // Insert a new document with "register" and "string" fields with these values:
//! let id = collection.upsert(serde_json::json!({
//! "register": DittoRegister::new(42)?,
//! "string": "SomeString"
//! }))?;
//!
//! // Find the document by its ID and `.get` the "register" field
//! let doc = collection.find_by_id(&id).exec()?;
//! let register: DittoRegister = doc.get("register")?;
//! assert_eq!(register.value::<u32>()?, 42);
//!
//! // Use a register to access a primitive type such as String
//! let register: DittoRegister = doc.get("string")?;
//! assert_eq!(register.value::<String>()?, "SomeString");
//!
//! // Update the "register" field by setting it directly to a value
//! collection
//! .find_by_id(&id)
//! .update(|maybe_doc| {
//! let doc = maybe_doc.unwrap();
//! let mut register = doc.get_mut::<DittoMutableRegister>("register").unwrap();
//! register.set(5.0).unwrap();
//! })?;
//!
//! // Read back the "register" field and observe the changed value
//! let register: DittoRegister = doc.get("register")?;
//! assert_eq!(register.value::<f32>()?, 5.0);
//!
//! // Read the primitive value directly via `.get`
//! let direct_access: f32 = doc.get("register")?;
//! assert_eq!(direct_access, 5.0);
//! # Ok(())
//! # }
//! ```
//!
//! ### Example: Mixed fields without Registers
//!
//! The main purpose of the [`DittoRegister`] type is to treat structs as a single CRDT value.
//! Without Register, fields can be merged together and get mixed up. Consider this example
//! where we would like to replace a Car vehicle and all of its fields with a Boat vehicle and
//! _its_ fields:
//!
//! ```
//! use dittolive_ditto::prelude::*;
//! use serde::{Deserialize, Serialize};
//!
//! #[derive(Serialize, Deserialize)]
//! struct Car {
//! color: String,
//! price: u32,
//! }
//! #[derive(Serialize, Deserialize)]
//! struct Boat {
//! length: f32,
//! name: String,
//! }
//!
//! # fn example(ditto: &Ditto) -> anyhow::Result<()> {
//! let collection = ditto.store().collection("vehicles")?;
//!
//! // Insert a car as a new document, returning the assigned ID
//! let car = Car {
//! color: String::from("red"),
//! price: 42_000,
//! };
//! let id = collection.upsert(serde_json::json!({ "vehicle": car }))?;
//!
//! // Now, attempt to replace the Car with a Boat using `.update`
//! collection
//! .find_by_id(&id)
//! .update(|maybe_doc| {
//! let doc = maybe_doc.unwrap();
//!
//! // Attempt to replace the value of the "vehicle" field with a Boat
//! let boat = Boat {
//! length: 248.0,
//! name: String::from("Richelieu"),
//! };
//! doc.set("vehicle", boat).unwrap();
//! })?;
//!
//! // Uh oh, instead of replacing the vehicle, we just merged fields into it!
//! let document = collection.find_by_id(&id).exec()?;
//! let typed = document.typed::<serde_json::Value>()?;
//! println!("Vehicle document: {typed:#}");
//! // Vehicle document: {
//! // "vehicle": {
//! // "color": "red",
//! // "length": 248,
//! // "name": "Richelieu",
//! // "price": 42_000
//! // }
//! // }
//! # Ok(())
//! # }
//! ```
//!
//! To solve this problem where fields get mixed together, we can use a [`DittoRegister`],
//! which treats a block of fields as a single unbreakable unit. In this scenario, the
//! original Car value will be lost, but the Boat value will successfully replace it.
//!
//! ```
//! use dittolive_ditto::prelude::*;
//! use serde::{Serialize, Deserialize};
//!
//! #[derive(Serialize, Deserialize)]
//! struct Car {
//! color : String,
//! price: u32,
//! }
//!
//! #[derive(Serialize, Deserialize)]
//! struct Boat {
//! length : f32,
//! name: String,
//! }
//!
//! # fn example(ditto: &Ditto) -> anyhow::Result<()> {
//! let collection = ditto.store().collection("vehicles")?;
//!
//! // Insert the Car wrapped in a `DittoRegister`
//! let car = Car { color: "red".to_string(), price: 42_000 };
//! let id = collection.upsert(serde_json::json!({
//! "vehicle": DittoRegister::new(car)?
//! }))?;
//!
//! // Update the "vehicle" field, replacing the Car with a Boat
//! collection
//! .find_by_id(&id)
//! .update(|maybe_doc| {
//! let doc = maybe_doc.unwrap();
//!
//! let boat = Boat { length: 248.0, name: "Richelieu".to_string() };
//! let mut register = doc.get_mut::<DittoMutableRegister>("vehicle").unwrap();
//! register.set(boat).unwrap();
//! })?;
//!
//! // Now, the fields in "vehicle" have been replaced by Boat rather than merged with Car!
//! let document = collection.find_by_id(&id).exec()?;
//! let typed = document.typed::<serde_json::Value>()?;
//! println!("Vehicle document: {typed:#}");
//! // Vechicle document: {
//! // "vehicle": {
//! // "length": 248,
//! // "name" : "Richelieu"
//! // }
//! // }
//! # Ok(())
//! # }
//! ```
//!
//! # Legacy Query Syntax
//!
//! Certain QueryBuilder APIs accept query strings, and it's important to note
//! that these APIs DO NOT accept DQL, but rather a legacy query syntax. The
//! following APIs use the legacy query syntax described in this section:
//!
//! - [`ditto.store().collection("...")?.find("<legacy query>")`]
//! - [`ditto.store().collection("...")?.find_with_args("<legacy query>", ...)`]
//!
//! [`ditto.store().collection("...")?.find("<legacy query>")`]: crate::store::query_builder::Collection::find
//! [`ditto.store().collection("...")?.find_with_args("<legacy query>", ...)`]: crate::store::query_builder::Collection::find_with_args
//!
//! For a full overview of the Legacy Query Syntax, [see the official Ditto
//! docs Query Syntax page][0]. We'll briefly summarize the same info here.
//!
//! ## Boolean and Comparison operators
//!
//! The objective of the query syntax is to select a subset of documents in a
//! collection. Here are some examples of operators that may be used to filter
//! documents based on fields they contain and the values of those fields:
//!
//! - Equality (`==`): Check that a field matches a specific value:
//! - `"isDeleted == true"`
//! - `"isDeleted == false"`
//! - `"title == 'Harry Potter'"`
//!
//! - Inequality (`!=`): Check that a field _does not_ match a specific value:
//! - `"title != 'Lord of the Rings'"`
//!
//! - Less-than (`<`), Greater-than (`>`), Less-or-equal (`<=`), Greater-or-equal (`>=`):
//! - `"age < 18"`
//! - `"age <= 18"`
//! - `"age > 18"`
//! - `"age >= 18"`
//!
//! ## Compound Operators
//!
//! Compound operators allow you to add multiple conditions into a single query.
//!
//! - Logical AND (`&&`): Evaluates to `true` when both child conditions are true:
//! - `"theme == 'Dark' && name == 'Light'"`
//!
//! - Logical OR (`||`): Evaluates to `true` when at least one child condition is true:
//! - `"name == 'Tom' || name == 'Arthur'"`
//!
//! - Logical NOT (`!`): Inverts the condition:
//! - `"!(name == 'Hamilton' || name == 'Morten')"`
//!
//! ## String Operations
//!
//! The legacy query syntax supports a handful of functions that may be used
//! to do string comparisons against document field values.
//!
//! - Use `starts_with(field, test)` to test if the field begins with the test string
//! - `"starts_with(title, 'Lord')"`
//!
//! - Use `ends_with(field, test)` to test if the field ends with the test string
//! - `"ends_with(title, 'Rings')"`
//!
//! - Use `regex(field, '<regex>')` to test if a field matches the provided regular expression
//! - `"regex(title, '^([A-Za-z]|[0-9]|_)+$')"`
//!
//! ## NULL values
//!
//! Use the `null` primitive to check for the existence of a value at a given field
//!
//! - To find documents with a `color` property that has no value:
//! - `"color == null"`
//!
//! ## Array Operations
//!
//! When handling collections of data that different peers may make concurrent
//! updates to, first consider using an embedded map in your documents. If this
//! doesn't work for your use-case, then try using an array.
//!
//! The `array` type in Ditto is a CRDT and behaves differently than a typical
//! `array` type. For more information, see the [Platform Manual on Data Types][1].
//!
//! > We recommend avoiding `array`s in Ditto where possible.
//! >
//! > Due to Ditto's use of CRDTs, arrays are much less graceful than maps
//! > when syncing with other peers and merging concurrent updates.
//!
//! - Use `contains(array, value)` to check if the value exists in the array
//! - `"contains(['blue', 'green'], color)"`
//!
//! ## Date and Time formats
//!
//! When querying or parsing date and time strings, use the [ISO-8601] standard
//! format.
//!
//! - `"created_at >= '2022-04-29T00:55:31.859Z'"`
//!
//! ## Field Path Navigation
//!
//! If a field name consists of alphanumeric characters or includes underscores,
//! use any of the following notations to navigate document properties:
//!
//! - For fields that are alphanumeric or include underscores, use dot notation:
//! - `"name.last == 'Turing'"`
//!
//! - For all other scenarios, use bracket notation:
//! - `"work['street-line'] == '678 Johnson Street'"`
//!
//! [Ditto Query Language (DQL)]: crate::dql
//! [`ditto.store().collection("...")?`]: crate::store::Store::collection
//! [`.find_all()`]: crate::store::query_builder::Collection::find_all
//! [`.find_by_id(...)`]: crate::store::query_builder::Collection::find_by_id
//! [`.find(...)`]: crate::store::query_builder::Collection::find
//! [`.find_with_args(...)`]: crate::store::query_builder::Collection::find_with_args
//! [`.exec()`]: crate::store::query_builder::PendingCursorOperation::exec
//! [`.subscribe()`]: crate::store::query_builder::PendingCursorOperation::subscribe
//! [`.observe_local(...)`]: crate::store::query_builder::PendingCursorOperation::observe_local
//! [0]: https://docs.ditto.live/v4-4/FtP61n4tNyma6t9k-1WFW
//! [1]: https://docs.ditto.live/v4-4/tAWkWoXz6TuRtoc-1VFVI
//! [ISO-8601]: https://en.wikipedia.org/wiki/ISO_8601
#[doc(hidden)]
pub mod batch;
#[doc(hidden)]
pub mod collection;
#[doc(hidden)]
pub mod collections;
#[doc(hidden)]
pub mod live_query;
#[doc(hidden)]
pub mod subscription;
#[doc(hidden)]
pub mod types;
#[doc(hidden)]
pub mod update;
/// Use [`pending_op.sort(...)`] to specify queried document ordering.
///
/// [`pending_op.sort(...)`]: PendingCursorOperation::sort
pub use ffi_sdk::COrderByParam;
/// Whether sorting should be done in ascending or descending order.
pub use ffi_sdk::QuerySortDirection;
pub use self::{
batch::{Action, DocChangeKind, ScopedStore, WriteTransactionResult},
collection::{
Collection, DittoDocument, DittoMutDocument, DocumentId, MutableValue,
PendingCursorOperation, PendingIdSpecificOperation,
},
collections::{CollectionsEvent, CollectionsEventHandler, PendingCollectionsOperation},
live_query::{
EventHandler, LiveQuery, LiveQueryEvent, LiveQueryMove, SingleDocumentEventHandler,
SingleDocumentLiveQueryEvent,
},
subscription::Subscription,
types::{DittoCounter, DittoMutableCounter, DittoMutableRegister, DittoRegister},
update::{UpdateOp, UpdateResult},
};