1
#![allow(clippy::missing_panics_doc)]
2

            
3
use std::{
4
    fmt::{Debug, Display},
5
    io::ErrorKind,
6
    ops::Deref,
7
    path::{Path, PathBuf},
8
    time::{Duration, Instant},
9
};
10

            
11
use itertools::Itertools;
12
use serde::{Deserialize, Serialize};
13
use transmog_pot::Pot;
14

            
15
#[cfg(feature = "multiuser")]
16
use crate::admin::{PermissionGroup, Role, User};
17
use crate::{
18
    connection::{AccessPolicy, Connection, StorageConnection},
19
    document::{BorrowedDocument, CollectionDocument, Document, KeyId},
20
    keyvalue::KeyValue,
21
    limits::{LIST_TRANSACTIONS_DEFAULT_RESULT_COUNT, LIST_TRANSACTIONS_MAX_RESULTS},
22
    schema::{
23
        view::{
24
            map::{Mappings, ViewMappedValue},
25
            DefaultViewSerialization, ReduceResult, ViewSchema,
26
        },
27
        Collection, CollectionName, DefaultSerialization, MappedValue, Name, NamedCollection,
28
        Schema, SchemaName, Schematic, SerializedCollection, View, ViewMapResult,
29
    },
30
    Error, ENCRYPTION_ENABLED,
31
};
32

            
33
341966
#[derive(Serialize, Deserialize, Debug, PartialEq, Default, Clone)]
34
pub struct Basic {
35
    pub value: String,
36
    pub category: Option<String>,
37
    pub parent_id: Option<u64>,
38
    pub tags: Vec<String>,
39
}
40

            
41
impl Basic {
42
2094
    pub fn new(value: impl Into<String>) -> Self {
43
2094
        Self {
44
2094
            value: value.into(),
45
2094
            tags: Vec::default(),
46
2094
            category: None,
47
2094
            parent_id: None,
48
2094
        }
49
2094
    }
50

            
51
20
    pub fn with_category(mut self, category: impl Into<String>) -> Self {
52
20
        self.category = Some(category.into());
53
20
        self
54
20
    }
55

            
56
16
    pub fn with_tag(mut self, tag: impl Into<String>) -> Self {
57
16
        self.tags.push(tag.into());
58
16
        self
59
16
    }
60

            
61
    #[must_use]
62
483
    pub const fn with_parent_id(mut self, parent_id: u64) -> Self {
63
483
        self.parent_id = Some(parent_id);
64
483
        self
65
483
    }
66
}
67

            
68
impl Collection for Basic {
69
7898075
    fn collection_name() -> CollectionName {
70
7898075
        // This collection purposely uses names with characters that need
71
7898075
        // escaping, since it's used in backup/restore.
72
7898075
        CollectionName::new("khonsulabs_", "_basic")
73
7898075
    }
74

            
75
    fn define_views(schema: &mut Schematic) -> Result<(), Error> {
76
683147
        schema.define_view(BasicCount)?;
77
683147
        schema.define_view(BasicByParentId)?;
78
683147
        schema.define_view(BasicByTag)?;
79
683147
        schema.define_view(BasicByCategory)
80
683147
    }
81
}
82

            
83
impl DefaultSerialization for Basic {}
84

            
85
683147
#[derive(Debug, Clone)]
86
pub struct BasicCount;
87

            
88
impl View for BasicCount {
89
    type Collection = Basic;
90
    type Key = ();
91
    type Value = usize;
92

            
93
1047055
    fn name(&self) -> Name {
94
1047055
        Name::new("count")
95
1047055
    }
96
}
97

            
98
impl ViewSchema for BasicCount {
99
    type View = Self;
100

            
101
23
    fn map(&self, document: &BorrowedDocument<'_>) -> ViewMapResult<Self::View> {
102
23
        Ok(document.emit_key_and_value((), 1))
103
23
    }
104

            
105
23
    fn reduce(
106
23
        &self,
107
23
        mappings: &[ViewMappedValue<Self::View>],
108
23
        _rereduce: bool,
109
23
    ) -> ReduceResult<Self::View> {
110
23
        Ok(mappings.iter().map(|map| map.value).sum())
111
23
    }
112
}
113

            
114
impl DefaultViewSerialization for BasicCount {}
115

            
116
683147
#[derive(Debug, Clone)]
117
pub struct BasicByParentId;
118

            
119
impl View for BasicByParentId {
120
    type Collection = Basic;
121
    type Key = Option<u64>;
122
    type Value = usize;
123

            
124
1056023
    fn name(&self) -> Name {
125
1056023
        Name::new("by-parent-id")
126
1056023
    }
127
}
128

            
129
impl ViewSchema for BasicByParentId {
130
    type View = Self;
131

            
132
966
    fn version(&self) -> u64 {
133
966
        1
134
966
    }
135

            
136
943
    fn map(&self, document: &BorrowedDocument<'_>) -> ViewMapResult<Self::View> {
137
943
        let contents = document.contents::<Basic>()?;
138
943
        Ok(document.emit_key_and_value(contents.parent_id, 1))
139
943
    }
140

            
141
1311
    fn reduce(
142
1311
        &self,
143
1311
        mappings: &[ViewMappedValue<Self::View>],
144
1311
        _rereduce: bool,
145
1311
    ) -> ReduceResult<Self::View> {
146
1403
        Ok(mappings.iter().map(|map| map.value).sum())
147
1311
    }
148
}
149
impl DefaultViewSerialization for BasicByParentId {}
150

            
151
683147
#[derive(Debug, Clone)]
152
pub struct BasicByCategory;
153

            
154
impl View for BasicByCategory {
155
    type Collection = Basic;
156
    type Key = String;
157
    type Value = usize;
158

            
159
1047444
    fn name(&self) -> Name {
160
1047444
        Name::new("by-category")
161
1047444
    }
162
}
163

            
164
impl ViewSchema for BasicByCategory {
165
    type View = Self;
166

            
167
483
    fn map(&self, document: &BorrowedDocument<'_>) -> ViewMapResult<Self::View> {
168
483
        let contents = document.contents::<Basic>()?;
169
483
        if let Some(category) = &contents.category {
170
276
            Ok(document.emit_key_and_value(category.to_lowercase(), 1))
171
        } else {
172
207
            Ok(Mappings::none())
173
        }
174
483
    }
175

            
176
276
    fn reduce(
177
276
        &self,
178
276
        mappings: &[ViewMappedValue<Self::View>],
179
276
        _rereduce: bool,
180
276
    ) -> ReduceResult<Self::View> {
181
368
        Ok(mappings.iter().map(|map| map.value).sum())
182
276
    }
183
}
184

            
185
impl DefaultViewSerialization for BasicByCategory {}
186

            
187
683147
#[derive(Debug, Clone)]
188
pub struct BasicByTag;
189

            
190
impl View for BasicByTag {
191
    type Collection = Basic;
192
    type Key = String;
193
    type Value = usize;
194

            
195
1051216
    fn name(&self) -> Name {
196
1051216
        Name::new("by-tag")
197
1051216
    }
198
}
199

            
200
impl ViewSchema for BasicByTag {
201
    type View = Self;
202

            
203
391
    fn map(&self, document: &BorrowedDocument<'_>) -> ViewMapResult<Self::View> {
204
391
        let contents = document.contents::<Basic>()?;
205

            
206
391
        Ok(contents
207
391
            .tags
208
391
            .iter()
209
552
            .map(|tag| document.emit_key_and_value(tag.clone(), 1))
210
391
            .collect())
211
391
    }
212

            
213
736
    fn reduce(
214
736
        &self,
215
736
        mappings: &[ViewMappedValue<Self::View>],
216
736
        _rereduce: bool,
217
736
    ) -> ReduceResult<Self::View> {
218
920
        Ok(mappings.iter().map(|map| map.value).sum())
219
736
    }
220
}
221

            
222
impl DefaultViewSerialization for BasicByTag {}
223

            
224
46
#[derive(Debug, Clone)]
225
pub struct BasicByBrokenParentId;
226

            
227
impl View for BasicByBrokenParentId {
228
    type Collection = Basic;
229
    type Key = ();
230
    type Value = ();
231

            
232
161
    fn name(&self) -> Name {
233
161
        Name::new("by-parent-id")
234
161
    }
235
}
236

            
237
impl ViewSchema for BasicByBrokenParentId {
238
    type View = Self;
239

            
240
23
    fn map(&self, document: &BorrowedDocument<'_>) -> ViewMapResult<Self::View> {
241
23
        Ok(document.emit())
242
23
    }
243
}
244

            
245
impl DefaultViewSerialization for BasicByBrokenParentId {}
246

            
247
161
#[derive(Serialize, Deserialize, Debug, PartialEq, Default, Clone)]
248
pub struct EncryptedBasic {
249
    pub value: String,
250
    pub category: Option<String>,
251
    pub parent_id: Option<u64>,
252
}
253

            
254
impl EncryptedBasic {
255
1
    pub fn new(value: impl Into<String>) -> Self {
256
1
        Self {
257
1
            value: value.into(),
258
1
            category: None,
259
1
            parent_id: None,
260
1
        }
261
1
    }
262

            
263
    pub fn with_category(mut self, category: impl Into<String>) -> Self {
264
        self.category = Some(category.into());
265
        self
266
    }
267

            
268
    #[must_use]
269
    pub const fn with_parent_id(mut self, parent_id: u64) -> Self {
270
        self.parent_id = Some(parent_id);
271
        self
272
    }
273
}
274

            
275
impl Collection for EncryptedBasic {
276
682916
    fn encryption_key() -> Option<KeyId> {
277
682916
        if ENCRYPTION_ENABLED {
278
682916
            Some(KeyId::Master)
279
        } else {
280
            None
281
        }
282
682916
    }
283

            
284
4780895
    fn collection_name() -> CollectionName {
285
4780895
        CollectionName::new("khonsulabs", "encrypted-basic")
286
4780895
    }
287

            
288
    fn define_views(schema: &mut Schematic) -> Result<(), Error> {
289
682916
        schema.define_view(EncryptedBasicCount)?;
290
682916
        schema.define_view(EncryptedBasicByParentId)?;
291
682916
        schema.define_view(EncryptedBasicByCategory)
292
682916
    }
293
}
294

            
295
impl DefaultSerialization for EncryptedBasic {}
296

            
297
682916
#[derive(Debug, Clone)]
298
pub struct EncryptedBasicCount;
299

            
300
impl View for EncryptedBasicCount {
301
    type Collection = EncryptedBasic;
302
    type Key = ();
303
    type Value = usize;
304

            
305
683054
    fn name(&self) -> Name {
306
683054
        Name::new("count")
307
683054
    }
308
}
309

            
310
impl ViewSchema for EncryptedBasicCount {
311
    type View = Self;
312

            
313
    fn map(&self, document: &BorrowedDocument<'_>) -> ViewMapResult<Self::View> {
314
        Ok(document.emit_key_and_value((), 1))
315
    }
316

            
317
    fn reduce(
318
        &self,
319
        mappings: &[ViewMappedValue<Self::View>],
320
        _rereduce: bool,
321
    ) -> ReduceResult<Self::View> {
322
        Ok(mappings.iter().map(|map| map.value).sum())
323
    }
324
}
325

            
326
impl DefaultViewSerialization for EncryptedBasicCount {}
327

            
328
682916
#[derive(Debug, Clone)]
329
pub struct EncryptedBasicByParentId;
330

            
331
impl View for EncryptedBasicByParentId {
332
    type Collection = EncryptedBasic;
333
    type Key = Option<u64>;
334
    type Value = usize;
335

            
336
683054
    fn name(&self) -> Name {
337
683054
        Name::new("by-parent-id")
338
683054
    }
339
}
340

            
341
impl ViewSchema for EncryptedBasicByParentId {
342
    type View = Self;
343

            
344
    fn map(&self, document: &BorrowedDocument<'_>) -> ViewMapResult<Self::View> {
345
        let contents = document.contents::<EncryptedBasic>()?;
346
        Ok(document.emit_key_and_value(contents.parent_id, 1))
347
    }
348

            
349
    fn reduce(
350
        &self,
351
        mappings: &[ViewMappedValue<Self::View>],
352
        _rereduce: bool,
353
    ) -> ReduceResult<Self::View> {
354
        Ok(mappings.iter().map(|map| map.value).sum())
355
    }
356
}
357

            
358
impl DefaultViewSerialization for EncryptedBasicByParentId {}
359

            
360
682916
#[derive(Debug, Clone)]
361
pub struct EncryptedBasicByCategory;
362

            
363
impl View for EncryptedBasicByCategory {
364
    type Collection = EncryptedBasic;
365
    type Key = String;
366
    type Value = usize;
367

            
368
683054
    fn name(&self) -> Name {
369
683054
        Name::new("by-category")
370
683054
    }
371
}
372

            
373
impl ViewSchema for EncryptedBasicByCategory {
374
    type View = Self;
375

            
376
    fn map(&self, document: &BorrowedDocument<'_>) -> ViewMapResult<Self::View> {
377
        let contents = document.contents::<EncryptedBasic>()?;
378
        if let Some(category) = &contents.category {
379
            Ok(document.emit_key_and_value(category.to_lowercase(), 1))
380
        } else {
381
            Ok(Mappings::none())
382
        }
383
    }
384

            
385
    fn reduce(
386
        &self,
387
        mappings: &[ViewMappedValue<Self::View>],
388
        _rereduce: bool,
389
    ) -> ReduceResult<Self::View> {
390
        Ok(mappings.iter().map(|map| map.value).sum())
391
    }
392
}
393

            
394
impl DefaultViewSerialization for EncryptedBasicByCategory {}
395

            
396
#[derive(Debug)]
397
pub struct BasicSchema;
398

            
399
impl Schema for BasicSchema {
400
700764
    fn schema_name() -> SchemaName {
401
700764
        SchemaName::new("khonsulabs", "basic")
402
700764
    }
403

            
404
    fn define_collections(schema: &mut Schematic) -> Result<(), Error> {
405
682916
        schema.define_collection::<Basic>()?;
406
682916
        schema.define_collection::<EncryptedBasic>()?;
407
682916
        schema.define_collection::<Unique>()
408
682916
    }
409
}
410

            
411
3312
#[derive(Serialize, Deserialize, Debug, PartialEq, Default)]
412
pub struct Unique {
413
    pub value: String,
414
}
415

            
416
impl Unique {
417
20
    pub fn new(value: impl Display) -> Self {
418
20
        Self {
419
20
            value: value.to_string(),
420
20
        }
421
20
    }
422
}
423

            
424
impl Collection for Unique {
425
2057028
    fn collection_name() -> CollectionName {
426
2057028
        CollectionName::new("khonsulabs", "unique")
427
2057028
    }
428

            
429
682916
    fn define_views(schema: &mut Schematic) -> Result<(), Error> {
430
682916
        schema.define_view(UniqueValue)
431
682916
    }
432
}
433

            
434
impl DefaultSerialization for Unique {}
435

            
436
682916
#[derive(Debug, Clone)]
437
pub struct UniqueValue;
438

            
439
impl View for UniqueValue {
440
    type Collection = Unique;
441
    type Key = String;
442
    type Value = ();
443

            
444
687424
    fn name(&self) -> Name {
445
687424
        Name::new("unique-value")
446
687424
    }
447
}
448

            
449
impl ViewSchema for UniqueValue {
450
    type View = Self;
451

            
452
685584
    fn unique(&self) -> bool {
453
685584
        true
454
685584
    }
455

            
456
736
    fn map(&self, document: &BorrowedDocument<'_>) -> ViewMapResult<Self::View> {
457
736
        let entry = document.contents::<Unique>()?;
458
736
        Ok(document.emit_key(entry.value))
459
736
    }
460
}
461

            
462
impl DefaultViewSerialization for UniqueValue {}
463

            
464
impl NamedCollection for Unique {
465
    type ByNameView = UniqueValue;
466
}
467

            
468
pub struct TestDirectory(pub PathBuf);
469

            
470
impl TestDirectory {
471
84
    pub fn new<S: AsRef<Path>>(name: S) -> Self {
472
84
        let path = std::env::temp_dir().join(name);
473
84
        if path.exists() {
474
            std::fs::remove_dir_all(&path).expect("error clearing temporary directory");
475
84
        }
476
84
        Self(path)
477
84
    }
478
}
479

            
480
impl Drop for TestDirectory {
481
    fn drop(&mut self) {
482
1909
        if let Err(err) = std::fs::remove_dir_all(&self.0) {
483
            if err.kind() != ErrorKind::NotFound {
484
                eprintln!("Failed to clean up temporary folder: {:?}", err);
485
            }
486
1909
        }
487
1909
    }
488
}
489

            
490
impl AsRef<Path> for TestDirectory {
491
2047
    fn as_ref(&self) -> &Path {
492
2047
        &self.0
493
2047
    }
494
}
495

            
496
impl Deref for TestDirectory {
497
    type Target = PathBuf;
498

            
499
23
    fn deref(&self) -> &Self::Target {
500
23
        &self.0
501
23
    }
502
}
503

            
504
#[derive(Debug)]
505
pub struct BasicCollectionWithNoViews;
506

            
507
impl Collection for BasicCollectionWithNoViews {
508
184
    fn collection_name() -> CollectionName {
509
184
        Basic::collection_name()
510
184
    }
511

            
512
46
    fn define_views(_schema: &mut Schematic) -> Result<(), Error> {
513
46
        Ok(())
514
46
    }
515
}
516

            
517
impl SerializedCollection for BasicCollectionWithNoViews {
518
    type Contents = Basic;
519
    type Format = Pot;
520

            
521
23
    fn format() -> Self::Format {
522
23
        Pot::default()
523
23
    }
524
}
525

            
526
#[derive(Debug)]
527
pub struct BasicCollectionWithOnlyBrokenParentId;
528

            
529
impl Collection for BasicCollectionWithOnlyBrokenParentId {
530
161
    fn collection_name() -> CollectionName {
531
161
        Basic::collection_name()
532
161
    }
533

            
534
46
    fn define_views(schema: &mut Schematic) -> Result<(), Error> {
535
46
        schema.define_view(BasicByBrokenParentId)
536
46
    }
537
}
538

            
539
#[derive(Debug)]
540
pub struct UnassociatedCollection;
541

            
542
impl Collection for UnassociatedCollection {
543
184
    fn collection_name() -> CollectionName {
544
184
        CollectionName::new("khonsulabs", "unassociated")
545
184
    }
546

            
547
    fn define_views(_schema: &mut Schematic) -> Result<(), Error> {
548
        Ok(())
549
    }
550
}
551

            
552
2714
#[derive(Copy, Clone, Debug)]
553
pub enum HarnessTest {
554
    ServerConnectionTests = 1,
555
    StoreRetrieveUpdate,
556
    NotFound,
557
    Conflict,
558
    BadUpdate,
559
    NoUpdate,
560
    GetMultiple,
561
    List,
562
    ListTransactions,
563
    ViewQuery,
564
    UnassociatedCollection,
565
    Compact,
566
    ViewUpdate,
567
    ViewMultiEmit,
568
    ViewUnimplementedReduce,
569
    ViewAccessPolicies,
570
    Encryption,
571
    UniqueViews,
572
    NamedCollection,
573
    PubSubSimple,
574
    UserManagement,
575
    PubSubMultipleSubscribers,
576
    PubSubDropAndSend,
577
    PubSubUnsubscribe,
578
    PubSubDropCleanup,
579
    PubSubPublishAll,
580
    KvBasic,
581
    KvConcurrency,
582
    KvSet,
583
    KvIncrementDecrement,
584
    KvExpiration,
585
    KvDeleteExpire,
586
    KvTransactions,
587
}
588

            
589
impl HarnessTest {
590
    #[must_use]
591
    pub const fn port(self, base: u16) -> u16 {
592
        base + self as u16
593
    }
594
}
595

            
596
impl Display for HarnessTest {
597
2737
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
598
2737
        Debug::fmt(&self, f)
599
2737
    }
