1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
//! # Async-rusqlite
//!
//! A tiny async wrapper around [`rusqlite`]. Use [`crate::Connection`]
//! to open a connection, and then [`crate::Connection::call()`] to
//! execute commands against it.
//!
//! ```rust
//! # #[tokio::main]
//! # async fn main() -> Result<(), Box<dyn std::error::Error>> {
//! use async_rusqlite::Connection;
//!
//! #[derive(Debug)]
//! struct Person {
//!     id: i32,
//!     name: String,
//!     data: Option<Vec<u8>>,
//! }
//!
//! let conn = Connection::open_in_memory().await?;
//!
//! conn.call(|conn| {
//!     conn.execute(
//!         "CREATE TABLE person (
//!             id   INTEGER PRIMARY KEY,
//!             name TEXT NOT NULL,
//!             data BLOB
//!         )",
//!         (),
//!     )
//! }).await?;
//!
//! let me = Person {
//!     id: 0,
//!     name: "Steven".to_string(),
//!     data: None,
//! };
//!
//! conn.call(move |conn| {
//!     conn.execute(
//!         "INSERT INTO person (name, data) VALUES (?1, ?2)",
//!         (&me.name, &me.data),
//!     )
//! }).await?;
//!
//! # Ok(())
//! # }
//! ```

use asyncified::Asyncified;
use std::path::Path;

// re-export rusqlite types.
pub use rusqlite;

/// A handle which allows access to the underlying [`rusqlite::Connection`]
/// via [`Connection::call()`].
#[derive(Debug, Clone)]
pub struct Connection {
    // None if connection is closed, else Some(connection).
    conn: Asyncified<Option<rusqlite::Connection>>
}

impl Connection {
    /// Open a new connection to an SQLite database. If a database does not exist at the
    /// path, one is created.
    ///
    /// # Failure
    ///
    /// Will return `Err` if `path` cannot be converted to a C-compatible string
    /// or if the underlying SQLite open call fails.
    pub async fn open<P: AsRef<Path>>(path: P) -> Result<Connection,rusqlite::Error> {
        let path = path.as_ref().to_owned();
        let conn = Asyncified::new(move || rusqlite::Connection::open(path).map(Some)).await?;
        Ok(Connection { conn })
    }

    /// Open a new connection to an in-memory SQLite database.
    ///
    /// # Failure
    ///
    /// Will return `Err` if the underlying SQLite open call fails.
    pub async fn open_in_memory() -> Result<Connection,rusqlite::Error> {
        let conn = Asyncified::new(|| rusqlite::Connection::open_in_memory().map(Some)).await?;
        Ok(Connection { conn })
    }

    /// Open a new connection to a SQLite database.
    ///
    /// [Database Connection](http://www.sqlite.org/c3ref/open.html) for a description of valid
    /// flag combinations.
    ///
    /// # Failure
    ///
    /// Will return `Err` if `path` cannot be converted to a C-compatible
    /// string or if the underlying SQLite open call fails.
    pub async fn open_with_flags<P: AsRef<Path>>(path: P, flags: rusqlite::OpenFlags) -> Result<Connection,rusqlite::Error> {
        let path = path.as_ref().to_owned();
        let conn = Asyncified::new(move || rusqlite::Connection::open_with_flags(path, flags).map(Some)).await?;
        Ok(Connection { conn })
    }

    /// Open a new connection to a SQLite database using the specific flags and
    /// vfs name.
    ///
    /// [Database Connection](http://www.sqlite.org/c3ref/open.html) for a description of valid
    /// flag combinations.
    ///
    /// # Failure
    ///
    /// Will return `Err` if either `path` or `vfs` cannot be converted to a
    /// C-compatible string or if the underlying SQLite open call fails.
    pub async fn open_with_flags_and_vfs<P: AsRef<Path>>(
        path: P,
        flags: rusqlite::OpenFlags,
        vfs: &str,
    ) -> Result<Connection,rusqlite::Error> {
        let path = path.as_ref().to_owned();
        let vfs = vfs.to_owned();
        let conn = Asyncified::new(move || rusqlite::Connection::open_with_flags_and_vfs(path, flags, &vfs).map(Some)).await?;
        Ok(Connection { conn })
    }

    /// Open a new connection to an in-memory SQLite database.
    ///
    /// [Database Connection](http://www.sqlite.org/c3ref/open.html) for a description of valid
    /// flag combinations.
    ///
    /// # Failure
    ///
    /// Will return `Err` if the underlying SQLite open call fails.
    pub async fn open_in_memory_with_flags(flags: rusqlite::OpenFlags) -> Result<Connection,rusqlite::Error> {
        Connection::open_with_flags(":memory:", flags).await
    }

    /// Open a new connection to an in-memory SQLite database using the specific
    /// flags and vfs name.
    ///
    /// [Database Connection](http://www.sqlite.org/c3ref/open.html) for a description of valid
    /// flag combinations.
    ///
    /// # Failure
    ///
    /// Will return `Err` if `vfs` cannot be converted to a C-compatible
    /// string or if the underlying SQLite open call fails.
    pub async fn open_in_memory_with_flags_and_vfs(flags: rusqlite::OpenFlags, vfs: &str) -> Result<Connection,rusqlite::Error> {
        Connection::open_with_flags_and_vfs(":memory:", flags, vfs).await
    }

