common.rs 2.0 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677
  1. use std::fs::remove_file;
  2. use std::ops::Deref;
  3. use std::str::FromStr;
  4. use std::sync::atomic::AtomicU64;
  5. use std::time::{Duration, SystemTime, UNIX_EPOCH};
  6. use sqlx::sqlite::{SqliteConnectOptions, SqlitePoolOptions};
  7. use sqlx::{Error, Pool, Sqlite};
  8. static FILE_ID: AtomicU64 = AtomicU64::new(0);
  9. /// A wrapper around a `Pool<Sqlite>` that may delete the database file when dropped in order to by
  10. /// pass the SQLx bug with pools and in-memory databases.
  11. ///
  12. /// [1] https://github.com/launchbadge/sqlx/issues/362
  13. /// [2] https://github.com/launchbadge/sqlx/issues/2510
  14. #[derive(Debug, Clone)]
  15. pub struct SqlitePool {
  16. pool: Pool<Sqlite>,
  17. path: String,
  18. delete: bool,
  19. }
  20. impl Drop for SqlitePool {
  21. fn drop(&mut self) {
  22. if self.delete {
  23. let _ = remove_file(&self.path);
  24. }
  25. }
  26. }
  27. impl Deref for SqlitePool {
  28. type Target = Pool<Sqlite>;
  29. fn deref(&self) -> &Self::Target {
  30. &self.pool
  31. }
  32. }
  33. #[inline(always)]
  34. pub async fn create_sqlite_pool(path: &str) -> Result<SqlitePool, Error> {
  35. let (path, delete) = if path.ends_with(":memory:") {
  36. (
  37. format!(
  38. "in-memory-{}-{}",
  39. SystemTime::now()
  40. .duration_since(UNIX_EPOCH)
  41. .unwrap()
  42. .as_nanos(),
  43. FILE_ID.fetch_add(1, std::sync::atomic::Ordering::SeqCst),
  44. ),
  45. true,
  46. )
  47. } else {
  48. (path.to_owned(), false)
  49. };
  50. let db_options = SqliteConnectOptions::from_str(&path)?
  51. .journal_mode(if delete {
  52. sqlx::sqlite::SqliteJournalMode::Memory
  53. } else {
  54. sqlx::sqlite::SqliteJournalMode::Wal
  55. })
  56. .busy_timeout(Duration::from_secs(5))
  57. .read_only(false)
  58. .create_if_missing(true)
  59. .auto_vacuum(sqlx::sqlite::SqliteAutoVacuum::Full);
  60. Ok(SqlitePool {
  61. pool: SqlitePoolOptions::new()
  62. .max_connections(1)
  63. .connect_with(db_options)
  64. .await?,
  65. delete,
  66. path,
  67. })
  68. }