600
}
601

            
602
/// Compares two f64's accounting for the epsilon.
603
#[macro_export]
604
macro_rules! assert_f64_eq {
605
    ($a:expr, $b:expr) => {{
606
        let a: f64 = $a;
607
        let b: f64 = $b;
608
        assert!((a - b).abs() <= f64::EPSILON, "{:?} <> {:?}", a, b);
609
    }};
610
}
611

            
612
/// Creates a test suite that tests methods available on [`Connection`]
613
#[macro_export]
614
macro_rules! define_connection_test_suite {
615
    ($harness:ident) => {
616
        #[tokio::test]
617
4
        async fn server_connection_tests() -> anyhow::Result<()> {
618
            let harness =
619
                $harness::new($crate::test_util::HarnessTest::ServerConnectionTests).await?;
620
            let db = harness.server();
621
            $crate::test_util::basic_server_connection_tests(
622
                db.clone(),
623
                &format!("server-connection-tests-{}", $harness::server_name()),
624
            )
625
            .await?;
626
            harness.shutdown().await
627
        }
628

            
629
        #[tokio::test]
630
4
        async fn store_retrieve_update_delete() -> anyhow::Result<()> {
631
            let harness =
632
                $harness::new($crate::test_util::HarnessTest::StoreRetrieveUpdate).await?;
633
            let db = harness.connect().await?;
634
            $crate::test_util::store_retrieve_update_delete_tests(&db).await?;
635
            harness.shutdown().await
636
        }
637

            
638
        #[tokio::test]
639
4
        async fn not_found() -> anyhow::Result<()> {
640
            let harness = $harness::new($crate::test_util::HarnessTest::NotFound).await?;
641
            let db = harness.connect().await?;
642

            
643
            $crate::test_util::not_found_tests(&db).await?;
644
            harness.shutdown().await
645
        }
646

            
647
        #[tokio::test]
648
4
        async fn conflict() -> anyhow::Result<()> {
649
            let harness = $harness::new($crate::test_util::HarnessTest::Conflict).await?;
650
            let db = harness.connect().await?;
651

            
652
            $crate::test_util::conflict_tests(&db).await?;
653
            harness.shutdown().await
654
        }
655

            
656
        #[tokio::test]
657
4
        async fn bad_update() -> anyhow::Result<()> {
658
            let harness = $harness::new($crate::test_util::HarnessTest::BadUpdate).await?;
659
            let db = harness.connect().await?;
660

            
661
            $crate::test_util::bad_update_tests(&db).await?;
662
            harness.shutdown().await
663
        }
664

            
665
        #[tokio::test]
666
4
        async fn no_update() -> anyhow::Result<()> {
667
            let harness = $harness::new($crate::test_util::HarnessTest::NoUpdate).await?;
668
            let db = harness.connect().await?;
669

            
670
            $crate::test_util::no_update_tests(&db).await?;
671
            harness.shutdown().await
672
        }
673

            
674
        #[tokio::test]
675
4
        async fn get_multiple() -> anyhow::Result<()> {
676
            let harness = $harness::new($crate::test_util::HarnessTest::GetMultiple).await?;
677
            let db = harness.connect().await?;
678

            
679
            $crate::test_util::get_multiple_tests(&db).await?;
680
            harness.shutdown().await
681
        }
682

            
683
        #[tokio::test]
684
4
        async fn list() -> anyhow::Result<()> {
685
            let harness = $harness::new($crate::test_util::HarnessTest::List).await?;
686
            let db = harness.connect().await?;
687

            
688
            $crate::test_util::list_tests(&db).await?;
689
            harness.shutdown().await
690
        }
691

            
692
        #[tokio::test]
693
4
        async fn list_transactions() -> anyhow::Result<()> {
694
            let harness = $harness::new($crate::test_util::HarnessTest::ListTransactions).await?;
695
            let db = harness.connect().await?;
696

            
697
            $crate::test_util::list_transactions_tests(&db).await?;
698
            harness.shutdown().await
699
        }
700

            
701
        #[tokio::test]
702
4
        async fn view_query() -> anyhow::Result<()> {
703
            let harness = $harness::new($crate::test_util::HarnessTest::ViewQuery).await?;
704
            let db = harness.connect().await?;
705

            
706
            $crate::test_util::view_query_tests(&db).await?;
707
            harness.shutdown().await
708
        }
709

            
710
        #[tokio::test]
711
4
        async fn unassociated_collection() -> anyhow::Result<()> {
712
            let harness =
713
                $harness::new($crate::test_util::HarnessTest::UnassociatedCollection).await?;
714
            let db = harness.connect().await?;
715

            
716
            $crate::test_util::unassociated_collection_tests(&db).await?;
717
            harness.shutdown().await
718
        }
719

            
720
        #[tokio::test]
721
4
        async fn unimplemented_reduce() -> anyhow::Result<()> {
722
            let harness =
723
                $harness::new($crate::test_util::HarnessTest::ViewUnimplementedReduce).await?;
724
            let db = harness.connect().await?;
725

            
726
            $crate::test_util::unimplemented_reduce(&db).await?;
727
            harness.shutdown().await
728
        }
729

            
730
        #[tokio::test]
731
4
        async fn view_update() -> anyhow::Result<()> {
732
            let harness = $harness::new($crate::test_util::HarnessTest::ViewUpdate).await?;
733
            let db = harness.connect().await?;
734

            
735
            $crate::test_util::view_update_tests(&db).await?;
736
            harness.shutdown().await
737
        }
738

            
739
        #[tokio::test]
740
4
        async fn view_multi_emit() -> anyhow::Result<()> {
741
            let harness = $harness::new($crate::test_util::HarnessTest::ViewMultiEmit).await?;
742
            let db = harness.connect().await?;
743

            
744
            $crate::test_util::view_multi_emit_tests(&db).await?;
745
            harness.shutdown().await
746
        }
747

            
748
        #[tokio::test]
749
4
        async fn view_access_policies() -> anyhow::Result<()> {
750
            let harness = $harness::new($crate::test_util::HarnessTest::ViewAccessPolicies).await?;
751
            let db = harness.connect().await?;
752

            
753
            $crate::test_util::view_access_policy_tests(&db).await?;
754
            harness.shutdown().await
755
        }
756

            
757
        #[tokio::test]
758
4
        async fn unique_views() -> anyhow::Result<()> {
759
            let harness = $harness::new($crate::test_util::HarnessTest::UniqueViews).await?;
760
            let db = harness.connect().await?;
761

            
762
            $crate::test_util::unique_view_tests(&db).await?;
763
            harness.shutdown().await
764
        }
765

            
766
        #[tokio::test]
767
4
        async fn named_collection() -> anyhow::Result<()> {
768
            let harness = $harness::new($crate::test_util::HarnessTest::NamedCollection).await?;
769
            let db = harness.connect().await?;
770

            
771
            $crate::test_util::named_collection_tests(&db).await?;
772
            harness.shutdown().await
773
        }
774

            
775
        #[tokio::test]
776
        #[cfg(any(feature = "multiuser", feature = "local-multiuser", feature = "server"))]
777
3
        async fn user_management() -> anyhow::Result<()> {
778
            let harness = $harness::new($crate::test_util::HarnessTest::UserManagement).await?;
779
            let _db = harness.connect().await?;
780
            let server = harness.server();
781
            let admin = server
782
                .database::<$crate::admin::Admin>($crate::admin::ADMIN_DATABASE_NAME)
783
                .await?;
784

            
785
            $crate::test_util::user_management_tests(
786
                &admin,
787
                server.clone(),
788
                $harness::server_name(),
789
            )
790
            .await?;
791
            harness.shutdown().await
792
        }
793

            
794
        #[tokio::test]
795
4
        async fn compaction() -> anyhow::Result<()> {
796
            let harness = $harness::new($crate::test_util::HarnessTest::Compact).await?;
797
            let db = harness.connect().await?;
798

            
799
            $crate::test_util::compaction_tests(&db).await?;
800
            harness.shutdown().await
801
        }
802
    };
803
}
804

            
805
505
pub async fn store_retrieve_update_delete_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
806
505
    let original_value = Basic::new("initial_value");
