1
1
use bonsaidb::{
2
    core::{
3
        connection::Connection,
4
        document::{BorrowedDocument, Document},
5
        schema::{
6
            view::{map::ViewMappedValue, EnumKey},
7
            Collection, ReduceResult, View, ViewMapResult, ViewSchema,
8
        },
9
        Error,
10
    },
11
    local::{
12
        config::{Builder, StorageConfiguration},
13
        Database,
14
    },
15
};
16
use serde::{Deserialize, Serialize};
17

            
18
// ANCHOR: enum
19
#[derive(
20
4
    Serialize, Deserialize, Debug, num_derive::FromPrimitive, num_derive::ToPrimitive, Clone,
21
)]
22
pub enum Category {
23
    Rust,
24
    Cooking,
25
}
26

            
27
impl EnumKey for Category {}
28
// ANCHOR_END: enum
29

            
30
// ANCHOR: struct
31
2
#[derive(Serialize, Deserialize, Debug, Collection)]
32
#[collection(name = "blog-post", views = [BlogPostsByCategory])]
33
pub struct BlogPost {
34
    pub title: String,
35
    pub body: String,
36
    pub category: Option<Category>,
37
}
38
// ANCHOR_END: struct
39

            
40
// ANCHOR: view
41

            
42
13
#[derive(Debug, Clone, View)]
43
#[view(collection = BlogPost, key = Option<Category>, value = u32, name = "by-category")]
44
pub struct BlogPostsByCategory;
45

            
46
impl ViewSchema for BlogPostsByCategory {
47
    type View = Self;
48

            
49
    fn map(&self, document: &BorrowedDocument<'_>) -> ViewMapResult<Self::View> {
50
        let post = document.contents::<BlogPost>()?;
51
        Ok(document.emit_key_and_value(post.category, 1))
52
    }
53

            
54
2
    fn reduce(
55
2
        &self,
56
2
        mappings: &[ViewMappedValue<Self::View>],
57
2
        _rereduce: bool,
58
2
    ) -> ReduceResult<Self::View> {
59
2
        Ok(mappings.iter().map(|mapping| mapping.value).sum())
60
2
    }
61
}
62
// ANCHOR_END: view
63

            
64
#[allow(unused_variables)]
65
1
#[tokio::test]
66
1
async fn example() -> Result<(), Error> {
67
1
    drop(tokio::fs::remove_dir_all("example.bonsaidb").await);
68
20
    let db = Database::open::<BlogPost>(StorageConfiguration::new("example.bonsaidb")).await?;
69
    // ANCHOR: query_with_docs
70
1
    let rust_posts = db
71
1
        .view::<BlogPostsByCategory>()
72
1
        .with_key(Some(Category::Rust))
73
2
        .query_with_docs()
74
2
        .await?;
75
    // ANCHOR_END: query_with_docs
76
    // ANCHOR: reduce_one_key
77
1
    let rust_post_count = db
78
1
        .view::<BlogPostsByCategory>()
79
1
        .with_key(Some(Category::Rust))
80
1
        .reduce()
81
        .await?;
82
    // ANCHOR_END: reduce_one_key
83
    // ANCHOR: reduce_multiple_keys
84
1
    let total_post_count = db.view::<BlogPostsByCategory>().reduce().await?;
85
    // ANCHOR_END: reduce_multiple_keys
86
1
    Ok(())
87
1
}