1
use std::{
2
    collections::BTreeMap,
3
    marker::PhantomData,
4
    ops::{Deref, DerefMut},
5
};
6

            
7
use arc_bytes::serde::Bytes;
8
use async_trait::async_trait;
9
use futures::{future::BoxFuture, Future, FutureExt};
10
use serde::{Deserialize, Serialize};
11
#[cfg(feature = "multiuser")]
12
use zeroize::Zeroize;
13

            
14
#[cfg(feature = "multiuser")]
15
use crate::schema::NamedReference;
16
use crate::{
17
    document::{CollectionDocument, Document, Header, OwnedDocument},
18
    permissions::Permissions,
19
    schema::{
20
        self,
21
        view::{self, map::MappedDocuments},
22
        Key, Map, MappedValue, Schema, SchemaName, SerializedCollection,
23
    },
24
    transaction::{self, OperationResult, Transaction},
25
    Error,
26
};
27

            
28
/// Defines all interactions with a [`schema::Schema`], regardless of whether it
29
/// is local or remote.
30
#[async_trait]
31
pub trait Connection: Send + Sync {
32
    /// Accesses a collection for the connected [`schema::Schema`].
33
24500
    fn collection<C: schema::Collection>(&self) -> Collection<'_, Self, C>
34
24500
    where
35
24500
        Self: Sized,
36
24500
    {
37
24500
        Collection::new(self)
38
24500
    }
39

            
40
    /// Inserts a newly created document into the connected [`schema::Schema`]
41
    /// for the [`Collection`] `C`. If `id` is `None` a unique id will be
42
    /// generated. If an id is provided and a document already exists with that
43
    /// id, a conflict error will be returned.
44
    ///
45
    /// This is the lower-level API. For better ergonomics, consider using
46
    /// one of:
47
    ///
48
    /// - [`SerializedCollection::push_into()`]
49
    /// - [`SerializedCollection::insert_into()`]
50
    /// - [`self.collection::<Collection>().insert()`](Collection::insert)
51
    /// - [`self.collection::<Collection>().push()`](Collection::push)
52
29193
    async fn insert<C: schema::Collection, B: Into<Bytes> + Send>(
53
29193
        &self,
54
29193
        id: Option<u64>,
55
29193
        contents: B,
56
29193
    ) -> Result<Header, Error> {
57
29193
        let contents = contents.into();
58
29193
        let results = self
59
35719
            .apply_transaction(Transaction::insert(C::collection_name(), id, contents))
60
34903
            .await?;
61
28650
        if let OperationResult::DocumentUpdated { header, .. } = &results[0] {
62
28650
            Ok(header.clone())
63
        } else {
64
            unreachable!(
65
                "apply_transaction on a single insert should yield a single DocumentUpdated entry"
66
            )
67
        }
68
58386
    }
69

            
70
    /// Updates an existing document in the connected [`schema::Schema`] for the
71
    /// [`Collection`] `C`. Upon success, `doc.revision` will be updated with
72
    /// the new revision.
73
    ///
74
    /// This is the lower-level API. For better ergonomics, consider using
75
    /// one of:
76
    ///
77
    /// - [`CollectionDocument::update()`]
78
    /// - [`self.collection::<Collection>().update()`](Collection::update)
79
4090
    async fn update<'a, C: schema::Collection, D: Document<'a> + Send + Sync>(
80
4090
        &self,
81
4090
        doc: &mut D,
82
4090
    ) -> Result<(), Error> {
83
4090
        let results = self
84
4090
            .apply_transaction(Transaction::update(
85
4090
                C::collection_name(),
86
4090
                <D as Deref>::deref(doc).clone(),
87
4090
                <D as AsRef<[u8]>>::as_ref(doc).to_vec(),
88
6445
            ))
89
6068
            .await?;
90
4065
        if let Some(OperationResult::DocumentUpdated { header, .. }) = results.into_iter().next() {
91
4065
            *<D as DerefMut>::deref_mut(doc) = header;
92
4065
            Ok(())
93
        } else {
94
            unreachable!(
95
                "apply_transaction on a single update should yield a single DocumentUpdated entry"
96
            )
97
        }
98
8180
    }
99

            
100
    /// Retrieves a stored document from [`Collection`] `C` identified by `id`.
101
    ///
102
    /// This is the lower-level API. For better ergonomics, consider using
103
    /// one of:
104
    ///
105
    /// - [`SerializedCollection::get()`]
106
    /// - [`self.collection::<Collection>().get()`](Collection::get)
107
    async fn get<C: schema::Collection>(&self, id: u64) -> Result<Option<OwnedDocument>, Error>;
108

            
109
    /// Retrieves all documents matching `ids`. Documents that are not found
110
    /// are not returned, but no error will be generated.
111
    ///
112
    /// This is the lower-level API. For better ergonomics, consider using
113
    /// one of:
114
    ///
115
    /// - [`SerializedCollection::get_multiple()`]
116
    /// - [`self.collection::<Collection>().get_multiple()`](Collection::get_multiple)
117
    async fn get_multiple<C: schema::Collection>(
118
        &self,
119
        ids: &[u64],
120
    ) -> Result<Vec<OwnedDocument>, Error>;
121

            
122
    /// Retrieves all documents within the range of `ids`. Documents that are
123
    /// not found are not returned, but no error will be generated. To retrieve
124
    /// all documents, pass in `..` for `ids`.
125
    ///
126
    /// This is the lower-level API. For better ergonomics, consider using
127
    /// one of:
128
    ///
129
    /// - [`SerializedCollection::all()`]
130
    /// - [`self.collection::<Collection>().all()`](Collection::all)
131
    /// - [`SerializedCollection::list()`]
132
    /// - [`self.collection::<Collection>().list()`](Collection::list)
133
    async fn list<C: schema::Collection, R: Into<Range<u64>> + Send>(
134
        &self,
135
        ids: R,
136
        order: Sort,
137
        limit: Option<usize>,
138
    ) -> Result<Vec<OwnedDocument>, Error>;
139

            
140
    /// Removes a `Document` from the database.
141
    ///
142
    /// This is the lower-level API. For better ergonomics, consider using
143
    /// one of:
144
    ///
145
    /// - [`CollectionDocument::delete()`]
146
    /// - [`self.collection::<Collection>().delete()`](Collection::delete)
147
12885
    async fn delete<C: schema::Collection, H: AsRef<Header> + Send + Sync>(
148
12885
        &self,
149
12885
        doc: &H,
150
12885
    ) -> Result<(), Error> {
151
12885
        let results = self
152
12885
            .apply_transaction(Transaction::delete(
153
12885
                C::collection_name(),
154
12885
                doc.as_ref().clone(),
155
13994
            ))
156
13628
            .await?;
157
12885
        if let OperationResult::DocumentDeleted { .. } = &results[0] {
158
12885
            Ok(())
159
        } else {
160
            unreachable!(
161
                "apply_transaction on a single update should yield a single DocumentUpdated entry"
162
            )
163
        }
164
25770
    }
165

            
166
    /// Initializes [`View`] for [`schema::View`] `V`.
167
    #[must_use]
168
52729
    fn view<V: schema::SerializedView>(&'_ self) -> View<'_, Self, V>
169
52729
    where
170
52729
        Self: Sized,
171
52729
    {
172
52729
        View::new(self)
173
52729
    }
174

            
175
    /// Queries for view entries matching [`View`].
176
    ///
177
    /// This is the lower-level API. For better ergonomics, consider querying
178
    /// the view using [`self.view::<View>().query()`](View::query) instead.
179
    /// The parameters for the query can be customized on the builder returned
180
    /// from [`Self::view()`].
181
    #[must_use]
182
    async fn query<V: schema::SerializedView>(
183
        &self,
184
        key: Option<QueryKey<V::Key>>,
185
        order: Sort,
186
        limit: Option<usize>,
187
        access_policy: AccessPolicy,
188
    ) -> Result<Vec<Map<V::Key, V::Value>>, Error>
189
    where
190
        Self: Sized;
191

            
192
    /// Queries for view entries matching [`View`] with their source documents.
193
    ///
194
    /// This is the lower-level API. For better ergonomics, consider querying
195
    /// the view using [`self.view::<View>().query_with_docs()`](View::query_with_docs) instead.
196
    /// The parameters for the query can be customized on the builder returned
197
    /// from [`Self::view()`].
198
    #[must_use]
199
    async fn query_with_docs<V: schema::SerializedView>(
200
        &self,
201
        key: Option<QueryKey<V::Key>>,
202
        order: Sort,
203
        limit: Option<usize>,
204
        access_policy: AccessPolicy,
205
    ) -> Result<MappedDocuments<OwnedDocument, V>, Error>
206
    where
207
        Self: Sized;
208

            
209
    /// Queries for view entries matching [`View`] with their source documents, deserialized.
210
    ///
211
    /// This is the lower-level API. For better ergonomics, consider querying
212
    /// the view using [`self.view::<View>().query_with_collection_docs()`](View::query_with_collection_docs) instead.
213
    /// The parameters for the query can be customized on the builder returned
214
    /// from [`Self::view()`].
215
    #[must_use]
216
100
    async fn query_with_collection_docs<V>(
217
100
        &self,
218
100
        key: Option<QueryKey<V::Key>>,
219
100
        order: Sort,
220
100
        limit: Option<usize>,
221
100
        access_policy: AccessPolicy,
222
100
    ) -> Result<MappedDocuments<CollectionDocument<V::Collection>, V>, Error>
223
100
    where
224
100
        V: schema::SerializedView,
225
100
        V::Collection: SerializedCollection,
226
100
        <V::Collection as SerializedCollection>::Contents: std::fmt::Debug,
227
100
        Self: Sized,
228
100
    {
229
100
        let mapped_docs = self
230
176
            .query_with_docs::<V>(key, order, limit, access_policy)
231
176
            .await?;
232
100
        let mut collection_docs = BTreeMap::new();
233
203
        for (id, doc) in mapped_docs.documents {
234
103
            collection_docs.insert(id, CollectionDocument::<V::Collection>::try_from(&doc)?);
235
        }
236
100
        Ok(MappedDocuments {
237
100
            mappings: mapped_docs.mappings,
238
100
            documents: collection_docs,
239
100
        })
240
200
    }
241

            
242
    /// Reduces the view entries matching [`View`].
243
    ///
244
    /// This is the lower-level API. For better ergonomics, consider reducing
245
    /// the view using [`self.view::<View>().reduce()`](View::reduce) instead.
246
    /// The parameters for the query can be customized on the builder returned
247
    /// from [`Self::view()`].
248
    #[must_use]
249
    async fn reduce<V: schema::SerializedView>(
250
        &self,
251
        key: Option<QueryKey<V::Key>>,
252
        access_policy: AccessPolicy,
253
    ) -> Result<V::Value, Error>
254
    where
255
        Self: Sized;
256

            
257
    /// Reduces the view entries matching [`View`], reducing the values by each
258
    /// unique key.
259
    ///
260
    /// This is the lower-level API. For better ergonomics, consider reducing
261
    /// the view using
262
    /// [`self.view::<View>().reduce_grouped()`](View::reduce_grouped) instead.
263
    /// The parameters for the query can be customized on the builder returned
264
    /// from [`Self::view()`].
265
    #[must_use]
266
    async fn reduce_grouped<V: schema::SerializedView>(
267
        &self,
268
        key: Option<QueryKey<V::Key>>,
269
        access_policy: AccessPolicy,
270
    ) -> Result<Vec<MappedValue<V::Key, V::Value>>, Error>
271
    where
272
        Self: Sized;
273

            
274
    /// Deletes all of the documents associated with this view.
275
    ///
276
    /// This is the lower-level API. For better ergonomics, consider querying
277
    /// the view using [`self.view::<View>().delete_docs()`](View::delete_docs()) instead.
278
    /// The parameters for the query can be customized on the builder returned
279
    /// from [`Self::view()`].
280
    #[must_use]
281
    async fn delete_docs<V: schema::SerializedView>(
282
        &self,
283
        key: Option<QueryKey<V::Key>>,
284
        access_policy: AccessPolicy,
285
    ) -> Result<u64, Error>
286
    where
287
        Self: Sized;
288

            
289
    /// Applies a [`Transaction`] to the [`schema::Schema`]. If any operation in the
290
    /// [`Transaction`] fails, none of the operations will be applied to the
291
    /// [`schema::Schema`].
292
    async fn apply_transaction(
293
        &self,
294
        transaction: Transaction,
295
    ) -> Result<Vec<OperationResult>, Error>;
296

            
297
    /// Lists executed [`Transaction`]s from this [`schema::Schema`]. By default, a maximum of
298
    /// 1000 entries will be returned, but that limit can be overridden by
299
    /// setting `result_limit`. A hard limit of 100,000 results will be
300
    /// returned. To begin listing after another known `transaction_id`, pass
301
    /// `transaction_id + 1` into `starting_id`.
302
    async fn list_executed_transactions(
303
        &self,
304
        starting_id: Option<u64>,
305
        result_limit: Option<usize>,
306
    ) -> Result<Vec<transaction::Executed>, Error>;
307

            
308
    /// Fetches the last transaction id that has been committed, if any.
309
    async fn last_transaction_id(&self) -> Result<Option<u64>, Error>;
310

            
311
    /// Compacts the entire database to reclaim unused disk space.
312
    ///
313
    /// This process is done by writing data to a new file and swapping the file
314
    /// once the process completes. This ensures that if a hardware failure,
315
    /// power outage, or crash occurs that the original collection data is left
316
    /// untouched.
317
    ///
318
    /// ## Errors
319
    ///
320
    /// * [`Error::Io`]: an error occurred while compacting the database.
321
    async fn compact(&self) -> Result<(), crate::Error>;
322

            
323
    /// Compacts the collection to reclaim unused disk space.
324
    ///
325
    /// This process is done by writing data to a new file and swapping the file
326
    /// once the process completes. This ensures that if a hardware failure,
327
    /// power outage, or crash occurs that the original collection data is left
328
    /// untouched.
329
    ///
330
    /// ## Errors
331
    ///
332
    /// * [`Error::CollectionNotFound`]: database `name` does not exist.
333
    /// * [`Error::Io`]: an error occurred while compacting the database.
334
    async fn compact_collection<C: schema::Collection>(&self) -> Result<(), crate::Error>;
335

            
336
    /// Compacts the key value store to reclaim unused disk space.
337
    ///
338
    /// This process is done by writing data to a new file and swapping the file
339
    /// once the process completes. This ensures that if a hardware failure,
340
    /// power outage, or crash occurs that the original collection data is left
341
    /// untouched.
342
    ///
343
    /// ## Errors
344
    ///
345
    /// * [`Error::Io`]: an error occurred while compacting the database.
346
    async fn compact_key_value_store(&self) -> Result<(), crate::Error>;
347
}
348

            
349
/// Interacts with a collection over a `Connection`.
350
///
351
/// These examples in this type use this basic collection definition:
352
///
353
/// ```rust
354
/// use bonsaidb_core::{schema::Collection, Error};
355
/// use serde::{Deserialize, Serialize};
356
///
357
/// #[derive(Debug, Serialize, Deserialize, Default, Collection)]
358
/// #[collection(name = "MyCollection")]
359
/// # #[collection(core = bonsaidb_core)]
360
/// pub struct MyCollection {
361
///     pub rank: u32,
362
///     pub score: f32,
363
/// }
364
/// ```
365
pub struct Collection<'a, Cn, Cl> {
366
    connection: &'a Cn,
367
    _phantom: PhantomData<Cl>, /* allows for extension traits to be written for collections of specific types */
368
}
369

            
370
impl<'a, Cn, Cl> Clone for Collection<'a, Cn, Cl> {
371
    fn clone(&self) -> Self {
372
        Self {
373
            connection: self.connection,
374
            _phantom: PhantomData,
375
        }
376
    }
377
}
378

            
379
impl<'a, Cn, Cl> Collection<'a, Cn, Cl>
380
where
381
    Cn: Connection,