807
505
    let collection = db.collection::<Basic>();
808
2046
    let header = collection.push(&original_value).await?;
809

            
810
505
    let mut doc = collection
811
1472
        .get(header.id)
812
1470
        .await?
813
505
        .expect("couldn't retrieve stored item");
814
505
    let mut value = doc.contents::<Basic>()?;
815
505
    assert_eq!(original_value, value);
816
505
    let old_revision = doc.header.revision.clone();
817
505

            
818
505
    // Update the value
819
505
    value.value = String::from("updated_value");
820
505
    doc.set_contents(&value)?;
821
1727
    db.update::<Basic, _>(&mut doc).await?;
822

            
823
    // update should cause the revision to be changed
824
505
    assert_ne!(doc.header.revision, old_revision);
825

            
826
    // Check the value in the database to ensure it has the new document
827
505
    let doc = collection
828
1503
        .get(header.id)
829
1502
        .await?
830
505
        .expect("couldn't retrieve stored item");
831
505
    assert_eq!(doc.contents::<Basic>()?, value);
832

            
833
    // These operations should have created two transactions with one change each
834
1532
    let transactions = db.list_executed_transactions(None, None).await?;
835
505
    assert_eq!(transactions.len(), 2);
836
505
    assert!(transactions[0].id < transactions[1].id);
