1
use std::{
2
    any::TypeId,
3
    collections::{HashMap, HashSet},
4
    fmt::Debug,
5
};
6

            
7
use crate::{
8
    document::{BorrowedDocument, KeyId},
9
    schema::{
10
        collection::Collection,
11
        view::{
12
            self,
13
            map::{self, MappedValue},
14
            Key, Serialized, SerializedView, ViewSchema,
15
        },
16
        CollectionName, Schema, SchemaName, View, ViewName,
17
    },
18
    Error,
19
};
20

            
21
/// A collection of defined collections and views.
22
#[derive(Debug)]
23
pub struct Schematic {
24
    /// The name of the schema this was built from.
25
    pub name: SchemaName,
26
    contained_collections: HashSet<CollectionName>,
27
    collections_by_type_id: HashMap<TypeId, CollectionName>,
28
    collection_encryption_keys: HashMap<CollectionName, KeyId>,
29
    views: HashMap<TypeId, Box<dyn view::Serialized>>,
30
    views_by_name: HashMap<ViewName, TypeId>,
31
    views_by_collection: HashMap<CollectionName, Vec<TypeId>>,
32
    unique_views_by_collection: HashMap<CollectionName, Vec<TypeId>>,
33
}
34

            
35
impl Schematic {
36
    /// Returns an initialized version from `S`.
37
90600
    pub fn from_schema<S: Schema + ?Sized>() -> Result<Self, Error> {
38
90600
        let mut schematic = Self {
39
90600
            name: S::schema_name(),
40
90600
            contained_collections: HashSet::new(),
41
90600
            collections_by_type_id: HashMap::new(),
42
90600
            collection_encryption_keys: HashMap::new(),
43
90600
            views: HashMap::new(),
44
90600
            views_by_name: HashMap::new(),
45
90600
            views_by_collection: HashMap::new(),
46
90600
            unique_views_by_collection: HashMap::new(),
47
90600
        };
48
90600
        S::define_collections(&mut schematic)?;
49
90600
        Ok(schematic)
50
90600
    }
51

            
52
    /// Adds the collection `C` and its views.
53
2560501
    pub fn define_collection<C: Collection + 'static>(&mut self) -> Result<(), Error> {
54
2560501
        let name = C::collection_name();
55
2560501
        if self.contained_collections.contains(&name) {
56
            Err(Error::CollectionAlreadyDefined)
57
        } else {
58
2560501
            self.collections_by_type_id
59
2560501
                .insert(TypeId::of::<C>(), name.clone());
60
2560501
            if let Some(key) = C::encryption_key() {
61
798956
                self.collection_encryption_keys.insert(name.clone(), key);
62
1761545
            }
63
2560501
            self.contained_collections.insert(name);
64
2560501
            C::define_views(self)
65
        }
66
2560501
    }
67

            
68
    /// Adds the view `V`.
69
6218768
    pub fn define_view<V: ViewSchema<View = V> + SerializedView + Clone + 'static>(
70
6218768
        &mut self,
71
6218768
        view: V,
72
6218768
    ) -> Result<(), Error> {
73
6218768
        self.define_view_with_schema(view.clone(), view)
74
6218768
    }
75

            
76
    /// Adds the view `V`.
77
6218768
    pub fn define_view_with_schema<
78
6218768
        V: SerializedView + 'static,
79
6218768
        S: ViewSchema<View = V> + 'static,
80
6218768
    >(
81
6218768
        &mut self,
82
6218768
        view: V,
83
6218768
        schema: S,
84
6218768
    ) -> Result<(), Error> {
85
6218768
        let instance = ViewInstance { view, schema };
86
6218768
        let name = instance.view_name();
87
6218768
        let collection = instance.collection();
88
6218768
        let unique = instance.unique();
89
6218768
        self.views.insert(TypeId::of::<V>(), Box::new(instance));
90
6218768
        // TODO check for name collision
91
6218768
        self.views_by_name.insert(name, TypeId::of::<V>());
92
6218768
        if unique {
93
963029
            let unique_views = self
94
963029
                .unique_views_by_collection
95
963029
                .entry(collection.clone())
96
963029
                .or_insert_with(Vec::new);
97
963029
            unique_views.push(TypeId::of::<V>());
98
5255739
        }
99
6218768
        let views = self
100
6218768
            .views_by_collection
101
6218768
            .entry(collection)
102
6218768
            .or_insert_with(Vec::new);
103
6218768
        views.push(TypeId::of::<V>());
104
6218768

            
105
6218768
        Ok(())
106
6218768
    }
107

            
108
    /// Returns `true` if this schema contains the collection `C`.
109
    #[must_use]
110
    pub fn contains<C: Collection + 'static>(&self) -> bool {
111
        self.collections_by_type_id.contains_key(&TypeId::of::<C>())
112
    }
113

            
114
    /// Returns `true` if this schema contains the collection `C`.
115
    #[must_use]
116
577900
    pub fn contains_collection_id(&self, collection: &CollectionName) -> bool {
117
577900
        self.contained_collections.contains(collection)
118
577900
    }
119

            
120
    /// Looks up a [`view::Serialized`] by name.
121
    #[must_use]
122
818875
    pub fn view_by_name(&self, name: &ViewName) -> Option<&'_ dyn view::Serialized> {
123
818875
        self.views_by_name
124
818875
            .get(name)
125
818875
            .and_then(|type_id| self.views.get(type_id))
