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
86088
    pub fn from_schema<S: Schema + ?Sized>() -> Result<Self, Error> {
38
86088
        let mut schematic = Self {
39
86088
            name: S::schema_name(),
40
86088
            contained_collections: HashSet::new(),
41
86088
            collections_by_type_id: HashMap::new(),
42
86088
            collection_encryption_keys: HashMap::new(),
43
86088
            views: HashMap::new(),
44
86088
            views_by_name: HashMap::new(),
45
86088
            views_by_collection: HashMap::new(),
46
86088
            unique_views_by_collection: HashMap::new(),
47
86088
        };
48
86088
        S::define_collections(&mut schematic)?;
49
86088
        Ok(schematic)
50
86088
    }
51

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

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

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

            
105
5700033
        Ok(())
106
5700033
    }
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
547653
    pub fn contains_collection_id(&self, collection: &CollectionName) -> bool {
117
547653
        self.contained_collections.contains(collection)
118
547653
    }
119

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

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

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

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

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

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

            
176
    /// Returns a list of all collections contained in this schematic.
177
    #[must_use]
178
345
    pub fn collections(&self) -> Vec<CollectionName> {
179
345
        self.contained_collections.iter().cloned().collect()
180
345
    }
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
5929524
    fn collection(&self) -> CollectionName {
196
5929524
        <<V as View>::Collection as Collection>::collection_name()
197
5929524
    }
198

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

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

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

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

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

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

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

            
235
9638
        V::serialize(&reduced_value).map_err(view::Error::from)
236
34253
    }
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
}