1
use std::fmt::Debug;
2

            
3
use serde::{de::DeserializeOwned, Serialize};
4
use transmog::{Format, OwnedDeserializer};
5
use transmog_pot::Pot;
6

            
7
use crate::{
8
    document::{BorrowedDocument, CollectionDocument},
9
    schema::{
10
        view::map::{Mappings, ViewMappedValue},
11
        Collection, CollectionName, Name, SerializedCollection, ViewName,
12
    },
13
    AnyError,
14
};
15

            
16
/// Types for defining a `Map` within a `View`.
17
pub mod map;
18

            
19
mod key;
20
pub use self::key::*;
21

            
22
/// Errors that arise when interacting with views.
23
#[derive(thiserror::Error, Debug)]
24
// TODO add which view name and collection
25
pub enum Error {
26
    /// An error occurred while serializing or deserializing keys emitted in a view.
27
    #[error("error serializing view keys {0}")]
28
    KeySerialization(Box<dyn AnyError>),
29

            
30
    /// An error unrelated to views.
31
    #[error("core error: {0}")]
32
    Core(#[from] crate::Error),
33
}
34

            
35
impl Error {
36
    /// Returns a [`Self::KeySerialization`] instance after boxing the error.
37
    pub fn key_serialization<E: AnyError>(error: E) -> Self {
38
        Self::KeySerialization(Box::new(error))
39
    }
40
}
41

            
42
impl From<pot::Error> for Error {
43
    fn from(err: pot::Error) -> Self {
44
        Self::Core(crate::Error::from(err))
45
    }
46
}
47

            
48
/// A type alias for the result of `ViewSchema::map()`.
49
#[allow(type_alias_bounds)] // False positive, required for associated types
50
pub type ViewMapResult<V: View> = Result<Mappings<V::Key, V::Value>, crate::Error>;
51

            
52
/// A type alias for the result of `ViewSchema::reduce()`.
53
#[allow(type_alias_bounds)] // False positive, required for associated types
54
pub type ReduceResult<V: View> = Result<V::Value, crate::Error>;
55

            
56
/// A mechanism for accessing mapped and/or reduced data from a [`Collection`].
57
///
58
/// See the [user guide for a walkthrough of how views
59
/// work](https://dev.bonsaidb.io/main/guide/about/concepts/view.html).
60
pub trait View: Send + Sync + Debug + 'static {
61
    /// The collection this view belongs to
62
    type Collection: Collection;
63
    /// The key for this view.
64
    type Key: for<'a> Key<'a> + 'static;
65
    /// An associated type that can be stored with each entry in the view.
66
    type Value: Send + Sync;
67

            
68
    /// The name of the view. Must be unique per collection.
69
    fn name(&self) -> Name;
70

            
71
    /// The namespaced name of the view.
72
7481177
    fn view_name(&self) -> ViewName {
73
7481177
        ViewName {
74
7481177
            collection: Self::Collection::collection_name(),
75
7481177
            name: self.name(),
76
7481177
        }
77
7481177
    }
78
}
79

            
80
/// The implementation of Map/Reduce for a [`View`].
81
///
82
/// See the [user guide for a walkthrough of how views
83
/// work](https://dev.bonsaidb.io/main/guide/about/concepts/view.html).
84
pub trait ViewSchema: Send + Sync + Debug + 'static {
85
    /// The view this schema is defined for.
86
    type View: SerializedView;
87

            
88
    /// If true, no two documents may emit the same key. Unique views are
89
    /// updated when the document is saved, allowing for this check to be done
90
    /// atomically. When a document is updated, all unique views will be
91
    /// updated, and if any of them fail, the document will not be allowed to
92
    /// update and an
93
    /// [`Error::UniqueKeyViolation`](crate::Error::UniqueKeyViolation) will be
94
    /// returned.
95
6989168
    fn unique(&self) -> bool {
96
6989168
        false
97
6989168
    }
98

            
99
    /// The version of the view. Changing this value will cause indexes to be rebuilt.
100
1522
    fn version(&self) -> u64 {
101
1522
        0
102
1522
    }
103

            
104
    /// The map function for this view. This function is responsible for
105
    /// emitting entries for any documents that should be contained in this
106
    /// View. If None is returned, the View will not include the document. See [the user guide's chapter on
107
    /// views for more information on how map
108
    /// works](https://dev.bonsaidb.io/main/guide/about/concepts/view.html#map).