126
818875
            .map(AsRef::as_ref)
127
818875
    }
128

            
129
    /// Looks up a [`view::Serialized`] through the the type `V`.
130
    #[must_use]
131
52805
    pub fn view<V: View + 'static>(&self) -> Option<&'_ dyn view::Serialized> {
132
52805
        self.views.get(&TypeId::of::<V>()).map(AsRef::as_ref)
133
52805
    }
134

            
135
    /// Iterates over all registered views.
136
100
    pub fn views(&self) -> impl Iterator<Item = &'_ dyn view::Serialized> {
137
100
        self.views.values().map(AsRef::as_ref)
138
100
    }
139

            
140
    /// Iterates over all views that belong to `collection`.
141
    #[must_use]
142
1381325
    pub fn views_in_collection(
143
1381325
        &self,
144
1381325
        collection: &CollectionName,
145
1381325
    ) -> Option<Vec<&'_ dyn view::Serialized>> {
146
1381325
        self.views_by_collection.get(collection).map(|view_ids| {
147
900150
            view_ids
148
900150
                .iter()
149
2973500
                .filter_map(|id| self.views.get(id).map(AsRef::as_ref))
150
900150
                .collect()
151
1381325
        })
152
1381325
    }
153

            
154
    /// Iterates over all views that are unique that belong to `collection`.
155
    #[must_use]
156
564600
    pub fn unique_views_in_collection(
157
564600
        &self,
158
564600
        collection: &CollectionName,
159
564600
    ) -> Option<Vec<&'_ dyn view::Serialized>> {
160
564600
        self.unique_views_by_collection
161
564600
            .get(collection)
162
564600
            .map(|view_ids| {
163
74325
                view_ids
164
74325
                    .iter()
165
74325
                    .filter_map(|id| self.views.get(id).map(AsRef::as_ref))
166
74325
                    .collect()
167
564600
            })
168
564600
    }
169

            
170
    /// Returns a collection's default encryption key, if one was defined.
171
    #[must_use]
172
2133850
    pub fn encryption_key_for_collection(&self, collection: &CollectionName) -> Option<&KeyId> {
173
2133850
        self.collection_encryption_keys.get(collection)
174
2133850
    }
175

            
176
    /// Returns a list of all collections contained in this schematic.
177
    #[must_use]
178
425
    pub fn collections(&self) -> Vec<CollectionName> {
179
425
        self.contained_collections.iter().cloned().collect()
180
425
    }
181
}
182

            
183
#[derive(Debug)]
184
struct ViewInstance<V, S> {
185
    view: V,
186
    schema: S,
187
}
188

            
189
impl<V, S> Serialized for ViewInstance<V, S>
190
where
191
    V: SerializedView,
192
    S: ViewSchema<View = V>,
193
    <V as View>::Key: 'static,
194
{
195
6478531
    fn collection(&self) -> CollectionName {
196
6478531
        <<V as View>::Collection as Collection>::collection_name()
197
6478531
    }
198

            
199
9083706
    fn unique(&self) -> bool {
200
9083706
        self.schema.unique()
201
9083706
    }
202

            
203
36719
    fn version(&self) -> u64 {
204
36719
        self.schema.version()
205
36719
    }
206

            
207
8376107
    fn view_name(&self) -> ViewName {
208
8376107
        self.view.view_name()
209
8376107
    }
210

            
211
32883
    fn map(&self, document: &BorrowedDocument<'_>) -> Result<Vec<map::Serialized>, view::Error> {
212
32883
        let map = self.schema.map(document)?;
213

            
214
32883
        map.into_iter()
215
32883
            .map(|map| map.serialized::<V>())
216
32883
            .collect::<Result<Vec<_>, view::Error>>()
217
32883
    }
218

            
219
37914
    fn reduce(&self, mappings: &[(&[u8], &[u8])], rereduce: bool) -> Result<Vec<u8>, view::Error> {
220
37914
        let mappings = mappings
221
37914
            .iter()
222
37914
            .map(
223
39042
                |(key, value)| match <V::Key as Key>::from_big_endian_bytes(key) {
224
35610
                    Ok(key) => {
225
35610
                        let value = V::deserialize(value)?;
226
35610
                        Ok(MappedValue::new(key, value))
227
                    }
228
                    Err(err) => Err(view::Error::key_serialization(err)),
229
39042
                },
230
37914
            )
231
37914
            .collect::<Result<Vec<_>, view::Error>>()?;
232

            
233
37914
        let reduced_value = self.schema.reduce(&mappings, rereduce)?;
234

            
235
9596
        V::serialize(&reduced_value).map_err(view::Error::from)
236
37914
    }
237
}
238

            
239
1
#[test]
240
1
fn schema_tests() -> anyhow::Result<()> {
241
    use crate::test_util::{Basic, BasicCount};
242
1
    let schema = Schematic::from_schema::<Basic>()?;
243

            
244
1
    assert_eq!(schema.collections_by_type_id.len(), 1);
245
1
    assert_eq!(
246
1
        schema.collections_by_type_id[&TypeId::of::<Basic>()],
247
1
        Basic::collection_name()
248
1
    );
249
1
    assert_eq!(schema.views.len(), 4);
250
1
    assert_eq!(
251
1
        schema.views[&TypeId::of::<BasicCount>()].view_name(),
252
1
        View::view_name(&BasicCount)
253
1
    );
254

            
255
1
    Ok(())
256
1
}