    /// Close the SQLite connection.
    ///
    /// This is functionally equivalent to the `Drop` implementation for
    /// [`Connection`] except that on failure, it returns the error. Unlike
    /// the [`rusqlite`] version of this method, it does not need to consume
    /// `self`.
    ///
    /// # Failure
    ///
    /// Will return `Err` if the underlying SQLite call fails.
    pub async fn close(&self) -> Result<(),Error> {
        self.conn.call(|conn| {
            match conn.take() {
                Some(c) => {
                    match c.close() {
                        Ok(_) => Ok(()),
                        Err((c, err)) => {
                            // close failed; replace the connection and
                            // return the error.
                            *conn = Some(c);
                            Err(Error::Rusqlite(err))
                        }
                    }
                },
                // Already closed!
                None => Err(Error::AlreadyClosed)
            }
        }).await
    }

    /// Run some arbitrary function against the [`rusqlite::Connection`] and return the result.
    ///
    /// # Failure
    ///
    /// Will return Err if the connection is closed, or if the provided function returns an error.
    /// The error type must impl [`From<AlreadyClosed>`] to handle this possibility being emitted.
    pub async fn call<R, E, F>(&self, f: F) -> Result<R,E>
    where
        R: Send + 'static,
        E: Send + 'static + From<AlreadyClosed>,
        F: Send + 'static + FnOnce(&mut rusqlite::Connection) -> Result<R, E>
    {
        self.conn.call(|conn| {
            match conn {
                Some(conn) => Ok(f(conn)?),
                None => Err(AlreadyClosed.into())
            }
        }).await
    }
}

/// If the connection is already closed, this will be returned
/// for the user to convert into their own error type. This can be
/// converted into [`Error`] and [`rusqlite::Error`] so that either
/// can be returned in the [`Connection::call()`] function.
#[derive(Clone,Copy,PartialEq,Eq,Debug)]
pub struct AlreadyClosed;

impl From<AlreadyClosed> for rusqlite::Error {
    fn from(_: AlreadyClosed) -> Self {
        // There's not an ideal match for this error, so
        // just output something that is sortof sensible:
        let e = rusqlite::ffi::Error {
            code: rusqlite::ffi::ErrorCode::CannotOpen,
            extended_code: rusqlite::ffi::SQLITE_CANTOPEN
        };
        rusqlite::Error::SqliteFailure(e, None)
    }
}

/// An error emitted if closing the connection fails.
#[derive(Debug, PartialEq)]
#[non_exhaustive]
pub enum Error {
    /// The connection to SQLite has already been closed.
    AlreadyClosed,
    /// A `rusqlite` error occured trying to close the connection.
    Rusqlite(rusqlite::Error),
}

impl std::fmt::Display for Error {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        match self {
            Error::AlreadyClosed => write!(f, "The connection has already been closed"),
            Error::Rusqlite(e) => write!(f, "Rusqlite error: {e}"),
        }
    }
}

impl std::error::Error for Error {
    fn source(&self) -> Option<&(dyn std::error::Error + 'static)> {
        match self {
            Error::AlreadyClosed => None,
            Error::Rusqlite(e) => Some(e),
        }
    }
}

impl From<rusqlite::Error> for Error {
    fn from(value: rusqlite::Error) -> Self {
        Error::Rusqlite(value)
    }
}

impl From<AlreadyClosed> for Error {
    fn from(_: AlreadyClosed) -> Self {
        Error::AlreadyClosed
    }
}

#[cfg(test)]
mod test {
    use super::*;

    #[tokio::test]
    async fn test_many_calls() -> Result<(), Error> {
        let conn = Connection::open_in_memory().await?;

        conn.call(|conn| {
            conn.execute(
                "CREATE TABLE numbers (
                    id   INTEGER PRIMARY KEY,
                    num  INTEGER NOT NULL
                )",
                (),
            )
        }).await?;

        for n in 0..10000 {
            conn.call(move |conn| {
                conn.execute(
                    "INSERT INTO numbers (num) VALUES (?1)",
                    (n,)
                )
            }).await?;
        }

        let count: usize = conn.call(|conn| {
            conn.query_row(
                "SELECT count(num) FROM numbers",
                (),
                |r| r.get(0)
            )
        }).await?;

        assert_eq!(count, 10000);
        Ok(())
    }

    #[tokio::test]
    async fn closes_once() {
        let conn = Connection::open_in_memory().await.unwrap();

        conn.close().await.expect("should close ok first time");
        let err = conn.close().await.expect_err("should error second time");

        assert_eq!(err, Error::AlreadyClosed);
    }

    #[tokio::test]
    async fn cant_call_after_close() {
        let conn = Connection::open_in_memory().await.unwrap();

        conn.close().await.expect("should close ok");
        let err = conn
            .call(|_conn| Ok::<_,Error>(()))
            .await
            .expect_err("should error second time");

        assert_eq!(err, Error::AlreadyClosed);
    }

    #[tokio::test]
    async fn custom_call_error() {
        // Custom error type that can capture possibility
        // of connection being closed.
        #[derive(Debug,PartialEq)]
        pub enum MyErr { AlreadyClosed, Other(&'static str) }
        impl From<AlreadyClosed> for MyErr {
            fn from(_: AlreadyClosed) -> MyErr {
                MyErr::AlreadyClosed
            }
        }

        let conn = Connection::open_in_memory().await.unwrap();

        let err = conn
            .call(|_conn| Err::<(),_>(MyErr::Other("foo")))
            .await
            .expect_err("should error");

        assert_eq!(err, MyErr::Other("foo"));

        conn.close().await.unwrap();

        let err = conn
            .call(|_conn| Ok::<_,MyErr>(()))
            .await
            .expect_err("should error");

        assert_eq!(err, MyErr::AlreadyClosed);
    }
}