837
1515
    for transaction in &transactions {
838
1010
        let changed_documents = transaction
839
1010
            .changes
840
1010
            .documents()
841
1010
            .expect("incorrect transaction type");
842
1010
        assert_eq!(changed_documents.len(), 1);
843
1010
        assert_eq!(changed_documents[0].collection, Basic::collection_name());
844
1010
        assert_eq!(changed_documents[0].id, header.id);
845
1010
        assert!(!changed_documents[0].deleted);
846
    }
847

            
848
1671
    db.collection::<Basic>().delete(&doc).await?;
849
1527
    assert!(collection.get(header.id).await?.is_none());
850
505
    let transactions = db
851
1483
        .list_executed_transactions(Some(transactions.last().as_ref().unwrap().id + 1), None)
852
1483
        .await?;
853
505
    assert_eq!(transactions.len(), 1);
854
505
    let transaction = transactions.first().unwrap();
855
505
    let changed_documents = transaction
856
505
        .changes
857
505
        .documents()
858
505
        .expect("incorrect transaction type");
859
505
    assert_eq!(changed_documents.len(), 1);
860
505
    assert_eq!(changed_documents[0].collection, Basic::collection_name());
861
505
    assert_eq!(changed_documents[0].id, header.id);
862
505
    assert!(changed_documents[0].deleted);
863

            
864
    // Use the Collection interface
865
1701
    let mut doc = original_value.clone().push_into(db).await?;
866
505
    doc.contents.category = Some(String::from("updated"));
867
1659
    doc.update(db).await?;
868
1552
    let reloaded = Basic::get(doc.header.id, db).await?.unwrap();
869
505
    assert_eq!(doc.contents, reloaded.contents);
870

            
871
    // Test Connection::insert with a specified id
872
505
    let doc = BorrowedDocument::with_contents(42, &Basic::new("42"))?;
873
505
    let document_42 = db
874
1676
        .insert::<Basic, _>(Some(doc.id), doc.contents.into_vec())
875
1676
        .await?;
876
505
    assert_eq!(document_42.id, 42);
877
1669
    let document_43 = Basic::new("43").insert_into(43, db).await?;
878
505
    assert_eq!(document_43.id, 43);
879

            
880
    // Test that inserting a document with the same ID results in a conflict:
881
505
    let conflict_err = Basic::new("43")
882
1556
        .insert_into(doc.header.id, db)
883
1556
        .await
884
505
        .unwrap_err();
885
505
    assert!(matches!(conflict_err.error, Error::DocumentConflict(..)));
886

            
887
505
    Ok(())
888
505
}
889

            
890
4
pub async fn not_found_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
891
4
    assert!(db.collection::<Basic>().get(1).await?.is_none());
892

            
893
4
    assert!(db.last_transaction_id().await?.is_none());
894

            
895
4
    Ok(())
896
4
}
897

            
898
4
pub async fn conflict_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
899
4
    let original_value = Basic::new("initial_value");
900
4
    let collection = db.collection::<Basic>();
901
4
    let header = collection.push(&original_value).await?;
902

            
903
4
    let mut doc = collection
904
4
        .get(header.id)
905
4
        .await?
906
4
        .expect("couldn't retrieve stored item");
907
4
    let mut value = doc.contents::<Basic>()?;
908
4
    value.value = String::from("updated_value");
909
4
    doc.set_contents(&value)?;
910
4
    db.update::<Basic, _>(&mut doc).await?;
911

            
912
    // To generate a conflict, let's try to do the same update again by
913
    // reverting the header
914
4
    doc.header = header;
915
4
    match db
916
4
        .update::<Basic, _>(&mut doc)
917
4
        .await
918
4
        .expect_err("conflict should have generated an error")
919
    {
920
4
        Error::DocumentConflict(collection, id) => {
921
4
            assert_eq!(collection, Basic::collection_name());
922
4
            assert_eq!(id, doc.header.id);
923
        }
924
        other => return Err(anyhow::Error::from(other)),
925
    }
926

            
927
    // Now, let's use the CollectionDocument API to modify the document through a refetch.
928
4
    let mut doc = CollectionDocument::<Basic>::try_from(&doc)?;
929
8
    doc.modify(db, |doc| {
930
8
        doc.contents.value = String::from("modify worked");
931
12
    })
932
12
    .await?;
933
4
    assert_eq!(doc.contents.value, "modify worked");
934
4
    let doc = Basic::get(doc.id, db).await?.unwrap();
935
4
    assert_eq!(doc.contents.value, "modify worked");
936

            
937
4
    Ok(())
938
4
}
939

            
940
4
pub async fn bad_update_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
941
4
    let mut doc = BorrowedDocument::with_contents(1, &Basic::default())?;
942
4
    match db.update::<Basic, _>(&mut doc).await {
943
4
        Err(Error::DocumentNotFound(collection, id)) => {
944
4
            assert_eq!(collection, Basic::collection_name());
945
4
            assert_eq!(id, 1);
946
4
            Ok(())
947
        }
948
        other => panic!("expected DocumentNotFound from update but got: {:?}", other),
949
    }
950
4
}
951

            
952
4
pub async fn no_update_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
953
4
    let original_value = Basic::new("initial_value");
954
4
    let collection = db.collection::<Basic>();
955
4
    let header = collection.push(&original_value).await?;
956

            
957
4
    let mut doc = collection
958
4
        .get(header.id)
959
3
        .await?
960
4
        .expect("couldn't retrieve stored item");
961
4
    db.update::<Basic, _>(&mut doc).await?;
962

            
963
4
    assert_eq!(doc.header, header);
964

            
965
4
    Ok(())
966
4
}
967

            
968
4
pub async fn get_multiple_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
969
4
    let collection = db.collection::<Basic>();
970
4
    let doc1_value = Basic::new("initial_value");
971
4
    let doc1 = collection.push(&doc1_value).await?;
972

            
973
4
    let doc2_value = Basic::new("second_value");
974
4
    let doc2 = collection.push(&doc2_value).await?;
975

            
976
4
    let both_docs = Basic::get_multiple(&[doc1.id, doc2.id], db).await?;
977
4
    assert_eq!(both_docs.len(), 2);
978

            
979
4
    let out_of_order = Basic::get_multiple(&[doc2.id, doc1.id], db).await?;
980
4
    assert_eq!(out_of_order.len(), 2);
981

            
982
    // The order of get_multiple isn't guaranteed, so these two checks are done
983
    // with iterators instead of direct indexing
984
4
    let doc1 = both_docs
985
4
        .iter()
986
4
        .find(|doc| doc.header.id == doc1.id)
987
4
        .expect("Couldn't find doc1");
988
4
    assert_eq!(doc1.contents.value, doc1_value.value);
989
4
    let doc2 = both_docs
990
4
        .iter()
991
8
        .find(|doc| doc.header.id == doc2.id)
992
4
        .expect("Couldn't find doc2");
993
4
    assert_eq!(doc2.contents.value, doc2_value.value);
994

            
995
4
    Ok(())
996
4
}
997

            
998
4
pub async fn list_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
999
4
    let collection = db.collection::<Basic>();
4
    let doc1_value = Basic::new("initial_value");
4
    let doc1 = collection.push(&doc1_value).await?;

            
4
    let doc2_value = Basic::new("second_value");
4
    let doc2 = collection.push(&doc2_value).await?;

            
4
    let both_docs = Basic::list(doc1.id..=doc2.id, db).await?;
4
    assert_eq!(both_docs.len(), 2);

            
4
    assert_eq!(both_docs[0].contents.value, doc1_value.value);
4
    assert_eq!(both_docs[1].contents.value, doc2_value.value);

            
4
    let one_doc = Basic::list(doc1.id..doc2.id, db).await?;
4
    assert_eq!(one_doc.len(), 1);

            
4
    let limited = Basic::list(doc1.id..=doc2.id, db)
4
        .limit(1)
4
        .descending()
4
        .await?;
4
    assert_eq!(limited.len(), 1);
4
    assert_eq!(limited[0].contents.value, doc2_value.value);

            
4
    Ok(())
4
}

            
4
pub async fn list_transactions_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
4
    let collection = db.collection::<Basic>();
4

            
4
    // create LIST_TRANSACTIONS_MAX_RESULTS + 1 items, giving us just enough
4
    // transactions to test the edge cases of `list_transactions`
