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

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

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

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

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

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

            
129
    /// Looks up a [`view::Serialized`] through the the type `V`.
130
    #[must_use]
131
52730
    pub fn view<V: View + 'static>(&self) -> Option<&'_ dyn view::Serialized> {
132
52730
        self.views.get(&TypeId::of::<V>()).map(AsRef::as_ref)
133
52730
    }
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
1341350
    pub fn views_in_collection(
143
1341350
        &self,
144
1341350
        collection: &CollectionName,
145
1341350
    ) -> Option<Vec<&'_ dyn view::Serialized>> {
146
1341350
        self.views_by_collection.get(collection).map(|view_ids| {
147
892950
            view_ids
148
892950
                .iter()
149
2968575
                .filter_map(|id| self.views.get(id).map(AsRef::as_ref))
150
892950
                .collect()
151
1341350
        })
152
1341350
    }
153

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

            
170
    /// Returns a collection's default encryption key, if one was defined.
171
    #[must_use]
172
2089650
    pub fn encryption_key_for_collection(&self, collection: &CollectionName) -> Option<&KeyId> {
173
2089650
        self.collection_encryption_keys.get(collection)
174
2089650
    }
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
6477252
    fn collection(&self) -> CollectionName {
196
6477252
        <<V as View>::Collection as Collection>::collection_name()
197
6477252
    }
198

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

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

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

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

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

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

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

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