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
#[doc = "\n"]
58
#[doc = include_str!("./view-overview.md")]
59
pub trait View: Send + Sync + Debug + 'static {
60
    /// The collection this view belongs to
61
    type Collection: Collection;
62
    /// The key for this view.
63
    type Key: for<'a> Key<'a> + 'static;
64
    /// An associated type that can be stored with each entry in the view.
65
    type Value: Send + Sync;
66

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

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

            
79
/// The implementation of Map/Reduce for a [`View`].
80
#[doc = "\n"]
81
#[doc = include_str!("./view-overview.md")]
82
pub trait ViewSchema: Send + Sync + Debug + 'static {
83
    /// The view this schema is defined for.
84
    type View: SerializedView;
85

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

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

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

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

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

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

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

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

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

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

            
161
117704
    fn format() -> Self::Format {
162
117704
        Pot::default()
163
117704
    }
164
}
165

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

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

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

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

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

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

            
223
33477
    fn version(&self) -> u64 {
224
33477
        T::version(self)
225
33477
    }
226

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

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

            
239
414993
    fn unique(&self) -> bool {
240
414993
        T::unique(self)
241
414993
    }
242
}
243

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

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

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

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

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

            
332
537475
            fn name(&self) -> $crate::schema::Name {
333
537475
                $crate::schema::Name::new($name)
334
537475
            }
335
        }
336

            
337
        impl $crate::schema::CollectionViewSchema for $view_name {
338
            type View = Self;
339

            
340
366562
            fn unique(&self) -> bool {
341
366562
                $unique
342
366562
            }
343

            
344
32493
            fn version(&self) -> u64 {
345
32493
                $version
346
32493
            }
347

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

            
356
        impl $crate::schema::view::DefaultViewSerialization for $view_name {}
357
    };
358
}