4
    futures::future::join_all(
4
        (0..=(LIST_TRANSACTIONS_MAX_RESULTS))
4004
            .map(|_| async { collection.push(&Basic::default()).await.unwrap() }),
3285
    )
3285
    .await;

            
    // Test defaults
4
    let transactions = db.list_executed_transactions(None, None).await?;
4
    assert_eq!(transactions.len(), LIST_TRANSACTIONS_DEFAULT_RESULT_COUNT);

            
    // Test max results limit
4
    let transactions = db
4
        .list_executed_transactions(None, Some(LIST_TRANSACTIONS_MAX_RESULTS + 1))
4
        .await?;
4
    assert_eq!(transactions.len(), LIST_TRANSACTIONS_MAX_RESULTS);

            
    // Test requesting 0 items
4
    let transactions = db.list_executed_transactions(None, Some(0)).await?;
4
    assert!(transactions.is_empty());

            
    // Test doing a loop fetching until we get no more results
4
    let mut transactions = Vec::new();
4
    let mut starting_id = None;
    loop {
48
        let chunk = db
48
            .list_executed_transactions(starting_id, Some(100))
48
            .await?;
48
        if chunk.is_empty() {
4
            break;
44
        }
44

            
44
        let max_id = chunk.last().map(|tx| tx.id).unwrap();
44
        starting_id = Some(max_id + 1);
44
        transactions.extend(chunk);
    }

            
4
    assert_eq!(transactions.len(), LIST_TRANSACTIONS_MAX_RESULTS + 1);

            
4
    Ok(())
4
}

            
4
pub async fn view_query_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
4
    let collection = db.collection::<Basic>();
4
    let a = collection.push(&Basic::new("A")).await?;
4
    let b = collection.push(&Basic::new("B")).await?;
4
    let a_child = collection
4
        .push(
4
            &Basic::new("A.1")
4
                .with_parent_id(a.id)
4
                .with_category("Alpha"),
4
        )
3
        .await?;
4
    collection
4
        .push(&Basic::new("B.1").with_parent_id(b.id).with_category("Beta"))
4
        .await?;
4
    collection
4
        .push(&Basic::new("B.2").with_parent_id(b.id).with_category("beta"))
4
        .await?;

            
4
    let a_children = db
4
        .view::<BasicByParentId>()
4
        .with_key(Some(a.id))
6
        .query()
6
        .await?;
4
    assert_eq!(a_children.len(), 1);

            
4
    let a_children = db
4
        .view::<BasicByParentId>()
4
        .with_key(Some(a.id))
5
        .query_with_collection_docs()
5
        .await?;
4
    assert_eq!(a_children.len(), 1);
4
    assert_eq!(a_children.get(0).unwrap().document.header, a_child);

            
4
    let b_children = db
4
        .view::<BasicByParentId>()
4
        .with_key(Some(b.id))
4
        .query()
2
        .await?;
4
    assert_eq!(b_children.len(), 2);

            
4
    let a_and_b_children = db
4
        .view::<BasicByParentId>()
4
        .with_keys([Some(a.id), Some(b.id)])
4
        .query()
2
        .await?;
4
    assert_eq!(a_and_b_children.len(), 3);

            
    // Test out of order keys
4
    let a_and_b_children = db
4
        .view::<BasicByParentId>()
4
        .with_keys([Some(b.id), Some(a.id)])
4
        .query()
2
        .await?;
4
    assert_eq!(a_and_b_children.len(), 3);

            
4
    let has_parent = db
4
        .view::<BasicByParentId>()
4
        .with_key_range(Some(0)..=Some(u64::MAX))
4
        .query()
2
        .await?;
4
    assert_eq!(has_parent.len(), 3);
    // Verify the result is sorted ascending
4
    assert!(has_parent
4
        .windows(2)
8
        .all(|window| window[0].key <= window[1].key));

            
    // Test limiting and descending order
4
    let last_with_parent = db
4
        .view::<BasicByParentId>()
4
        .with_key_range(Some(0)..=Some(u64::MAX))
4
        .descending()
4
        .limit(1)
4
        .query()
2
        .await?;
8
    assert_eq!(last_with_parent.iter().map(|m| m.key).unique().count(), 1);
4
    assert_eq!(last_with_parent[0].key, has_parent[2].key);

            
6
    let items_with_categories = db.view::<BasicByCategory>().query().await?;
4
    assert_eq!(items_with_categories.len(), 3);

            
    // Test deleting
4
    let deleted_count = db
4
        .view::<BasicByParentId>()
4
        .with_key(Some(b.id))
6
        .delete_docs()
6
        .await?;
4
    assert_eq!(b_children.len() as u64, deleted_count);
    assert_eq!(
4
        db.view::<BasicByParentId>()
4
            .with_key(Some(b.id))
4
            .query()
4
            .await?
4
            .len(),
        0
    );

            
4
    Ok(())
4
}

            
4
pub async fn unassociated_collection_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
4
    let result = db
4
        .insert::<UnassociatedCollection, _>(None, Vec::new())
4
        .await;
4
    match result {
4
        Err(Error::CollectionNotFound) => {}
        other => unreachable!("unexpected result: {:?}", other),
    }

            
4
    Ok(())
4
}

            
4
pub async fn unimplemented_reduce<C: Connection>(db: &C) -> anyhow::Result<()> {
4
    assert!(matches!(
4
        db.view::<UniqueValue>().reduce().await,
        Err(Error::ReduceUnimplemented)
    ));
4
    Ok(())
4
}

            
4
pub async fn view_update_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
4
    let collection = db.collection::<Basic>();
4
    let a = collection.push(&Basic::new("A")).await?;

            
4
    let a_children = db
4
        .view::<BasicByParentId>()
4
        .with_key(Some(a.id))
6
        .query()
6
        .await?;
4
    assert_eq!(a_children.len(), 0);
    // The reduce function of `BasicByParentId` acts as a "count" of records.
    assert_eq!(
4
        db.view::<BasicByParentId>()
4
            .with_key(Some(a.id))
4
            .reduce()
4
            .await?,
        0
    );

            
    // Test inserting a new record and the view being made available
4
    let a_child = collection
4
        .push(
4
            &Basic::new("A.1")
4
                .with_parent_id(a.id)
4
                .with_category("Alpha"),
4
        )
4
        .await?;

            
4
    let a_children = db
4
        .view::<BasicByParentId>()
4
        .with_key(Some(a.id))
4
        .query()
4
        .await?;
4
    assert_eq!(a_children.len(), 1);
    assert_eq!(
4
        db.view::<BasicByParentId>()
4
            .with_key(Some(a.id))
4
            .reduce()
4
            .await?,
        1
    );

            
    // Verify reduce_grouped matches our expectations.
    assert_eq!(
4
        db.view::<BasicByParentId>().reduce_grouped().await?,
4
        vec![MappedValue::new(None, 1,), MappedValue::new(Some(a.id), 1,),]
    );

            
    // Test updating the record and the view being updated appropriately
4
    let mut doc = db.collection::<Basic>().get(a_child.id).await?.unwrap();
4
    let mut basic = doc.contents::<Basic>()?;
4
    basic.parent_id = None;
4
    doc.set_contents(&basic)?;
4
    db.update::<Basic, _>(&mut doc).await?;

            
4
    let a_children = db
4
        .view::<BasicByParentId>()
4
        .with_key(Some(a.id))
4
        .query()
4
        .await?;
4
    assert_eq!(a_children.len(), 0);
    assert_eq!(
4
        db.view::<BasicByParentId>()
4
            .with_key(Some(a.id))
4
            .reduce()
4
            .await?,
        0
    );
4
    assert_eq!(db.view::<BasicByParentId>().reduce().await?, 2);

            
    // Test deleting a record and ensuring it goes away
4
    db.collection::<Basic>().delete(&doc).await?;

            
4
    let all_entries = db.view::<BasicByParentId>().query().await?;
4
    assert_eq!(all_entries.len(), 1);

            
    // Verify reduce_grouped matches our expectations.
    assert_eq!(
4
        db.view::<BasicByParentId>().reduce_grouped().await?,
4
        vec![MappedValue::new(None, 1,),]
    );

            
4
    Ok(())
4
}

            
4
pub async fn view_multi_emit_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
4
    let mut a = Basic::new("A")
4
        .with_tag("red")
4
        .with_tag("green")
4
        .push_into(db)
4
        .await?;
4
    let mut b = Basic::new("B")
4
        .with_tag("blue")
4
        .with_tag("green")
4
        .push_into(db)
4
        .await?;

            
6
    assert_eq!(db.view::<BasicByTag>().query().await?.len(), 4);

            
    assert_eq!(
4
        db.view::<BasicByTag>()
4
            .with_key(String::from("green"))
4
            .query()
4
            .await?
4
            .len(),
        2
    );

            
    assert_eq!(
4
        db.view::<BasicByTag>()
4
            .with_key(String::from("red"))
4
            .query()
2
            .await?
4
            .len(),
        1
    );

            
    assert_eq!(
4
        db.view::<BasicByTag>()
4
            .with_key(String::from("blue"))
4
            .query()
2
            .await?
4
            .len(),
        1
    );

            
    // Change tags
4
    a.contents.tags = vec![String::from("red"), String::from("blue")];
4
    a.update(db).await?;

            
    assert_eq!(
4
        db.view::<BasicByTag>()
4
            .with_key(String::from("green"))
4
            .query()
4
            .await?
4
            .len(),
        1
    );

            
    assert_eq!(
4
        db.view::<BasicByTag>()
4
            .with_key(String::from("red"))
4
            .query()
4
            .await?
4
            .len(),
        1
    );

            
    assert_eq!(
4
        db.view::<BasicByTag>()
4
            .with_key(String::from("blue"))
4
            .query()
2
            .await?
4
            .len(),
        2
    );
