1
use std::{fmt::Debug, ops::Deref};
2

            
3
use arc_bytes::serde::{Bytes, CowBytes};
4

            
5
use crate::{
6
    connection::Connection,
7
    document::{BorrowedDocument, Header, OwnedDocument},
8
    schema::SerializedCollection,
9
    Error,
10
};
11

            
12
/// A document with serializable contents.
13
1
#[derive(Clone, Debug, Eq, PartialEq)]
14
pub struct CollectionDocument<C>
15
where
16
    C: SerializedCollection,
17
{
18
    /// The header of the document, which contains the id and `Revision`.
19
    pub header: Header,
20

            
21
    /// The document's contents.
22
    pub contents: C::Contents,
23
}
24

            
25
impl<C> AsRef<Header> for CollectionDocument<C>
26
where
27
    C: SerializedCollection,
28
{
29
300
    fn as_ref(&self) -> &Header {
30
300
        &self.header
31
300
    }
32
}
33

            
34
impl<C> Deref for CollectionDocument<C>
35
where
36
    C: SerializedCollection,
37
{
38
    type Target = Header;
39

            
40
27498
    fn deref(&self) -> &Self::Target {
41
27498
        &self.header
42
27498
    }
43
}
44

            
45
impl<'a, C> TryFrom<&'a BorrowedDocument<'a>> for CollectionDocument<C>
46
where
47
    C: SerializedCollection,
48
{
49
    type Error = Error;
50

            
51
29164
    fn try_from(value: &'a BorrowedDocument<'a>) -> Result<Self, Self::Error> {
52
29164
        Ok(Self {
53
29164
            contents: C::deserialize(&value.contents)?,
54
29164
            header: value.header.clone(),
55
        })
56
29164
    }
57
}
58

            
59
impl<'a, C> TryFrom<&'a OwnedDocument> for CollectionDocument<C>
60
where
61
    C: SerializedCollection,
62
{
63
    type Error = Error;
64

            
65
15836
    fn try_from(value: &'a OwnedDocument) -> Result<Self, Self::Error> {
66
15836
        Ok(Self {
67
15836
            contents: C::deserialize(&value.contents)?,
68
15836
            header: value.header.clone(),
69
        })
70
15836
    }
71
}
72

            
73
impl<'a, 'b, C> TryFrom<&'b CollectionDocument<C>> for BorrowedDocument<'a>
74
where
75
    C: SerializedCollection,
76
{
77
    type Error = crate::Error;
78

            
79
    fn try_from(value: &'b CollectionDocument<C>) -> Result<Self, Self::Error> {
80
        Ok(Self {
81
            contents: CowBytes::from(C::serialize(&value.contents)?),
82
            header: value.header.clone(),
83
        })
84
    }
85
}
86

            
87
impl<C> CollectionDocument<C>
88
where
89
    C: SerializedCollection,
90
{
91
    /// Stores the new value of `contents` in the document.
92
    ///
93
    /// ```rust
94
    /// # bonsaidb_core::__doctest_prelude!();
95
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
96
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
97
    /// if let Some(mut document) = MyCollection::get(42, &db).await? {
98
    ///     // modify the document
99
    ///     document.update(&db).await?;
100
    ///     println!("Updated revision: {:?}", document.header.revision);
101
    /// }
102
    /// # Ok(())
103
    /// # })
104
    /// # }
105
    /// ```
106
3554
    pub async fn update<Cn: Connection>(&mut self, connection: &Cn) -> Result<(), Error> {
107
3554
        let mut doc = self.to_document()?;
108

            
109
4740
        connection.update::<C, _>(&mut doc).await?;
110

            
111
3544
        self.header = doc.header;
112
3544

            
113
3544
        Ok(())
114
3554
    }
115

            
116
    /// Modifies `self`, automatically retrying the modification if the document
117
    /// has been updated on the server.
118
    ///
119
    /// ## Data loss warning
120
    ///
121
    /// If you've modified `self` before calling this function and a conflict
122
    /// occurs, all changes to self will be lost when the current document is
123
    /// fetched before retrying the process again. When you use this function,
124
    /// you should limit the edits to the value to within the `modifier`
125
    /// callback.
126
5
    pub async fn modify<Cn: Connection, Modifier: FnMut(&mut Self) + Send + Sync>(
127
5
        &mut self,
128
5
        connection: &Cn,
129
5
        mut modifier: Modifier,
130
5
    ) -> Result<(), Error> {
131
5
        let mut is_first_loop = true;
132
        // TODO this should have a retry-limit.
133
10
        loop {
134
10
            // On the first attempt, we want to try sending the update to the
135
10
            // database without fetching new contents. If we receive a conflict,
136
10
            // on future iterations we will first re-load the data.
137
10
            if is_first_loop {
138
5
                is_first_loop = false;
139
5
            } else {
140
5
                *self = C::get(self.header.id, connection)
141
5
                    .await?
142
5
                    .ok_or_else(|| Error::DocumentNotFound(C::collection_name(), self.header.id))?;
143
            }
144
10
            modifier(&mut *self);
145
10
            match self.update(connection).await {
146
5
                Err(Error::DocumentConflict(..)) => {}
147
5
                other => return other,
148
            }
149
        }
150
5
    }
151

            
152
    /// Removes the document from the collection.
153
    ///
154
    /// ```rust
155
    /// # bonsaidb_core::__doctest_prelude!();
156
    /// # fn test_fn<C: Connection>(db: C) -> Result<(), Error> {
157
    /// # tokio::runtime::Runtime::new().unwrap().block_on(async {
158
    /// if let Some(document) = MyCollection::get(42, &db).await? {
159
    ///     document.delete(&db).await?;
160
    /// }
161
    /// # Ok(())
162
    /// # })
163
    /// # }
164
    /// ```
165
300
    pub async fn delete<Cn: Connection>(&self, connection: &Cn) -> Result<(), Error> {
166
300
        connection.collection::<C>().delete(self).await?;
167

            
168
300
        Ok(())
169
300
    }
170

            
171
    /// Converts this value to a serialized `Document`.
172
3554
    pub fn to_document(&self) -> Result<OwnedDocument, Error> {
173
3554
        Ok(OwnedDocument {
174
3554
            contents: Bytes::from(C::serialize(&self.contents)?),
175
3554
            header: self.header.clone(),
176
        })
177
3554
    }
178
}
179

            
180
/// Helper functions for a slice of [`OwnedDocument`]s.
181
pub trait OwnedDocuments {
182
    /// Returns a list of deserialized documents.
183
    fn collection_documents<C: SerializedCollection>(
184
        &self,
185
    ) -> Result<Vec<CollectionDocument<C>>, Error>;
186
}
187

            
188
impl OwnedDocuments for [OwnedDocument] {
189
30
    fn collection_documents<C: SerializedCollection>(
190
30
        &self,
191
30
    ) -> Result<Vec<CollectionDocument<C>>, Error> {
192
30
        self.iter().map(CollectionDocument::try_from).collect()
193
30
    }
194
}