109
    fn map(&self, document: &BorrowedDocument<'_>) -> ViewMapResult<Self::View>;
110

            
111
    /// Returns a value that is produced by reducing a list of `mappings` into a
112
    /// single value. If `rereduce` is true, the values contained in the
113
    /// mappings have already been reduced at least one time. If an error of
114
    /// [`ReduceUnimplemented`](crate::Error::ReduceUnimplemented) is returned,
115
    /// queries that ask for a reduce operation will return an error. See [the
116
    /// user guide's chapter on views for more information on how reduce
117
    /// works](https://dev.bonsaidb.io/main/guide/about/concepts/view.html#reduce).
118
    #[allow(unused_variables)]
119
575
    fn reduce(
120
575
        &self,
121
575
        mappings: &[ViewMappedValue<Self::View>],
122
575
        rereduce: bool,
123
575
    ) -> Result<<Self::View as View>::Value, crate::Error> {
124
575
        Err(crate::Error::ReduceUnimplemented)
125
575
    }
126
}
127

            
128
/// A [`View`] with additional tyes and logic to handle serializing view values.
129
pub trait SerializedView: View {
130
    /// The serialization format for this view.
131
    type Format: OwnedDeserializer<Self::Value>;
132

            
133
    /// Returns the configured instance of [`Self::Format`].
134
    // TODO allow configuration to be passed here, such as max allocation bytes.
135
    fn format() -> Self::Format;
136

            
137
    /// Deserialize `data` as `Self::Value` using this views's format.
138
68570
    fn deserialize(data: &[u8]) -> Result<Self::Value, crate::Error> {
139
68570
        Self::format()
140
68570
            .deserialize_owned(data)
141
68570
            .map_err(|err| crate::Error::Serialization(err.to_string()))
142
68570
    }
143

            
144
    /// Serialize `item` using this views's format.
145
38372
    fn serialize(item: &Self::Value) -> Result<Vec<u8>, crate::Error> {
146
38372
        Self::format()
147
38372
            .serialize(item)
148
38372
            .map_err(|err| crate::Error::Serialization(err.to_string()))
149
38372
    }
150
}
151

            
152
/// A default serialization strategy for views. Uses equivalent settings as
153
/// [`DefaultSerialization`](crate::schema::DefaultSerialization).
154
pub trait DefaultViewSerialization: View {}
155

            
156
impl<T> SerializedView for T
157
where
158
    T: DefaultViewSerialization,
159
    T::Value: Serialize + DeserializeOwned,
160
{
161
    type Format = Pot;
162

            
163
106492
    fn format() -> Self::Format {
164
106492
        Pot::default()
165
106492
    }
166
}
167

            
168
/// A [`View`] for a [`Collection`] that stores Serde-compatible documents. The
169
/// only difference between implmementing this and [`View`] is that the `map`
170
/// function receives a [`CollectionDocument`] instead of a [`BorrowedDocument`].
171
pub trait CollectionViewSchema: Send + Sync + Debug + 'static
172
where
173
    <Self::View as View>::Collection: SerializedCollection,
174
{
175
    /// The view this schema is an implementation of.
176
    type View: SerializedView;
177

            
178
    /// If true, no two documents may emit the same key. Unique views are
179
    /// updated when the document is saved, allowing for this check to be done
180
    /// atomically. When a document is updated, all unique views will be
181
    /// updated, and if any of them fail, the document will not be allowed to
182
    /// update and an
183
    /// [`Error::UniqueKeyViolation`](crate::Error::UniqueKeyViolation) will be
184
    /// returned.
185
48096
    fn unique(&self) -> bool {
186
48096
        false
187
48096
    }
188

            
189
    /// The version of the view. Changing this value will cause indexes to be rebuilt.
190
1065
    fn version(&self) -> u64 {
191
1065
        0
192
1065
    }
193

            
194
    /// The map function for this view. This function is responsible for
195
    /// emitting entries for any documents that should be contained in this
196
    /// View. If None is returned, the View will not include the document.
197
    fn map(
198
        &self,
199
        document: CollectionDocument<<Self::View as View>::Collection>,
200
    ) -> ViewMapResult<Self::View>;
201

            
202
    /// The reduce function for this view. If `Err(Error::ReduceUnimplemented)`
203
    /// is returned, queries that ask for a reduce operation will return an
204
    /// error. See [`CouchDB`'s Reduce/Rereduce
205
    /// documentation](https://docs.couchdb.org/en/stable/ddocs/views/intro.html#reduce-rereduce)
206
    /// for the design this implementation will be inspired by
207
    #[allow(unused_variables)]
208
24069
    fn reduce(
209
24069
        &self,
210
24069
        mappings: &[ViewMappedValue<Self::View>],
211
24069
        rereduce: bool,
212
24069
    ) -> ReduceResult<Self::View> {
213
24069
        Err(crate::Error::ReduceUnimplemented)
214
24069
    }
215
}
216

            
217
impl<T> ViewSchema for T
218
where
219
    T: CollectionViewSchema,
220
    T::View: SerializedView,
221
    <T::View as View>::Collection: SerializedCollection,