4
    b.contents.tags.clear();
4
    b.update(db).await?;

            
    assert_eq!(
4
        db.view::<BasicByTag>()
4
            .with_key(String::from("green"))
4
            .query()
4
            .await?
4
            .len(),
        0
    );

            
    assert_eq!(
4
        db.view::<BasicByTag>()
4
            .with_key(String::from("red"))
4
            .query()
4
            .await?
4
            .len(),
        1
    );

            
    assert_eq!(
4
        db.view::<BasicByTag>()
4
            .with_key(String::from("blue"))
4
            .query()
2
            .await?
4
            .len(),
        1
    );

            
4
    Ok(())
4
}

            
4
pub async fn view_access_policy_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
4
    let collection = db.collection::<Basic>();
4
    let a = collection.push(&Basic::new("A")).await?;

            
    // Test inserting a record that should match the view, but ask for it to be
    // NoUpdate. Verify we get no matches.
4
    collection
4
        .push(
4
            &Basic::new("A.1")
4
                .with_parent_id(a.id)
4
                .with_category("Alpha"),
4
        )
4
        .await?;

            
4
    let a_children = db
4
        .view::<BasicByParentId>()
4
        .with_key(Some(a.id))
4
        .with_access_policy(AccessPolicy::NoUpdate)
4
        .query()
2
        .await?;
4
    assert_eq!(a_children.len(), 0);

            
4
    tokio::time::sleep(Duration::from_millis(20)).await;

            
    // Verify the view still have no value, but this time ask for it to be
    // updated after returning
4
    let a_children = db
4
        .view::<BasicByParentId>()
4
        .with_key(Some(a.id))
4
        .with_access_policy(AccessPolicy::UpdateAfter)
4
        .query()
2
        .await?;
4
    assert_eq!(a_children.len(), 0);

            
    // Waiting on background jobs can be unreliable in a CI environment
4
    for _ in 0..10_u8 {
4
        tokio::time::sleep(Duration::from_millis(20)).await;

            
        // Now, the view should contain the entry.
4
        let a_children = db
4
            .view::<BasicByParentId>()
4
            .with_key(Some(a.id))
4
            .with_access_policy(AccessPolicy::NoUpdate)
4
            .query()
2
            .await?;
4
        if a_children.len() == 1 {
4
            return Ok(());
        }
    }
    panic!("view never updated")
4
}

            
4
pub async fn unique_view_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
6
    let first_doc = db.collection::<Unique>().push(&Unique::new("1")).await?;

            
    if let Err(Error::UniqueKeyViolation {
4
        view,
4
        existing_document,
4
        conflicting_document,
4
    }) = db.collection::<Unique>().push(&Unique::new("1")).await
    {
4
        assert_eq!(view, UniqueValue.view_name());
4
        assert_eq!(existing_document.id, first_doc.id);
        // We can't predict the conflicting document id since it's generated
        // inside of the transaction, but we can assert that it's different than
        // the document that was previously stored.
4
        assert_ne!(conflicting_document, existing_document);
    } else {
        unreachable!("unique key violation not triggered");
    }

            
4
    let second_doc = db.collection::<Unique>().push(&Unique::new("2")).await?;
4
    let mut second_doc = db.collection::<Unique>().get(second_doc.id).await?.unwrap();
4
    let mut contents = second_doc.contents::<Unique>()?;
4
    contents.value = String::from("1");
4
    second_doc.set_contents(&contents)?;
    if let Err(Error::UniqueKeyViolation {
4
        view,
4
        existing_document,
4
        conflicting_document,
4
    }) = db.update::<Unique, _>(&mut second_doc).await
    {
4
        assert_eq!(view, UniqueValue.view_name());
4
        assert_eq!(existing_document.id, first_doc.id);
4
        assert_eq!(conflicting_document.id, second_doc.header.id);
    } else {
        unreachable!("unique key violation not triggered");
    }

            
4
    Ok(())
