zed/crates/db/src/db.rs

64 lines
1.8 KiB
Rust
Raw Normal View History

pub mod kvp;
2022-10-13 23:31:26 +00:00
use std::fs;
2022-11-01 20:15:58 +00:00
use std::ops::Deref;
use std::path::Path;
2022-10-18 18:43:18 +00:00
use anyhow::Result;
2022-11-01 20:15:58 +00:00
use indoc::indoc;
use sqlez::connection::Connection;
use sqlez::domain::Domain;
2022-11-01 20:15:58 +00:00
use sqlez::thread_safe_connection::ThreadSafeConnection;
const INITIALIZE_QUERY: &'static str = indoc! {"
PRAGMA journal_mode=WAL;
PRAGMA synchronous=NORMAL;
PRAGMA foreign_keys=TRUE;
PRAGMA case_sensitive_like=TRUE;
"};
#[derive(Clone)]
pub struct Db<D: Domain>(ThreadSafeConnection<D>);
2022-11-01 20:15:58 +00:00
impl<D: Domain> Deref for Db<D> {
2022-11-01 20:15:58 +00:00
type Target = sqlez::connection::Connection;
2022-11-01 20:15:58 +00:00
fn deref(&self) -> &Self::Target {
&self.0.deref()
}
}
2022-10-13 22:43:42 +00:00
impl<D: Domain> Db<D> {
/// Open or create a database at the given directory path.
2022-10-28 18:50:26 +00:00
pub fn open(db_dir: &Path, channel: &'static str) -> Self {
// Use 0 for now. Will implement incrementing and clearing of old db files soon TM
2022-10-28 18:50:26 +00:00
let current_db_dir = db_dir.join(Path::new(&format!("0-{}", channel)));
fs::create_dir_all(&current_db_dir)
.expect("Should be able to create the database directory");
let db_path = current_db_dir.join(Path::new("db.sqlite"));
Db(
ThreadSafeConnection::new(db_path.to_string_lossy().as_ref(), true)
.with_initialize_query(INITIALIZE_QUERY),
)
}
2022-10-13 23:31:26 +00:00
/// Open a in memory database for testing and as a fallback.
2022-11-02 20:26:23 +00:00
pub fn open_in_memory(db_name: &str) -> Self {
Db(ThreadSafeConnection::new(db_name, false).with_initialize_query(INITIALIZE_QUERY))
}
pub fn persisting(&self) -> bool {
self.persistent()
2022-10-13 22:43:42 +00:00
}
pub fn write_to<P: AsRef<Path>>(&self, dest: P) -> Result<()> {
2022-11-01 20:15:58 +00:00
let destination = Connection::open_file(dest.as_ref().to_string_lossy().as_ref());
self.backup_main(&destination)
2022-10-18 18:43:18 +00:00
}
pub fn open_as<D2: Domain>(&self) -> Db<D2> {
Db(self.0.for_domain())
}
}