382
    Cl: schema::Collection,
383
{
384
    /// Creates a new instance using `connection`.
385
24500
    fn new(connection: &'a Cn) -> Self {
386
24500
        Self {
387
24500
            connection,
388
24500
            _phantom: PhantomData::default(),
389
24500
        }
390
24500
    }
391

            
392
    /// Adds a new `Document<Cl>` with the contents `item`.
393
    ///
394
    /// ```rust
395
    /// # bonsaidb_core::__doctest_prelude!();
396
    /// # fn test_fn<C: Connection>(db: &C) -> Result<(), Error> {
397
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
398
    /// let inserted_header = db
399
    ///     .collection::<MyCollection>()
400
    ///     .push(&MyCollection::default())
401
    ///     .await?;
402
    /// println!(
403
    ///     "Inserted id {} with revision {}",
404
    ///     inserted_header.id, inserted_header.revision
405
    /// );
406
    /// # Ok(())
407
    /// # })
408
    /// # }
409
    /// ```
410
27670
    pub async fn push(
411
27670
        &self,
412
27670
        item: &<Cl as SerializedCollection>::Contents,
413
27670
    ) -> Result<Header, crate::Error>
414
27670
    where
415
27670
        Cl: schema::SerializedCollection,
416
27670
    {
417
27670
        let contents = Cl::serialize(item)?;
418
30617
        self.push_bytes(contents).await
419
27670
    }
420

            
421
    /// Adds a new `Document<Cl>` with the `contents`.
422
    ///
423
    /// ```rust
424
    /// # bonsaidb_core::__doctest_prelude!();
425
    /// # fn test_fn<C: Connection>(db: &C) -> Result<(), Error> {
426
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
427
    /// let inserted_header = db.collection::<MyCollection>().push_bytes(vec![]).await?;
428
    /// println!(
429
    ///     "Inserted id {} with revision {}",
430
    ///     inserted_header.id, inserted_header.revision
431
    /// );
432
    /// # Ok(())
433
    /// # })
434
    /// # }
435
    /// ```
436
27670
    pub async fn push_bytes<B: Into<Bytes> + Send>(
437
27670
        &self,
438
27670
        contents: B,
439
27670
    ) -> Result<Header, crate::Error>
440
27670
    where
441
27670
        Cl: schema::SerializedCollection,
442
27670
    {
443
30617
        self.connection.insert::<Cl, B>(None, contents).await
444
27670
    }
445

            
446
    /// Adds a new `Document<Cl>` with the given `id` and contents `item`.
447
    ///
448
    /// ```rust
449
    /// # bonsaidb_core::__doctest_prelude!();
450
    /// # fn test_fn<C: Connection>(db: &C) -> Result<(), Error> {
451
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
452
    /// let inserted_header = db
453
    ///     .collection::<MyCollection>()
454
    ///     .insert(42, &MyCollection::default())
455
    ///     .await?;
456
    /// println!(
457
    ///     "Inserted id {} with revision {}",
458
    ///     inserted_header.id, inserted_header.revision
459
    /// );
460
    /// # Ok(())
461
    /// # })
462
    /// # }
463
    /// ```
464
1012
    pub async fn insert(
465
1012
        &self,
466
1012
        id: u64,
467
1012
        item: &<Cl as SerializedCollection>::Contents,
468
1012
    ) -> Result<Header, crate::Error>
469
1012
    where
470
1012
        Cl: schema::SerializedCollection,
471
1012
    {
472
1012
        let contents = Cl::serialize(item)?;
473
3366
        self.connection.insert::<Cl, _>(Some(id), contents).await
474
1012
    }
475

            
476
    /// Adds a new `Document<Cl>` with the the given `id` and `contents`.
477
    ///
478
    /// ```rust
479
    /// # bonsaidb_core::__doctest_prelude!();
480
    /// # fn test_fn<C: Connection>(db: &C) -> Result<(), Error> {
481
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
482
    /// let inserted_header = db
483
    ///     .collection::<MyCollection>()
484
    ///     .insert_bytes(42, vec![])
485
    ///     .await?;
486
    /// println!(
487
    ///     "Inserted id {} with revision {}",
488
    ///     inserted_header.id, inserted_header.revision
489
    /// );
490
    /// # Ok(())
491
    /// # })
492
    /// # }
493
    /// ```
494
    pub async fn insert_bytes<B: Into<Bytes> + Send>(
495
        &self,
496
        id: u64,
497
        contents: B,
498
    ) -> Result<Header, crate::Error>
499
    where
500
        Cl: schema::SerializedCollection,
501
    {
502
        self.connection.insert::<Cl, B>(Some(id), contents).await
503
    }
504

            
505
    /// Updates an existing document. Upon success, `doc.revision` will be
506
    /// updated with the new revision.
507
    ///
508
    /// ```rust
509
    /// # bonsaidb_core::__doctest_prelude!();
510
    /// # fn test_fn<C: Connection>(db: &C) -> Result<(), Error> {
511
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
512
    /// if let Some(mut document) = db.collection::<MyCollection>().get(42).await? {
513
    ///     // modify the document
514
    ///     db.collection::<MyCollection>().update(&mut document);
515
    ///     println!("Updated revision: {:?}", document.header.revision);
516
    /// }
517
    /// # Ok(())
518
    /// # })
519
    /// # }
520
    /// ```
521
    pub async fn update<'d, D: Document<'d> + Send + Sync>(
522
        &self,
523
        doc: &mut D,
524
    ) -> Result<(), Error> {
525
        self.connection.update::<Cl, D>(doc).await
526
    }
527

            
528
    /// Retrieves a `Document<Cl>` with `id` from the connection.
529
    ///
530
    /// ```rust
531
    /// # bonsaidb_core::__doctest_prelude!();
532
    /// # fn test_fn<C: Connection>(db: &C) -> Result<(), Error> {
533
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
534
    /// if let Some(doc) = db.collection::<MyCollection>().get(42).await? {
535
    ///     println!(
536
    ///         "Retrieved bytes {:?} with revision {}",
537
    ///         doc.contents, doc.header.revision
538
    ///     );
539
    ///     let deserialized = doc.contents::<MyCollection>()?;
540
    ///     println!("Deserialized contents: {:?}", deserialized);
541
    /// }
542
    /// # Ok(())
543
    /// # })
544
    /// # }
545
    /// ```
546
1545
    pub async fn get(&self, id: u64) -> Result<Option<OwnedDocument>, Error> {
547
4577
        self.connection.get::<Cl>(id).await
548
1545
    }
549

            
550
    /// Retrieves all documents matching `ids`. Documents that are not found
551
    /// are not returned, but no error will be generated.
552
    ///
553
    /// ```rust
554
    /// # bonsaidb_core::__doctest_prelude!();
555
    /// # fn test_fn<C: Connection>(db: &C) -> Result<(), Error> {
556
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
557
    /// for doc in db
558
    ///     .collection::<MyCollection>()
559
    ///     .get_multiple(&[42, 43])
560
    ///     .await?
561
    /// {
562
    ///     println!("Retrieved #{} with bytes {:?}", doc.header.id, doc.contents);
563
    ///     let deserialized = doc.contents::<MyCollection>()?;
564
    ///     println!("Deserialized contents: {:?}", deserialized);
565
    /// }
566
    /// # Ok(())
567
    /// # })
568
    /// # }
569
    /// ```
570
10
    pub async fn get_multiple(&self, ids: &[u64]) -> Result<Vec<OwnedDocument>, Error> {
571
10
        self.connection.get_multiple::<Cl>(ids).await
572
10
    }
573

            
574
    /// Retrieves all documents matching the range of `ids`.
575
    ///
576
    /// ```rust
577
    /// # bonsaidb_core::__doctest_prelude!();
578
    /// # fn test_fn<C: Connection>(db: &C) -> Result<(), Error> {
579
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
580
    /// for doc in db
581
    ///     .collection::<MyCollection>()
582
    ///     .list(42..)
583
    ///     .descending()
584
    ///     .limit(20)
585
    ///     .await?
586
    /// {
587
    ///     println!("Retrieved #{} with bytes {:?}", doc.header.id, doc.contents);
588
    ///     let deserialized = doc.contents::<MyCollection>()?;
589
    ///     println!("Deserialized contents: {:?}", deserialized);
590
    /// }
591
    /// # Ok(())
592
    /// # })
593
    /// # }
594
    /// ```
595
    pub fn list<R: Into<Range<u64>>>(&'a self, ids: R) -> List<'a, Cn, Cl> {
596
        List::new(PossiblyOwned::Borrowed(self), ids.into())
597
    }
598

            
599
    /// Retrieves all documents.
600
    ///
601
    /// ```rust
602
    /// # bonsaidb_core::__doctest_prelude!();
603
    /// # fn test_fn<C: Connection>(db: &C) -> Result<(), Error> {
604
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
605
    /// for doc in db.collection::<MyCollection>().all().await? {
606
    ///     println!("Retrieved #{} with bytes {:?}", doc.header.id, doc.contents);
607
    ///     let deserialized = doc.contents::<MyCollection>()?;
608
    ///     println!("Deserialized contents: {:?}", deserialized);
609
    /// }
610
    /// # Ok(())
611
    /// # })
612
    /// # }
613
    /// ```
614
    pub fn all(&'a self) -> List<'a, Cn, Cl> {
615
        List::new(PossiblyOwned::Borrowed(self), Range::from(..))
616
    }
617

            
618
    /// Removes a `Document` from the database.
619
    ///
620
    /// ```rust
621
    /// # bonsaidb_core::__doctest_prelude!();
622
    /// # fn test_fn<C: Connection>(db: &C) -> Result<(), Error> {
623
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
624
    /// if let Some(doc) = db.collection::<MyCollection>().get(42).await? {
625
    ///     db.collection::<MyCollection>().delete(&doc).await?;
626
    /// }
627
    /// # Ok(())
628
    /// # })
629
    /// # }
630
    /// ```
631
811
    pub async fn delete<H: AsRef<Header> + Send + Sync>(&self, doc: &H) -> Result<(), Error> {
632
1934
        self.connection.delete::<Cl, H>(doc).await
633
811
    }
634
}
635

            
636
pub(crate) struct ListBuilder<'a, Cn, Cl> {
637
    collection: PossiblyOwned<'a, Collection<'a, Cn, Cl>>,
638
    range: Range<u64>,
639
    sort: Sort,
640
    limit: Option<usize>,
641
}
642

            
643
pub(crate) enum PossiblyOwned<'a, Cl> {
644
    Owned(Cl),
645
    Borrowed(&'a Cl),
646
}
647

            
648
impl<'a, Cl> Deref for PossiblyOwned<'a, Cl> {
649
    type Target = Cl;
650

            
651
20
    fn deref(&self) -> &Self::Target {
652
20
        match self {
653
20
            PossiblyOwned::Owned(value) => value,
654
            PossiblyOwned::Borrowed(value) => value,
655
        }
656
20
    }
657
}
658

            
659
pub(crate) enum ListState<'a, Cn, Cl> {
660
    Pending(Option<ListBuilder<'a, Cn, Cl>>),
661
    Executing(BoxFuture<'a, Result<Vec<OwnedDocument>, Error>>),
662
}
663

            
664
/// Executes [`Connection::list()`] when awaited. Also offers methods to
665
/// customize the options for the operation.
666
#[must_use]
667
pub struct List<'a, Cn, Cl> {
668
    state: ListState<'a, Cn, Cl>,
669
}
670

            
671
impl<'a, Cn, Cl> List<'a, Cn, Cl> {
672
20
    pub(crate) const fn new(
673
20
        collection: PossiblyOwned<'a, Collection<'a, Cn, Cl>>,
674
20
        range: Range<u64>,
675
20
    ) -> Self {
676
20
        Self {
677
20
            state: ListState::Pending(Some(ListBuilder {
678
20
                collection,
679
20
                range,
680
20
                sort: Sort::Ascending,
681
20
                limit: None,
682
20
            })),
683
20
        }
684
20
    }
685

            
686
10
    fn builder(&mut self) -> &mut ListBuilder<'a, Cn, Cl> {
687
10
        if let ListState::Pending(Some(builder)) = &mut self.state {
688
10
            builder
689
        } else {
690
            unreachable!("Attempted to use after retrieving the result")
691
        }
692
10
    }
693

            
694
    /// Lists documents by id in ascending order.
695
    pub fn ascending(mut self) -> Self {
696
        self.builder().sort = Sort::Ascending;
697
        self
698
    }
699

            
700
    /// Lists documents by id in descending order.
701
5
    pub fn descending(mut self) -> Self {
702
5
        self.builder().sort = Sort::Descending;
703
5
        self
704
5
    }
705

            
706
    /// Sets the maximum number of results to return.
707
5
    pub fn limit(mut self, maximum_results: usize) -> Self {
708
5
        self.builder().limit = Some(maximum_results);
709
5
        self
710
5
    }
711
}
712

            
713
impl<'a, Cn, Cl> Future for List<'a, Cn, Cl>
714
where
715
    Cn: Connection,