4
}

            
4
pub async fn named_collection_tests<C: Connection>(db: &C) -> anyhow::Result<()> {
6
    Unique::new("0").push_into(db).await?;
4
    let original_entry = Unique::entry("1", db)
4
        .update_with(|_existing: &mut Unique| unreachable!())
10
        .or_insert_with(|| Unique::new("1"))
10
        .await?
4
        .expect("Document not inserted");

            
4
    let updated = Unique::entry("1", db)
4
        .update_with(|existing: &mut Unique| {
4
            existing.value = String::from("2");
4
        })
10
        .or_insert_with(|| unreachable!())
10
        .await?
4
        .unwrap();
4
    assert_eq!(original_entry.id, updated.id);
4
    assert_ne!(original_entry.contents.value, updated.contents.value);

            
5
    let retrieved = Unique::entry("2", db).await?.unwrap();
4
    assert_eq!(retrieved.contents.value, updated.contents.value);

            
4
    let conflict = Unique::entry("2", db)
4
        .update_with(|existing: &mut Unique| {
4
            existing.value = String::from("0");
6
        })
6
        .await;
4
    assert!(matches!(conflict, Err(Error::UniqueKeyViolation { .. })));

            
4
    Ok(())
4
}

            
4
pub async fn compaction_tests<C: Connection + KeyValue>(db: &C) -> anyhow::Result<()> {
4
    let original_value = Basic::new("initial_value");
4
    let collection = db.collection::<Basic>();
4
    collection.push(&original_value).await?;

            
    // Test a collection compaction
4
    db.compact_collection::<Basic>().await?;

            
    // Test the key value store compaction
4
    db.set_key("foo", &1_u32).await?;
4
    db.compact_key_value_store().await?;

            
    // Compact everything... again...
4
    db.compact().await?;

            
4
    Ok(())
4
}

            
#[cfg(feature = "multiuser")]
3
pub async fn user_management_tests<C: Connection, S: StorageConnection>(
3
    admin: &C,
3
    server: S,
3
    server_name: &str,
3
) -> anyhow::Result<()> {
3
    let username = format!("user-management-tests-{}", server_name);
4
    let user_id = server.create_user(&username).await?;
    // Test the default created user state.
    {
3
        let user = User::get(user_id, admin)
3
            .await
3
            .unwrap()
3
            .expect("user not found");
3
        assert_eq!(user.contents.username, username);
3
        assert!(user.contents.groups.is_empty());
3
        assert!(user.contents.roles.is_empty());
    }

            
3
    let role = Role::named(format!("role-{}", server_name))
4
        .push_into(admin)
4
        .await?;
3
    let group = PermissionGroup::named(format!("group-{}", server_name))
4
        .push_into(admin)
4
        .await?;

            
    // Add the role and group.
4
    server.add_permission_group_to_user(user_id, &group).await?;
4
    server.add_role_to_user(user_id, &role).await?;

            
    // Test the results
    {
3
        let user = User::get(user_id, admin)
3
            .await
3
            .unwrap()
3
            .expect("user not found");
3
        assert_eq!(user.contents.groups, vec![group.header.id]);
3
        assert_eq!(user.contents.roles, vec![role.header.id]);
    }

            
    // Add the same things again (should not do anything). With names this time.
3
    server
4
        .add_permission_group_to_user(&username, &group)
4
        .await?;
3
    server.add_role_to_user(&username, &role).await?;
    {
        // TODO this is what's failing.
3
        let user = User::load(&username, admin)
3
            .await
3
            .unwrap()
3
            .expect("user not found");
3
        assert_eq!(user.contents.groups, vec![group.header.id]);
3
        assert_eq!(user.contents.roles, vec![role.header.id]);
    }

            
    // Remove the group.
3
    server
4
        .remove_permission_group_from_user(user_id, &group)
4
        .await?;
4
    server.remove_role_from_user(user_id, &role).await?;
    {
3
        let user = User::get(user_id, admin)
3
            .await
3
            .unwrap()
3
            .expect("user not found");
3
        assert!(user.contents.groups.is_empty());
3
        assert!(user.contents.roles.is_empty());
    }

            
    // Removing again shouldn't cause an error.
3
    server
3
        .remove_permission_group_from_user(user_id, &group)
3
        .await?;
3
    server.remove_role_from_user(user_id, &role).await?;

            
3
    Ok(())
3
}

            
/// Defines the `KeyValue` test suite
#[macro_export]
macro_rules! define_kv_test_suite {
    ($harness:ident) => {
        #[tokio::test]
4
        async fn basic_kv_test() -> anyhow::Result<()> {
            use $crate::keyvalue::{KeyStatus, KeyValue};
            let harness = $harness::new($crate::test_util::HarnessTest::KvBasic).await?;
            let db = harness.connect().await?;
            assert_eq!(
                db.set_key("akey", &String::from("avalue")).await?,
                KeyStatus::Inserted
            );
            assert_eq!(
                db.get_key("akey").into().await?,
                Some(String::from("avalue"))
            );
            assert_eq!(
                db.set_key("akey", &String::from("new_value"))
                    .returning_previous_as()
                    .await?,
                Some(String::from("avalue"))
            );
            assert_eq!(
                db.get_key("akey").into().await?,
                Some(String::from("new_value"))
            );
            assert_eq!(
                db.get_key("akey").and_delete().into().await?,
                Some(String::from("new_value"))
            );
            assert_eq!(db.get_key("akey").await?, None);
            assert_eq!(
                db.set_key("akey", &String::from("new_value"))
                    .returning_previous()
                    .await?,
                None
            );
            assert_eq!(db.delete_key("akey").await?, KeyStatus::Deleted);
            assert_eq!(db.delete_key("akey").await?, KeyStatus::NotChanged);

            
            harness.shutdown().await?;

            
            Ok(())
        }

            
        #[tokio::test]
4
        async fn kv_concurrency() -> anyhow::Result<()> {
            use $crate::keyvalue::{KeyStatus, KeyValue};
            const WRITERS: usize = 100;
            const INCREMENTS: usize = 100;
            let harness = $harness::new($crate::test_util::HarnessTest::KvConcurrency).await?;
            let db = harness.connect().await?;

            
            let handles = (0..WRITERS).map(|_| {
                let db = db.clone();
                tokio::task::spawn(async move {
                    for _ in 0..INCREMENTS {
                        db.increment_key_by("concurrency", 1_u64).await.unwrap();
                    }
                })
            });
            futures::future::join_all(handles).await;

            
            assert_eq!(
                db.get_key("concurrency").into_u64().await.unwrap().unwrap(),
                (WRITERS * INCREMENTS) as u64
            );

            
            harness.shutdown().await?;

            
            Ok(())
        }

            
        #[tokio::test]
4
        async fn kv_set_tests() -> anyhow::Result<()> {
            use $crate::keyvalue::{KeyStatus, KeyValue};
            let harness = $harness::new($crate::test_util::HarnessTest::KvSet).await?;
            let db = harness.connect().await?;
            let kv = db.with_key_namespace("set");

            
            assert_eq!(
                kv.set_key("a", &0_u32).only_if_exists().await?,
                KeyStatus::NotChanged
            );
            assert_eq!(
                kv.set_key("a", &0_u32).only_if_vacant().await?,
                KeyStatus::Inserted
            );
            assert_eq!(
                kv.set_key("a", &1_u32).only_if_vacant().await?,
                KeyStatus::NotChanged
            );
            assert_eq!(
                kv.set_key("a", &2_u32).only_if_exists().await?,
                KeyStatus::Updated,
            );
            assert_eq!(
                kv.set_key("a", &3_u32).returning_previous_as().await?,
                Some(2_u32),
            );

            
            harness.shutdown().await?;

            
            Ok(())
        }

            
        #[tokio::test]
4
        async fn kv_increment_decrement_tests() -> anyhow::Result<()> {
            use $crate::keyvalue::{KeyStatus, KeyValue};
            let harness =
                $harness::new($crate::test_util::HarnessTest::KvIncrementDecrement).await?;
            let db = harness.connect().await?;
            let kv = db.with_key_namespace("increment_decrement");

            
            // Empty keys should be equal to 0
            assert_eq!(kv.increment_key_by("i64", 1_i64).await?, 1_i64);
            assert_eq!(kv.get_key("i64").into_i64().await?, Some(1_i64));
            assert_eq!(kv.increment_key_by("u64", 1_u64).await?, 1_u64);
            $crate::assert_f64_eq!(kv.increment_key_by("f64", 1_f64).await?, 1_f64);

            
            // Test float incrementing/decrementing an existing value
            $crate::assert_f64_eq!(kv.increment_key_by("f64", 1_f64).await?, 2_f64);
            $crate::assert_f64_eq!(kv.decrement_key_by("f64", 2_f64).await?, 0_f64);

            
            // Empty keys should be equal to 0
            assert_eq!(kv.decrement_key_by("i64_2", 1_i64).await?, -1_i64);
            assert_eq!(
                kv.decrement_key_by("u64_2", 42_u64)
                    .allow_overflow()
                    .await?,
                u64::MAX - 41
            );
            assert_eq!(kv.decrement_key_by("u64_3", 42_u64).await?, u64::MIN);
            $crate::assert_f64_eq!(kv.decrement_key_by("f64_2", 1_f64).await?, -1_f64);

            
            // Test decrement wrapping with overflow
            kv.set_numeric_key("i64", i64::MIN).await?;
            assert_eq!(
                kv.decrement_key_by("i64", 1_i64).allow_overflow().await?,
                i64::MAX
            );
            assert_eq!(
                kv.decrement_key_by("u64", 2_u64).allow_overflow().await?,
                u64::MAX
            );

            
            // Test increment wrapping with overflow
            assert_eq!(
                kv.increment_key_by("i64", 1_i64).allow_overflow().await?,
                i64::MIN
            );
            assert_eq!(
                kv.increment_key_by("u64", 1_u64).allow_overflow().await?,
                u64::MIN
            );

            
            // Test saturating increments.
            kv.set_numeric_key("i64", i64::MAX - 1).await?;
            kv.set_numeric_key("u64", u64::MAX - 1).await?;
            assert_eq!(kv.increment_key_by("i64", 2_i64).await?, i64::MAX);
            assert_eq!(kv.increment_key_by("u64", 2_u64).await?, u64::MAX);

            
            // Test saturating decrements.
            kv.set_numeric_key("i64", i64::MIN + 1).await?;
            kv.set_numeric_key("u64", u64::MIN + 1).await?;
            assert_eq!(kv.decrement_key_by("i64", 2_i64).await?, i64::MIN);
            assert_eq!(kv.decrement_key_by("u64", 2_u64).await?, u64::MIN);

            
            // Test numerical conversion safety using get
            {
                // For i64 -> f64, the limit is 2^52 + 1 in either posive or
                // negative directions.
                kv.set_numeric_key("i64", (2_i64.pow(f64::MANTISSA_DIGITS)))
                    .await?;
                $crate::assert_f64_eq!(
                    kv.get_key("i64").into_f64().await?.unwrap(),
                    9_007_199_254_740_992_f64
                );
                kv.set_numeric_key("i64", -(2_i64.pow(f64::MANTISSA_DIGITS)))
                    .await?;
                $crate::assert_f64_eq!(
                    kv.get_key("i64").into_f64().await?.unwrap(),
                    -9_007_199_254_740_992_f64
                );

            
                kv.set_numeric_key("i64", (2_i64.pow(f64::MANTISSA_DIGITS) + 1))
                    .await?;
                assert!(matches!(kv.get_key("i64").into_f64().await, Err(_)));
                $crate::assert_f64_eq!(
                    kv.get_key("i64").into_f64_lossy().await?.unwrap(),
                    9_007_199_254_740_993_f64
                );
                kv.set_numeric_key("i64", -(2_i64.pow(f64::MANTISSA_DIGITS) + 1))
                    .await?;
                assert!(matches!(kv.get_key("i64").into_f64().await, Err(_)));
                $crate::assert_f64_eq!(
                    kv.get_key("i64").into_f64_lossy().await?.unwrap(),
                    -9_007_199_254_740_993_f64
                );

            
                // For i64 -> u64, the only limit is sign.
                kv.set_numeric_key("i64", -1_i64).await?;
                assert!(matches!(kv.get_key("i64").into_u64().await, Err(_)));
                assert_eq!(
                    kv.get_key("i64").into_u64_lossy(true).await?.unwrap(),
                    0_u64
                );
                assert_eq!(
                    kv.get_key("i64").into_u64_lossy(false).await?.unwrap(),
                    u64::MAX
                );

            
                // For f64 -> i64, the limit is fractional numbers. Saturating isn't tested in this conversion path.
                kv.set_numeric_key("f64", 1.1_f64).await?;
                assert!(matches!(kv.get_key("f64").into_i64().await, Err(_)));
                assert_eq!(
                    kv.get_key("f64").into_i64_lossy(false).await?.unwrap(),
                    1_i64
                );
                kv.set_numeric_key("f64", -1.1_f64).await?;
                assert!(matches!(kv.get_key("f64").into_i64().await, Err(_)));
                assert_eq!(
                    kv.get_key("f64").into_i64_lossy(false).await?.unwrap(),
                    -1_i64
                );

            
                // For f64 -> u64, the limit is fractional numbers or negative numbers. Saturating isn't tested in this conversion path.
                kv.set_numeric_key("f64", 1.1_f64).await?;
                assert!(matches!(kv.get_key("f64").into_u64().await, Err(_)));
                assert_eq!(
                    kv.get_key("f64").into_u64_lossy(false).await?.unwrap(),
                    1_u64
                );
                kv.set_numeric_key("f64", -1.1_f64).await?;
                assert!(matches!(kv.get_key("f64").into_u64().await, Err(_)));
                assert_eq!(
                    kv.get_key("f64").into_u64_lossy(false).await?.unwrap(),
                    0_u64
                );

            
                // For u64 -> i64, the limit is > i64::MAX
                kv.set_numeric_key("u64", i64::MAX as u64 + 1).await?;
                assert!(matches!(kv.get_key("u64").into_i64().await, Err(_)));
                assert_eq!(
                    kv.get_key("u64").into_i64_lossy(true).await?.unwrap(),
                    i64::MAX
                );
                assert_eq!(
                    kv.get_key("u64").into_i64_lossy(false).await?.unwrap(),
                    i64::MIN
                );
            }

            
            // Test that non-numeric keys won't be changed when attempting to incr/decr
            kv.set_key("non-numeric", &String::from("test")).await?;
            assert!(matches!(
                kv.increment_key_by("non-numeric", 1_i64).await,
                Err(_)
            ));
            assert!(matches!(
                kv.decrement_key_by("non-numeric", 1_i64).await,
                Err(_)
            ));
            assert_eq!(
                kv.get_key("non-numeric").into::<String>().await?.unwrap(),
                String::from("test")
            );

            
            // Test that NaN cannot be stored
            kv.set_numeric_key("f64", 0_f64).await?;
            assert!(matches!(
                kv.set_numeric_key("f64", f64::NAN).await,
                Err(bonsaidb_core::Error::NotANumber)
            ));
            // Verify the value was unchanged.
            $crate::assert_f64_eq!(kv.get_key("f64").into_f64().await?.unwrap(), 0.);
            // Try to increment by nan
            assert!(matches!(
                kv.increment_key_by("f64", f64::NAN).await,
                Err(bonsaidb_core::Error::NotANumber)
            ));
            $crate::assert_f64_eq!(kv.get_key("f64").into_f64().await?.unwrap(), 0.);

            
            harness.shutdown().await?;

            
            Ok(())
        }

            
        #[tokio::test]
4
        async fn kv_expiration_tests() -> anyhow::Result<()> {
            use std::time::Duration;

            
            use $crate::keyvalue::{KeyStatus, KeyValue};

            
            let harness = $harness::new($crate::test_util::HarnessTest::KvExpiration).await?;
            let db = harness.connect().await?;

            
            loop {
                let kv = db.with_key_namespace("expiration");

            
                kv.delete_key("a").await?;
                kv.delete_key("b").await?;

            
                // Test that the expiration is updated for key a, but not for key b.
                let timing = $crate::test_util::TimingTest::new(Duration::from_millis(500));
                let (r1, r2) = tokio::join!(
                    kv.set_key("a", &0_u32).expire_in(Duration::from_secs(2)),
                    kv.set_key("b", &0_u32).expire_in(Duration::from_secs(2))
                );
                if timing.elapsed() > Duration::from_millis(500) {
                    println!(
                        "Restarting test {}. Took too long {:?}",
                        line!(),
                        timing.elapsed(),
                    );
                    continue;
                }
                assert_eq!(r1?, KeyStatus::Inserted);
                assert_eq!(r2?, KeyStatus::Inserted);
                let (r1, r2) = tokio::join!(
                    kv.set_key("a", &1_u32).expire_in(Duration::from_secs(4)),
                    kv.set_key("b", &1_u32)
                        .expire_in(Duration::from_secs(100))
                        .keep_existing_expiration()
                );
                if timing.elapsed() > Duration::from_secs(1) {
                    println!(
                        "Restarting test {}. Took too long {:?}",
                        line!(),
                        timing.elapsed(),
                    );
                    continue;
                }

            
                assert_eq!(r1?, KeyStatus::Updated, "a wasn't an update");
                assert_eq!(r2?, KeyStatus::Updated, "b wasn't an update");

            
                let a = kv.get_key("a").into().await?;
                assert_eq!(a, Some(1u32), "a shouldn't have expired yet");

            
                // Before checking the value, make sure we haven't elapsed too
                // much time. If so, just restart the test.
                if !timing.wait_until(Duration::from_secs_f32(3.)).await {
                    println!(
                        "Restarting test {}. Took too long {:?}",
                        line!(),
                        timing.elapsed()
                    );
                    continue;
                }

            
                assert_eq!(kv.get_key("b").await?, None, "b never expired");

            
                timing.wait_until(Duration::from_secs_f32(5.)).await;
                assert_eq!(kv.get_key("a").await?, None, "a never expired");
                break;
            }
            harness.shutdown().await?;

            
            Ok(())
        }

            
        #[tokio::test]
4
        async fn delete_expire_tests() -> anyhow::Result<()> {
            use std::time::Duration;

            
            use $crate::keyvalue::{KeyStatus, KeyValue};

            
            let harness = $harness::new($crate::test_util::HarnessTest::KvDeleteExpire).await?;
            let db = harness.connect().await?;

            
            loop {
                let kv = db.with_key_namespace("delete_expire");

            
                kv.delete_key("a").await?;

            
                let timing = $crate::test_util::TimingTest::new(Duration::from_millis(100));

            
                // Create a key with an expiration. Delete the key. Set a new
                // value at that key with no expiration. Ensure it doesn't
                // expire.
                kv.set_key("a", &0_u32)
                    .expire_in(Duration::from_secs(2))
                    .await?;
                kv.delete_key("a").await?;
                kv.set_key("a", &1_u32).await?;
                if timing.elapsed() > Duration::from_secs(1) {
                    println!(
                        "Restarting test {}. Took too long {:?}",
                        line!(),
                        timing.elapsed(),
                    );
                    continue;
                }
                if !timing.wait_until(Duration::from_secs_f32(2.5)).await {
                    println!(
                        "Restarting test {}. Took too long {:?}",
                        line!(),
                        timing.elapsed()
                    );
                    continue;
                }

            
                assert_eq!(kv.get_key("a").into().await?, Some(1u32));

            
                break;
            }
            harness.shutdown().await?;

            
            Ok(())
        }

            
        #[tokio::test]
4
        async fn kv_transaction_tests() -> anyhow::Result<()> {
            use std::time::Duration;

            
            use $crate::{
                connection::Connection,
                keyvalue::{KeyStatus, KeyValue},
            };
            let harness = $harness::new($crate::test_util::HarnessTest::KvTransactions).await?;
            let db = harness.connect().await?;
            // Generate several transactions that we can validate. Persisting
            // happens in the background, so we delay between each step to give
            // it a moment.
            db.set_key("expires", &0_u32)
                .expire_in(Duration::from_secs(1))
                .await?;
            tokio::time::sleep(Duration::from_millis(100)).await;
            db.set_key("akey", &String::from("avalue")).await?;
            tokio::time::sleep(Duration::from_millis(100)).await;
            db.get_key("akey").and_delete().await?;
            tokio::time::sleep(Duration::from_millis(100)).await;
            db.set_numeric_key("nkey", 0_u64).await?;
            tokio::time::sleep(Duration::from_millis(100)).await;
            db.increment_key_by("nkey", 1_u64).await?;
            tokio::time::sleep(Duration::from_millis(100)).await;
            db.delete_key("nkey").await?;
            tokio::time::sleep(Duration::from_millis(100)).await;
            // Ensure this doesn't generate a transaction.
            db.delete_key("nkey").await?;

            
            tokio::time::sleep(Duration::from_secs(1)).await;

            
            let transactions = Connection::list_executed_transactions(&db, None, None).await?;
            let deleted_keys = transactions
                .iter()
                .filter_map(|tx| tx.changes.keys())
                .flatten()
                .filter(|changed_key| changed_key.deleted)
                .count();
            assert_eq!(deleted_keys, 3);
            let akey_changes = transactions
                .iter()
                .filter_map(|tx| tx.changes.keys())
                .flatten()
                .filter(|changed_key| changed_key.key == "akey")
                .count();
            assert_eq!(akey_changes, 2);
            let nkey_changes = transactions
                .iter()
                .filter_map(|tx| tx.changes.keys())
                .flatten()
                .filter(|changed_key| changed_key.key == "nkey")
                .count();
            assert_eq!(nkey_changes, 3);

            
            harness.shutdown().await?;

            
            Ok(())
        }
    };
}

            
pub struct TimingTest {
    tolerance: Duration,
    start: Instant,
}

            
impl TimingTest {
    #[must_use]
322
    pub fn new(tolerance: Duration) -> Self {
322
        Self {
322
            tolerance,
322
            start: Instant::now(),
322
        }
322
    }

            
483
    pub async fn wait_until(&self, absolute_duration: Duration) -> bool {
21
        let target = self.start + absolute_duration;
21
        let mut now = Instant::now();
21
        if now < target {
21
            tokio::time::sleep_until(target.into()).await;
21
            now = Instant::now();
        }
21
        let amount_past = now.checked_duration_since(target);
21

            
21
        // Return false if we're beyond the tolerance given
21
        amount_past.unwrap_or_default() < self.tolerance
21
    }

            
    #[must_use]
368
    pub fn elapsed(&self) -> Duration {
368
        Instant::now()
368
            .checked_duration_since(self.start)
368
            .unwrap_or_default()
368
    }
}

            
4
pub async fn basic_server_connection_tests<C: StorageConnection>(
4
    server: C,
4
    newdb_name: &str,
4
) -> anyhow::Result<()> {
4
    let mut schemas = server.list_available_schemas().await?;
4
    schemas.sort();
4
    assert!(schemas.contains(&BasicSchema::schema_name()));
4
    assert!(schemas.contains(&SchemaName::new("khonsulabs", "bonsaidb-admin")));

            
4
    let databases = server.list_databases().await?;
12
    assert!(databases.iter().any(|db| db.name == "tests"));

            
4
    server
6
        .create_database::<BasicSchema>(newdb_name, false)
6
        .await?;
6
    server.delete_database(newdb_name).await?;

            
    assert!(matches!(
4
        server.delete_database(newdb_name).await,
        Err(Error::DatabaseNotFound(_))
    ));

            
    assert!(matches!(
4
        server.create_database::<BasicSchema>("tests", false).await,
        Err(Error::DatabaseNameAlreadyTaken(_))
    ));

            
    assert!(matches!(
4
        server.create_database::<BasicSchema>("tests", true).await,
        Ok(_)
    ));

            
    assert!(matches!(
4
        server
4
            .create_database::<BasicSchema>("|invalidname", false)
2
            .await,
        Err(Error::InvalidDatabaseName(_))
    ));

            
    assert!(matches!(
4
        server
4
            .create_database::<UnassociatedCollection>(newdb_name, false)
2
            .await,
        Err(Error::SchemaNotRegistered(_))
    ));

            
4
    Ok(())
4
}