222
{
223
    type View = T::View;
224

            
225
28952
    fn version(&self) -> u64 {
226
28952
        T::version(self)
227
28952
    }
228

            
229
26201
    fn map(&self, document: &BorrowedDocument<'_>) -> ViewMapResult<Self::View> {
230
26201
        T::map(self, CollectionDocument::try_from(document)?)
231
26201
    }
232

            
233
31355
    fn reduce(
234
31355
        &self,
235
31355
        mappings: &[ViewMappedValue<Self::View>],
236
31355
        rereduce: bool,
237
31355
    ) -> Result<<Self::View as View>::Value, crate::Error> {
238
31355
        T::reduce(self, mappings, rereduce)
239
31355
    }
240

            
241
368837
    fn unique(&self) -> bool {
242
368837
        T::unique(self)
243
368837
    }
244
}
245

            
246
/// Wraps a [`View`] with serialization to erase the associated types
247
pub trait Serialized: Send + Sync + Debug {
248
    /// Wraps returing [`<View::Collection as Collection>::collection_name()`](crate::schema::Collection::collection_name)
249
    fn collection(&self) -> CollectionName;
250
    /// Wraps [`ViewSchema::unique`]
251
    fn unique(&self) -> bool;
252
    /// Wraps [`ViewSchema::version`]
253
    fn version(&self) -> u64;
254
    /// Wraps [`View::view_name`]
255
    fn view_name(&self) -> ViewName;
256
    /// Wraps [`ViewSchema::map`]
257
    fn map(&self, document: &BorrowedDocument<'_>) -> Result<Vec<map::Serialized>, Error>;
258
    /// Wraps [`ViewSchema::reduce`]
259
    fn reduce(&self, mappings: &[(&[u8], &[u8])], rereduce: bool) -> Result<Vec<u8>, Error>;
260
}
261

            
262
/// Defines an unique view named `$view_name` for `$collection` with the
263
/// mapping provided.
264
#[macro_export(local_inner_macros)]
265
macro_rules! define_basic_unique_mapped_view {
266
    ($view_name:ident, $collection:ty, $version:literal, $name:literal, $key:ty, $mapping:expr $(,)?) => {
267
        define_mapped_view!(
268
            $view_name,
269
            $collection,
270
            $version,
271
            $name,
272
            $key,
273
            (),
274
            true,
275
            $mapping
276
        );
277
    };
278
    ($view_name:ident, $collection:ty, $version:literal, $name:literal, $key:ty, $value:ty, $mapping:expr $(,)?) => {
279
        define_mapped_view!(
280
            $view_name,
281
            $collection,
282
            $version,
283
            $name,
284
            $key,
285
            $value,
286
            true,
287
            $mapping
288
        );
289
    };
290
}
291

            
292
/// Defines a non-unique view named `$view_name` for `$collection` with the
293
/// mapping provided.
294
#[macro_export(local_inner_macros)]
295
macro_rules! define_basic_mapped_view {
296
    ($view_name:ident, $collection:ty, $version:literal, $name:literal, $key:ty, $mapping:expr $(,)?) => {
297
        define_mapped_view!(
298
            $view_name,
299
            $collection,
300
            $version,
301
            $name,
302
            $key,
303
            (),
304
            false,
305
            $mapping
306
        );
307
    };
308
    ($view_name:ident, $collection:ty, $version:literal, $name:literal, $key:ty, $value:ty, $mapping:expr $(,)?) => {
309
        define_mapped_view!(
310
            $view_name,
311
            $collection,
312
            $version,
313
            $name,
314
            $key,
315
            $value,
316
            false,
317
            $mapping
318
        );
319
    };
320
}
321

            
322
/// Defines a view using the mapping provided.
323
#[macro_export]
324
macro_rules! define_mapped_view {
325
    ($view_name:ident, $collection:ty, $version:literal, $name:literal, $key:ty, $value:ty, $unique:literal, $mapping:expr) => {
326
194106
        #[derive(Debug, Clone)]
327
        pub struct $view_name;
328

            
329
        impl $crate::schema::View for $view_name {
330
            type Collection = $collection;
331
            type Key = $key;
332
            type Value = $value;
333

            
334
473621
            fn name(&self) -> $crate::schema::Name {
335
473621
                $crate::schema::Name::new($name)
336
473621
            }
337
        }
338

            
339
        impl $crate::schema::CollectionViewSchema for $view_name {
340
            type View = Self;
341

            
342
320672
            fn unique(&self) -> bool {
343
320672
                $unique
344
320672
            }
345

            
346
27887
            fn version(&self) -> u64 {
347
27887
                $version
348
27887
            }
349

            
350
24132
            fn map(
351
24132
                &self,
352
24132
                document: $crate::document::CollectionDocument<$collection>,
353
24132
            ) -> $crate::schema::ViewMapResult<Self::View> {
354
24132
                Ok($mapping(document))
355
24132
            }
356
        }
357

            
358
        impl $crate::schema::view::DefaultViewSerialization for $view_name {}
359
    };
360
}