716
    Cl: schema::Collection + Unpin,
717
{
718
    type Output = Result<Vec<OwnedDocument>, Error>;
719

            
720
60
    fn poll(
721
60
        mut self: std::pin::Pin<&mut Self>,
722
60
        cx: &mut std::task::Context<'_>,
723
60
    ) -> std::task::Poll<Self::Output> {
724
60
        match &mut self.state {
725
40
            ListState::Executing(future) => future.as_mut().poll(cx),
726
20
            ListState::Pending(builder) => {
727
20
                let ListBuilder {
728
20
                    collection,
729
20
                    range,
730
20
                    sort,
731
20
                    limit,
732
20
                } = builder.take().unwrap();
733
20

            
734
20
                let future = async move {
735
20
                    collection
736
20
                        .connection
737
20
                        .list::<Cl, _>(range, sort, limit)
738
20
                        .await
739
20
                }
740
20
                .boxed();
741
20

            
742
20
                self.state = ListState::Executing(future);
743
20
                self.poll(cx)
744
            }
745
        }
746
60
    }
747
}
748

            
749
/// Parameters to query a [`schema::View`].
750
///
751
/// The examples for this type use this view definition:
752
///
753
/// ```rust
754
/// # mod collection {
755
/// # bonsaidb_core::__doctest_prelude!();
756
/// # }
757
/// # use collection::MyCollection;
758
/// use bonsaidb_core::{
759
///     define_basic_unique_mapped_view,
760
///     document::CollectionDocument,
761
///     schema::{
762
///         CollectionViewSchema, DefaultViewSerialization, Name, ReduceResult, View,
763
///         ViewMapResult, ViewMappedValue,
764
///     },
765
/// };
766
///
767
/// #[derive(Debug, Clone, View)]
768
/// #[view(collection = MyCollection, key = u32, value = f32, name = "scores-by-rank")]
769
/// # #[view(core = bonsaidb_core)]
770
/// pub struct ScoresByRank;
771
///
772
/// impl CollectionViewSchema for ScoresByRank {
773
///     type View = Self;
774
///     fn map(
775
///         &self,
776
///         document: CollectionDocument<<Self::View as View>::Collection>,
777
///     ) -> ViewMapResult<Self::View> {
778
///         Ok(document
779
///             .header
780
///             .emit_key_and_value(document.contents.rank, document.contents.score))
781
///     }
782
///
783
///     fn reduce(
784
///         &self,
785
///         mappings: &[ViewMappedValue<Self::View>],
786
///         rereduce: bool,
787
///     ) -> ReduceResult<Self::View> {
788
///         if mappings.is_empty() {
789
///             Ok(0.)
790
///         } else {
791
///             Ok(mappings.iter().map(|map| map.value).sum::<f32>() / mappings.len() as f32)
792
///         }
793
///     }
794
/// }
795
/// ```
796
pub struct View<'a, Cn, V: schema::SerializedView> {
797
    connection: &'a Cn,
798

            
799
    /// Key filtering criteria.
800
    pub key: Option<QueryKey<V::Key>>,
801

            
802
    /// The view's data access policy. The default value is [`AccessPolicy::UpdateBefore`].
803
    pub access_policy: AccessPolicy,
804

            
805
    /// The sort order of the query.
806
    pub sort: Sort,
807

            
808
    /// The maximum number of results to return.
809
    pub limit: Option<usize>,
810
}
811

            
812
impl<'a, Cn, V> View<'a, Cn, V>
813
where
814
    V: schema::SerializedView,
815
    Cn: Connection,
816
{
817
52729
    fn new(connection: &'a Cn) -> Self {
818
52729
        Self {
819
52729
            connection,
820
52729
            key: None,
821
52729
            access_policy: AccessPolicy::UpdateBefore,
822
52729
            sort: Sort::Ascending,
823
52729
            limit: None,
824
52729
        }
825
52729
    }
826

            
827
    /// Filters for entries in the view with `key`.
828
    ///
829
    /// ```rust
830
    /// # bonsaidb_core::__doctest_prelude!();
831
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
832
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
833
    /// // score is an f32 in this example
834
    /// for mapping in db.view::<ScoresByRank>().with_key(42).query().await? {
835
    ///     assert_eq!(mapping.key, 42);
836
    ///     println!("Rank {} has a score of {:3}", mapping.key, mapping.value);
837
    /// }
838
    /// # Ok(())
839
    /// # })
840
    /// # }
841
    /// ```
842
    #[must_use]
843
50408
    pub fn with_key(mut self, key: V::Key) -> Self {
844
50408
        self.key = Some(QueryKey::Matches(key));
845
50408
        self
846
50408
    }
847

            
848
    /// Filters for entries in the view with `keys`.
849
    ///
850
    /// ```rust
851
    /// # bonsaidb_core::__doctest_prelude!();
852
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
853
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
854
    /// // score is an f32 in this example
855
    /// for mapping in db
856
    ///     .view::<ScoresByRank>()
857
    ///     .with_keys([42, 43])
858
    ///     .query()
859
    ///     .await?
860
    /// {
861
    ///     println!("Rank {} has a score of {:3}", mapping.key, mapping.value);
862
    /// }
863
    /// # Ok(())
864
    /// # })
865
    /// # }
866
    /// ```
867
    #[must_use]
868
11
    pub fn with_keys<IntoIter: IntoIterator<Item = V::Key>>(mut self, keys: IntoIter) -> Self {
869
11
        self.key = Some(QueryKey::Multiple(keys.into_iter().collect()));
870
11
        self
871
11
    }
872

            
873
    /// Filters for entries in the view with the range `keys`.
874
    ///
875
    /// ```rust
876
    /// # bonsaidb_core::__doctest_prelude!();
877
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
878
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
879
    /// // score is an f32 in this example
880
    /// for mapping in db
881
    ///     .view::<ScoresByRank>()
882
    ///     .with_key_range(42..)
883
    ///     .query()
884
    ///     .await?
885
    /// {
886
    ///     assert!(mapping.key >= 42);
887
    ///     println!("Rank {} has a score of {:3}", mapping.key, mapping.value);
888
    /// }
889
    /// # Ok(())
890
    /// # })
891
    /// # }
892
    /// ```
893
    #[must_use]
894
13
    pub fn with_key_range<R: Into<Range<V::Key>>>(mut self, range: R) -> Self {
895
13
        self.key = Some(QueryKey::Range(range.into()));
896
13
        self
897
13
    }
898

            
899
    /// Sets the access policy for queries.
900
    ///
901
    /// ```rust
902
    /// # bonsaidb_core::__doctest_prelude!();
903
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
904
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
905
    /// // score is an f32 in this example
906
    /// for mapping in db
907
    ///     .view::<ScoresByRank>()
908
    ///     .with_access_policy(AccessPolicy::UpdateAfter)
909
    ///     .query()
910
    ///     .await?
911
    /// {
912
    ///     println!("Rank {} has a score of {:3}", mapping.key, mapping.value);
913
    /// }
914
    /// # Ok(())
915
    /// # })
916
    /// # }
917
    /// ```
918
11807
    pub fn with_access_policy(mut self, policy: AccessPolicy) -> Self {
919
11807
        self.access_policy = policy;
920
11807
        self
921
11807
    }
922

            
923
    /// Queries the view in ascending order. This is the default sorting
924
    /// behavior.
925
    ///
926
    /// ```rust
927
    /// # bonsaidb_core::__doctest_prelude!();
928
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
929
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
930
    /// // score is an f32 in this example
931
    /// for mapping in db.view::<ScoresByRank>().ascending().query().await? {
932
    ///     println!("Rank {} has a score of {:3}", mapping.key, mapping.value);
933
    /// }
934
    /// # Ok(())
935
    /// # })
936
    /// # }
937
    /// ```
938
    pub fn ascending(mut self) -> Self {
939
        self.sort = Sort::Ascending;
940
        self
941
    }
942

            
943
    /// Queries the view in descending order.
944
    ///
945
    /// ```rust
946
    /// # bonsaidb_core::__doctest_prelude!();
947
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
948
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
949
    /// // score is an f32 in this example
950
    /// for mapping in db.view::<ScoresByRank>().descending().query().await? {
951
    ///     println!("Rank {} has a score of {:3}", mapping.key, mapping.value);
952
    /// }
953
    /// # Ok(())
954
    /// # })
955
    /// # }
956
    /// ```
957
5
    pub fn descending(mut self) -> Self {
958
5
        self.sort = Sort::Descending;
959
5
        self
960
5
    }
961

            
962
    /// Sets the maximum number of results to return.
963
    ///
964
    /// ```rust
965
    /// # bonsaidb_core::__doctest_prelude!();
966
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
967
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
968
    /// // score is an f32 in this example
969
    /// let mappings = db.view::<ScoresByRank>().limit(10).query().await?;
970
    /// assert!(mappings.len() <= 10);
971
    /// # Ok(())
972
    /// # })
973
    /// # }
974
    /// ```
975
5
    pub fn limit(mut self, maximum_results: usize) -> Self {
976
5
        self.limit = Some(maximum_results);
977
5
        self
978
5
    }
979

            
980
    /// Executes the query and retrieves the results.
981
    ///
982
    /// ```rust
983
    /// # bonsaidb_core::__doctest_prelude!();
984
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
985
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
986
    /// // score is an f32 in this example
987
    /// for mapping in db.view::<ScoresByRank>().query().await? {
988
    ///     println!("Rank {} has a score of {:3}", mapping.key, mapping.value);
989
    /// }
990
    /// # Ok(())
991
    /// # })
992
    /// # }
993
    /// ```
994
34445
    pub async fn query(self) -> Result<Vec<Map<V::Key, V::Value>>, Error> {
995
34421
        self.connection
996
34421
            .query::<V>(self.key, self.sort, self.limit, self.access_policy)
997
32033
            .await
998
34445
    }
999

            
    /// Executes the query and retrieves the results with the associated [`Document`s](crate::document::OwnedDocument).
    ///
    /// ```rust
    /// # bonsaidb_core::__doctest_prelude!();
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
    /// for mapping in &db
    ///     .view::<ScoresByRank>()
    ///     .with_key_range(42..=44)
    ///     .query_with_docs()
    ///     .await?
    /// {
    ///     println!(
    ///         "Mapping from #{} with rank: {} and score: {}. Document bytes: {:?}",
    ///         mapping.document.header.id, mapping.key, mapping.value, mapping.document.contents
    ///     );
    /// }
    /// # Ok(())
    /// # })
    /// # }
    /// ```
6142
    pub async fn query_with_docs(self) -> Result<MappedDocuments<OwnedDocument, V>, Error> {
6142
        self.connection
6266
            .query_with_docs::<V>(self.key, self.sort, self.limit, self.access_policy)
6265
            .await
6142
    }

            
    /// Executes the query and retrieves the results with the associated [`CollectionDocument`s](crate::document::CollectionDocument).
    ///
    /// ```rust
    /// # bonsaidb_core::__doctest_prelude!();
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
    /// for mapping in &db
    ///     .view::<ScoresByRank>()
    ///     .with_key_range(42..=44)
    ///     .query_with_collection_docs()
    ///     .await?
    /// {
    ///     println!(
    ///         "Mapping from #{} with rank: {} and score: {}. Deserialized Contents: {:?}",
    ///         mapping.document.header.id, mapping.key, mapping.value, mapping.document.contents
    ///     );
    /// }
    /// # Ok(())
    /// # })
    /// # }
    /// ```
100
    pub async fn query_with_collection_docs(
100
        self,
100
    ) -> Result<MappedDocuments<CollectionDocument<V::Collection>, V>, Error>
100
    where
100
        V::Collection: SerializedCollection,
100
        <V::Collection as SerializedCollection>::Contents: std::fmt::Debug,
100
    {
100
        self.connection
176
            .query_with_collection_docs::<V>(self.key, self.sort, self.limit, self.access_policy)
176
            .await
100
    }

            
    /// Executes a reduce over the results of the query
    ///
    /// ```rust
    /// # bonsaidb_core::__doctest_prelude!();
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
    /// // score is an f32 in this example
    /// let score = db.view::<ScoresByRank>().reduce().await?;
    /// println!("Average score: {:3}", score);
    /// # Ok(())
    /// # })
    /// # }
    /// ```
12025
    pub async fn reduce(self) -> Result<V::Value, Error> {
12025
        self.connection
12026
            .reduce::<V>(self.key, self.access_policy)
8095
            .await
12025
    }

            
    /// Executes a reduce over the results of the query, grouping by key.
    ///
    /// ```rust
    /// # bonsaidb_core::__doctest_prelude!();
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
    /// // score is an f32 in this example
    /// for mapping in db.view::<ScoresByRank>().reduce_grouped().await? {
    ///     println!(
    ///         "Rank {} has an average score of {:3}",
    ///         mapping.key, mapping.value
    ///     );
    /// }
    /// # Ok(())
    /// # })
    /// # }
    /// ```
12
    pub async fn reduce_grouped(self) -> Result<Vec<MappedValue<V::Key, V::Value>>, Error> {
12
        self.connection
14
            .reduce_grouped::<V>(self.key, self.access_policy)
11
            .await
12
    }

            
    /// Deletes all of the associated documents that match this view query.
    ///
    /// ```rust
    /// # bonsaidb_core::__doctest_prelude!();
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
    /// db.view::<ScoresByRank>().delete_docs().await?;
    /// # Ok(())
    /// # })
    /// # }
    /// ```
5
    pub async fn delete_docs(self) -> Result<u64, Error> {
5
        self.connection
7
            .delete_docs::<V>(self.key, self.access_policy)
7
            .await
5
    }
}

            
/// A sort order.
8180
#[derive(Clone, Copy, Serialize, Deserialize, Debug)]
pub enum Sort {
    /// Sort ascending (A -> Z).
    Ascending,
    /// Sort descending (Z -> A).
    Descending,
}

            
/// Filters a [`View`] by key.
24152
#[derive(Clone, Serialize, Deserialize, Debug)]
pub enum QueryKey<K> {
    /// Matches all entries with the key provided.
    Matches(K),

            
    /// Matches all entires with keys in the range provided.
    Range(Range<K>),

            
    /// Matches all entries that have keys that are included in the set provided.
    Multiple(Vec<K>),
}

            
#[allow(clippy::use_self)] // clippy is wrong, Self is different because of generic parameters
impl<K: for<'a> Key<'a>> QueryKey<K> {
    /// Converts this key to a serialized format using the [`Key`] trait.
196781
    pub fn serialized(&self) -> Result<QueryKey<Bytes>, Error> {
196781
        match self {
196757
            Self::Matches(key) => key
196757
                .as_big_endian_bytes()
196757
                .map_err(|err| Error::Database(view::Error::key_serialization(err).to_string()))
196757
                .map(|v| QueryKey::Matches(Bytes::from(v.to_vec()))),
13
            Self::Range(range) => Ok(QueryKey::Range(range.as_big_endian_bytes().map_err(
13
                |err| Error::Database(view::Error::key_serialization(err).to_string()),
13
            )?)),
11
            Self::Multiple(keys) => {
11
                let keys = keys
11
                    .iter()
22
                    .map(|key| {
22
                        key.as_big_endian_bytes()
22
                            .map(|key| Bytes::from(key.to_vec()))
22
                            .map_err(|err| {
                                Error::Database(view::Error::key_serialization(err).to_string())
22
                            })
22
                    })
11
                    .collect::<Result<Vec<_>, Error>>()?;

            
11
                Ok(QueryKey::Multiple(keys))
            }
        }
196781
    }
}

            
#[allow(clippy::use_self)] // clippy is wrong, Self is different because of generic parameters
impl<'a, T> QueryKey<T>
where
    T: AsRef<[u8]>,
{
    /// Deserializes the bytes into `K` via the [`Key`] trait.
    pub fn deserialized<K: for<'k> Key<'k>>(&self) -> Result<QueryKey<K>, Error> {
        match self {
            Self::Matches(key) => K::from_big_endian_bytes(key.as_ref())
                .map_err(|err| Error::Database(view::Error::key_serialization(err).to_string()))
                .map(QueryKey::Matches),
            Self::Range(range) => Ok(QueryKey::Range(range.deserialize().map_err(|err| {
                Error::Database(view::Error::key_serialization(err).to_string())
            })?)),
            Self::Multiple(keys) => {
                let keys = keys
                    .iter()
                    .map(|key| {
                        K::from_big_endian_bytes(key.as_ref()).map_err(|err| {
                            Error::Database(view::Error::key_serialization(err).to_string())
                        })
                    })
                    .collect::<Result<Vec<_>, Error>>()?;

            
                Ok(QueryKey::Multiple(keys))
            }
        }
    }
}

            
/// A range type that can represent all std range types and be serialized.
24
#[derive(Serialize, Deserialize, Debug, Copy, Clone, Eq, PartialEq)]
pub struct Range<T> {
    /// The start of the range.
    pub start: Bound<T>,
    /// The end of the range.
    pub end: Bound<T>,
}

            
/// A range bound that can be serialized.
48
#[derive(Serialize, Deserialize, Debug, Copy, Clone, Eq, PartialEq)]
pub enum Bound<T> {
    /// No bound.
    Unbounded,
    /// Bounded by the contained value (inclusive).
    Included(T),
    /// Bounded by the contained value (exclusive).
    Excluded(T),
}

            
impl<T> Range<T> {
    /// Maps each contained value with the function provided.
    pub fn map<U, F: Fn(T) -> U>(self, map: F) -> Range<U> {
        Range {
            start: self.start.map(&map),
            end: self.end.map(&map),
        }
    }

            
    /// Maps each contained value as a reference.
220
    pub fn map_ref<U: ?Sized, F: Fn(&T) -> &U>(&self, map: F) -> Range<&U> {
220
        Range {
220
            start: self.start.map_ref(&map),
220
            end: self.end.map_ref(&map),
220
        }
220
    }
}

            
impl<'a, T: Key<'a>> Range<T> {
    /// Serializes the range's contained values to big-endian bytes.
233
    pub fn as_big_endian_bytes(&'a self) -> Result<Range<Bytes>, T::Error> {
233
        Ok(Range {
233
            start: self.start.as_big_endian_bytes()?,
233
            end: self.end.as_big_endian_bytes()?,
        })
233
    }
}

            
impl<'a, B> Range<B>
where
    B: AsRef<[u8]>,
{
    /// Deserializes the range's contained values from big-endian bytes.
    pub fn deserialize<T: for<'k> Key<'k>>(&'a self) -> Result<Range<T>, <T as Key<'_>>::Error> {
        Ok(Range {
            start: self.start.deserialize()?,
            end: self.start.deserialize()?,
        })
    }
}

            
impl<T> Bound<T> {
    /// Maps the contained value, if any, and returns the resulting `Bound`.
    pub fn map<U, F: Fn(T) -> U>(self, map: F) -> Bound<U> {
        match self {
            Bound::Unbounded => Bound::Unbounded,
            Bound::Included(value) => Bound::Included(map(value)),
            Bound::Excluded(value) => Bound::Excluded(map(value)),
        }
    }

            
    /// Maps each contained value as a reference.
440
    pub fn map_ref<U: ?Sized, F: Fn(&T) -> &U>(&self, map: F) -> Bound<&U> {
440
        match self {
            Bound::Unbounded => Bound::Unbounded,
368
            Bound::Included(value) => Bound::Included(map(value)),
72
            Bound::Excluded(value) => Bound::Excluded(map(value)),
        }
440
    }
}

            
impl<'a, T: Key<'a>> Bound<T> {
    /// Serializes the contained value to big-endian bytes.
466
    pub fn as_big_endian_bytes(&'a self) -> Result<Bound<Bytes>, T::Error> {
466
        match self {
            Bound::Unbounded => Ok(Bound::Unbounded),
391
            Bound::Included(value) => Ok(Bound::Included(Bytes::from(
391
                value.as_big_endian_bytes()?.to_vec(),
            ))),
75
            Bound::Excluded(value) => Ok(Bound::Excluded(Bytes::from(
75
                value.as_big_endian_bytes()?.to_vec(),
            ))),
        }
466
    }
}

            
impl<'a, B> Bound<B>
where
    B: AsRef<[u8]>,
{
    /// Deserializes the bound's contained value from big-endian bytes.
    pub fn deserialize<T: for<'k> Key<'k>>(&'a self) -> Result<Bound<T>, <T as Key<'_>>::Error> {
        match self {
            Bound::Unbounded => Ok(Bound::Unbounded),
            Bound::Included(value) => {
                Ok(Bound::Included(T::from_big_endian_bytes(value.as_ref())?))
            }
            Bound::Excluded(value) => {
                Ok(Bound::Excluded(T::from_big_endian_bytes(value.as_ref())?))
            }
        }
    }
}

            
impl<T> std::ops::RangeBounds<T> for Range<T> {
220796
    fn start_bound(&self) -> std::ops::Bound<&T> {
220796
        std::ops::Bound::from(&self.start)
220796
    }

            
195368
    fn end_bound(&self) -> std::ops::Bound<&T> {
195368
        std::ops::Bound::from(&self.end)
195368
    }
}

            
impl<'a, T> From<&'a Bound<T>> for std::ops::Bound<&'a T> {
416164
    fn from(bound: &'a Bound<T>) -> Self {
416164
        match bound {
319182
            Bound::Unbounded => std::ops::Bound::Unbounded,
94986
            Bound::Included(value) => std::ops::Bound::Included(value),
1996
            Bound::Excluded(value) => std::ops::Bound::Excluded(value),
        }
416164
    }
}

            
impl<T> From<std::ops::Range<T>> for Range<T> {
8
    fn from(range: std::ops::Range<T>) -> Self {
8
        Self {
8
            start: Bound::Included(range.start),
8
            end: Bound::Excluded(range.end),
8
        }
8
    }
}

            
impl<T> From<std::ops::RangeFrom<T>> for Range<T> {
12912
    fn from(range: std::ops::RangeFrom<T>) -> Self {
12912
        Self {
12912
            start: Bound::Included(range.start),
12912
            end: Bound::Unbounded,
12912
        }
12912
    }
}

            
impl<T> From<std::ops::RangeTo<T>> for Range<T> {
    fn from(range: std::ops::RangeTo<T>) -> Self {
        Self {
            start: Bound::Unbounded,
            end: Bound::Excluded(range.end),
        }
    }
}

            
impl<T: Clone> From<std::ops::RangeInclusive<T>> for Range<T> {
20
    fn from(range: std::ops::RangeInclusive<T>) -> Self {
20
        Self {
20
            start: Bound::Included(range.start().clone()),
20
            end: Bound::Included(range.end().clone()),
20
        }
20
    }
}

            
impl<T> From<std::ops::RangeToInclusive<T>> for Range<T> {
    fn from(range: std::ops::RangeToInclusive<T>) -> Self {
        Self {
            start: Bound::Unbounded,
            end: Bound::Included(range.end),
        }
    }
}

            
impl<T> From<std::ops::RangeFull> for Range<T> {
12641
    fn from(_: std::ops::RangeFull) -> Self {
12641
        Self {
12641
            start: Bound::Unbounded,
12641
            end: Bound::Unbounded,
12641
        }
12641
    }
}

            
/// Changes how the view's outdated data will be treated.
24186
#[derive(Clone, Serialize, Deserialize, Debug)]
pub enum AccessPolicy {
    /// Update any changed documents before returning a response.
    UpdateBefore,

            
    /// Return the results, which may be out-of-date, and start an update job in
    /// the background. This pattern is useful when you want to ensure you
    /// provide consistent response times while ensuring the database is
    /// updating in the background.
    UpdateAfter,

            
    /// Returns the results, which may be out-of-date, and do not start any
    /// background jobs. This mode is useful if you're using a view as a cache
    /// and have a background process that is responsible for controlling when
    /// data is refreshed and updated. While the default `UpdateBefore`
    /// shouldn't have much overhead, this option removes all overhead related
    /// to view updating from the query.
    NoUpdate,
}

            
/// Functions for interacting with a multi-database BonsaiDb instance.
#[async_trait]
pub trait StorageConnection: Send + Sync {
    /// The type that represents a database for this implementation.
    type Database: Connection;

            
    /// Creates a database named `name` with the `Schema` provided.
    ///
    /// ## Errors
    ///
    /// * [`Error::InvalidDatabaseName`]: `name` must begin with an alphanumeric
    ///   character (`[a-zA-Z0-9]`), and all remaining characters must be
    ///   alphanumeric, a period (`.`), or a hyphen (`-`).
    /// * [`Error::DatabaseNameAlreadyTaken`]: `name` was already used for a
    ///   previous database name. Database names are case insensitive. Returned
    ///   if `only_if_needed` is false.
965
    async fn create_database<DB: Schema>(
965
        &self,
965
        name: &str,
965
        only_if_needed: bool,
965
    ) -> Result<(), crate::Error> {
2576
        self.create_database_with_schema(name, DB::schema_name(), only_if_needed)
2573
            .await
1930
    }

            
    /// Returns a reference to database `name` with schema `DB`.
    async fn database<DB: Schema>(&self, name: &str) -> Result<Self::Database, crate::Error>;

            
    /// Creates a database named `name` using the [`SchemaName`] `schema`.
    ///
    /// ## Errors
    ///
    /// * [`Error::InvalidDatabaseName`]: `name` must begin with an alphanumeric
    ///   character (`[a-zA-Z0-9]`), and all remaining characters must be
    ///   alphanumeric, a period (`.`), or a hyphen (`-`).
    /// * [`Error::DatabaseNameAlreadyTaken`]: `name` was already used for a
    ///   previous database name. Database names are case insensitive. Returned
    ///   if `only_if_needed` is false.
    async fn create_database_with_schema(
        &self,
        name: &str,
        schema: SchemaName,
        only_if_needed: bool,
    ) -> Result<(), crate::Error>;

            
    /// Deletes a database named `name`.
    ///
    /// ## Errors
    ///
    /// * [`Error::DatabaseNotFound`]: database `name` does not exist.
    /// * [`Error::Io`]: an error occurred while deleting files.
    async fn delete_database(&self, name: &str) -> Result<(), crate::Error>;

            
    /// Lists the databases in this storage.
    async fn list_databases(&self) -> Result<Vec<Database>, crate::Error>;

            
    /// Lists the [`SchemaName`]s registered with this storage.
    async fn list_available_schemas(&self) -> Result<Vec<SchemaName>, crate::Error>;

            
    /// Creates a user.
    #[cfg(feature = "multiuser")]
    async fn create_user(&self, username: &str) -> Result<u64, crate::Error>;

            
    /// Sets a user's password.
    #[cfg(feature = "password-hashing")]
    async fn set_user_password<'user, U: Into<NamedReference<'user>> + Send + Sync>(
        &self,
        user: U,
        password: SensitiveString,
    ) -> Result<(), crate::Error>;

            
    /// Authenticates as a user with a authentication method.
    #[cfg(all(feature = "multiuser", feature = "password-hashing"))]
    async fn authenticate<'user, U: Into<NamedReference<'user>> + Send + Sync>(
        &self,
        user: U,
        authentication: Authentication,
    ) -> Result<Authenticated, crate::Error>;

            
    /// Adds a user to a permission group.
    #[cfg(feature = "multiuser")]
    async fn add_permission_group_to_user<
        'user,
        'group,
        U: Into<NamedReference<'user>> + Send + Sync,
        G: Into<NamedReference<'group>> + Send + Sync,
    >(
        &self,
        user: U,
        permission_group: G,
    ) -> Result<(), crate::Error>;

            
    /// Removes a user from a permission group.
    #[cfg(feature = "multiuser")]
    async fn remove_permission_group_from_user<
        'user,
        'group,
        U: Into<NamedReference<'user>> + Send + Sync,
        G: Into<NamedReference<'group>> + Send + Sync,
    >(
        &self,
        user: U,
        permission_group: G,
    ) -> Result<(), crate::Error>;

            
    /// Adds a user to a permission group.
    #[cfg(feature = "multiuser")]
    async fn add_role_to_user<
        'user,
        'role,
        U: Into<NamedReference<'user>> + Send + Sync,
        R: Into<NamedReference<'role>> + Send + Sync,
    >(
        &self,
        user: U,
        role: R,
    ) -> Result<(), crate::Error>;

            
    /// Removes a user from a permission group.
    #[cfg(feature = "multiuser")]
    async fn remove_role_from_user<
        'user,
        'role,
        U: Into<NamedReference<'user>> + Send + Sync,
        R: Into<NamedReference<'role>> + Send + Sync,
    >(
        &self,
        user: U,
        role: R,
    ) -> Result<(), crate::Error>;
}

            
/// A database stored in BonsaiDb.
1288
#[derive(Debug, Clone, PartialEq, Deserialize, Serialize)]
pub struct Database {
    /// The name of the database.
    pub name: String,
    /// The schema defining the database.
    pub schema: SchemaName,
}

            
/// A plain-text password. This struct automatically overwrites the password
/// with zeroes when dropped.
#[cfg(feature = "multiuser")]
1900
#[derive(Clone, Serialize, Deserialize, Zeroize)]
#[zeroize(drop)]
#[serde(transparent)]
pub struct SensitiveString(pub String);

            
#[cfg(feature = "multiuser")]
impl std::fmt::Debug for SensitiveString {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        f.write_str("SensitiveString(...)")
    }
}

            
#[cfg(feature = "multiuser")]
impl Deref for SensitiveString {
    type Target = String;

            
250
    fn deref(&self) -> &Self::Target {
250
        &self.0
250
    }
}

            
/// User authentication methods.
10
#[derive(Clone, Debug, Serialize, Deserialize)]
pub enum Authentication {
    /// Authenticate using a password.
    #[cfg(feature = "password-hashing")]
    Password(crate::connection::SensitiveString),
}

            
/// Information about the authenticated session.
10
#[derive(Clone, Debug, Serialize, Deserialize)]
pub struct Authenticated {
    /// The user id logged in as.
    pub user_id: u64,
    /// The effective permissions granted.
    pub permissions: Permissions,
}

            
#[doc(hidden)]
#[macro_export]
macro_rules! __doctest_prelude {
    () => {
        use bonsaidb_core::{
            connection::{AccessPolicy, Connection},
            define_basic_unique_mapped_view,
            document::{CollectionDocument, Document, OwnedDocument},
            schema::{
                Collection, CollectionName, CollectionViewSchema, DefaultSerialization,
                DefaultViewSerialization, Name, NamedCollection, ReduceResult, Schema, SchemaName,
                Schematic, SerializedCollection, View, ViewMapResult, ViewMappedValue,
            },
            Error,
        };
        use serde::{Deserialize, Serialize};

            
        #[derive(Debug, Schema)]
        #[schema(name = "MySchema", collections = [MyCollection], core = $crate)]
        pub struct MySchema;

            
        #[derive(Debug, Serialize, Deserialize, Default, Collection)]
        #[collection(name = "MyCollection", views = [MyCollectionByName], core = $crate)]
        pub struct MyCollection {
            pub name: String,
            pub rank: u32,
            pub score: f32,
        }

            
        impl MyCollection {
            pub fn named(s: impl Into<String>) -> Self {
                Self::new(s, 0, 0.)
            }

            
            pub fn new(s: impl Into<String>, rank: u32, score: f32) -> Self {
                Self {
                    name: s.into(),
                    rank,
                    score,
                }
            }
        }

            
        impl NamedCollection for MyCollection {
            type ByNameView = MyCollectionByName;
        }

            
        #[derive(Debug, Clone, View)]
        #[view(collection = MyCollection, key = u32, value = f32, name = "scores-by-rank", core = $crate)]
        pub struct ScoresByRank;

            
        impl CollectionViewSchema for ScoresByRank {
            type View = Self;
            fn map(
                &self,
                document: CollectionDocument<<Self::View as View>::Collection>,
            ) -> ViewMapResult<Self::View> {
                Ok(document
                    .header
                    .emit_key_and_value(document.contents.rank, document.contents.score))
            }

            
            fn reduce(
                &self,
                mappings: &[ViewMappedValue<Self::View>],
                rereduce: bool,
            ) -> ReduceResult<Self::View> {
                if mappings.is_empty() {
                    Ok(0.)
                } else {
                    Ok(mappings.iter().map(|map| map.value).sum::<f32>() / mappings.len() as f32)
                }
            }
        }

            
        define_basic_unique_mapped_view!(
            MyCollectionByName,
            MyCollection,
            1,
            "by-name",
            String,
            (),
            |document: CollectionDocument<MyCollection>| {
                document.header.emit_key(document.contents.name.clone())
            },
        );
    };
}