Private
Public Access
1
0

reorg: split repo / database so settings can use db connection as well

This commit is contained in:
2025-04-25 15:42:46 -07:00
parent dd9025cc10
commit f7d094fcd6
12 changed files with 326 additions and 82 deletions

10
Cargo.lock generated
View File

@@ -160,6 +160,15 @@ version = "0.22.1"
source = "registry+https://github.com/rust-lang/crates.io-index" source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "72b3254f16251a8381aa12e40e3c4d2f0199f8c6508fbecb9d91f575e0fbb8c6" checksum = "72b3254f16251a8381aa12e40e3c4d2f0199f8c6508fbecb9d91f575e0fbb8c6"
[[package]]
name = "bincode"
version = "1.3.3"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "b1f45e9417d87227c7a56d22e471c6206462cba514c7590c09aff4cf6d1ddcad"
dependencies = [
"serde",
]
[[package]] [[package]]
name = "bitflags" name = "bitflags"
version = "1.3.2" version = "1.3.2"
@@ -796,6 +805,7 @@ name = "kordophone-db"
version = "0.1.0" version = "0.1.0"
dependencies = [ dependencies = [
"anyhow", "anyhow",
"bincode",
"chrono", "chrono",
"diesel", "diesel",
"diesel_migrations", "diesel_migrations",

View File

@@ -5,6 +5,7 @@ edition = "2021"
[dependencies] [dependencies]
anyhow = "1.0.94" anyhow = "1.0.94"
bincode = "1.3.3"
chrono = "0.4.38" chrono = "0.4.38"
diesel = { version = "2.2.6", features = ["chrono", "sqlite", "time"] } diesel = { version = "2.2.6", features = ["chrono", "sqlite", "time"] }
diesel_migrations = { version = "2.2.0", features = ["sqlite"] } diesel_migrations = { version = "2.2.0", features = ["sqlite"] }

View File

@@ -0,0 +1,7 @@
-- This file should undo anything in `up.sql`
DROP TABLE IF EXISTS `settings`;

View File

@@ -0,0 +1,11 @@
-- Your SQL goes here
CREATE TABLE `settings`(
`key` TEXT NOT NULL PRIMARY KEY,
`value` BINARY NOT NULL
);

View File

@@ -0,0 +1,34 @@
use anyhow::Result;
use diesel::prelude::*;
use crate::repository::Repository;
use crate::settings::Settings;
use diesel_migrations::{embed_migrations, EmbeddedMigrations, MigrationHarness};
pub const MIGRATIONS: EmbeddedMigrations = embed_migrations!();
pub struct Database {
pub connection: SqliteConnection,
}
impl Database {
pub fn new(path: &str) -> Result<Self> {
let mut connection = SqliteConnection::establish(path)?;
connection.run_pending_migrations(MIGRATIONS)
.map_err(|e| anyhow::anyhow!("Error running migrations: {}", e))?;
Ok(Self { connection })
}
pub fn new_in_memory() -> Result<Self> {
Self::new(":memory:")
}
pub fn get_repository(&mut self) -> Repository {
Repository::new(self)
}
pub fn get_settings(&mut self) -> Settings {
Settings::new(self)
}
}

View File

@@ -1,8 +1,10 @@
pub mod database;
pub mod models; pub mod models;
pub mod chat_database; pub mod repository;
pub mod schema; pub mod schema;
pub mod settings;
#[cfg(test)] #[cfg(test)]
mod tests; mod tests;
pub use chat_database::ChatDatabase; pub use repository::Repository;

View File

@@ -2,11 +2,14 @@ use anyhow::Result;
use diesel::prelude::*; use diesel::prelude::*;
use diesel::query_dsl::BelongingToDsl; use diesel::query_dsl::BelongingToDsl;
use crate::models::Participant; use std::sync::Arc;
use crate::{ use crate::{
database::Database,
models::{ models::{
Conversation, Conversation,
Message, Message,
Participant,
db::conversation::Record as ConversationRecord, db::conversation::Record as ConversationRecord,
db::participant::{ db::participant::{
ConversationParticipant, ConversationParticipant,
@@ -18,32 +21,13 @@ use crate::{
schema, schema,
}; };
use diesel_migrations::{embed_migrations, EmbeddedMigrations, MigrationHarness}; pub struct Repository<'a> {
pub const MIGRATIONS: EmbeddedMigrations = embed_migrations!(); db: &'a mut Database,
pub struct ChatDatabase {
db: SqliteConnection,
} }
impl ChatDatabase { impl<'a> Repository<'a> {
pub fn new_in_memory() -> Result<Self> { pub fn new(db: &'a mut Database) -> Self {
Self::new(":memory:") Self { db }
}
// Helper function to get the last inserted row ID
// This is a workaround since the Sqlite backend doesn't support `RETURNING`
// Huge caveat with this is that it depends on whatever the last insert was, prevents concurrent inserts.
fn last_insert_id(&mut self) -> Result<i32> {
Ok(diesel::select(diesel::dsl::sql::<diesel::sql_types::Integer>("last_insert_rowid()"))
.get_result(&mut self.db)?)
}
pub fn new(db_path: &str) -> Result<Self> {
let mut db = SqliteConnection::establish(db_path)?;
db.run_pending_migrations(MIGRATIONS)
.map_err(|e| anyhow::anyhow!("Error running migrations: {}", e))?;
Ok(Self { db })
} }
pub fn insert_conversation(&mut self, conversation: Conversation) -> Result<()> { pub fn insert_conversation(&mut self, conversation: Conversation) -> Result<()> {
@@ -55,25 +39,25 @@ impl ChatDatabase {
diesel::replace_into(conversations) diesel::replace_into(conversations)
.values(&db_conversation) .values(&db_conversation)
.execute(&mut self.db)?; .execute(&mut self.db.connection)?;
diesel::replace_into(participants) diesel::replace_into(participants)
.values(&db_participants) .values(&db_participants)
.execute(&mut self.db)?; .execute(&mut self.db.connection)?;
// Sqlite backend doesn't support batch insert, so we have to do this manually // Sqlite backend doesn't support batch insert, so we have to do this manually
for participant in db_participants { for participant in db_participants {
let pid = participants let pid = participants
.select(schema::participants::id) .select(schema::participants::id)
.filter(schema::participants::display_name.eq(&participant.display_name)) .filter(schema::participants::display_name.eq(&participant.display_name))
.first::<i32>(&mut self.db)?; .first::<i32>(&mut self.db.connection)?;
diesel::replace_into(conversation_participants) diesel::replace_into(conversation_participants)
.values(( .values((
conversation_id.eq(&db_conversation.id), conversation_id.eq(&db_conversation.id),
participant_id.eq(pid), participant_id.eq(pid),
)) ))
.execute(&mut self.db)?; .execute(&mut self.db.connection)?;
} }
Ok(()) Ok(())
@@ -85,14 +69,14 @@ impl ChatDatabase {
let result = conversations let result = conversations
.find(match_guid) .find(match_guid)
.first::<ConversationRecord>(&mut self.db) .first::<ConversationRecord>(&mut self.db.connection)
.optional()?; .optional()?;
if let Some(conversation) = result { if let Some(conversation) = result {
let db_participants = ConversationParticipant::belonging_to(&conversation) let db_participants = ConversationParticipant::belonging_to(&conversation)
.inner_join(participants) .inner_join(participants)
.select(ParticipantRecord::as_select()) .select(ParticipantRecord::as_select())
.load::<ParticipantRecord>(&mut self.db)?; .load::<ParticipantRecord>(&mut self.db.connection)?;
let mut model_conversation: Conversation = conversation.into(); let mut model_conversation: Conversation = conversation.into();
model_conversation.participants = db_participants.into_iter().map(|p| p.into()).collect(); model_conversation.participants = db_participants.into_iter().map(|p| p.into()).collect();
@@ -108,14 +92,14 @@ impl ChatDatabase {
use crate::schema::participants::dsl::*; use crate::schema::participants::dsl::*;
let db_conversations = conversations let db_conversations = conversations
.load::<ConversationRecord>(&mut self.db)?; .load::<ConversationRecord>(&mut self.db.connection)?;
let mut result = Vec::new(); let mut result = Vec::new();
for db_conversation in db_conversations { for db_conversation in db_conversations {
let db_participants = ConversationParticipant::belonging_to(&db_conversation) let db_participants = ConversationParticipant::belonging_to(&db_conversation)
.inner_join(participants) .inner_join(participants)
.select(ParticipantRecord::as_select()) .select(ParticipantRecord::as_select())
.load::<ParticipantRecord>(&mut self.db)?; .load::<ParticipantRecord>(&mut self.db.connection)?;
let mut model_conversation: Conversation = db_conversation.into(); let mut model_conversation: Conversation = db_conversation.into();
model_conversation.participants = db_participants.into_iter().map(|p| p.into()).collect(); model_conversation.participants = db_participants.into_iter().map(|p| p.into()).collect();
@@ -137,14 +121,14 @@ impl ChatDatabase {
diesel::replace_into(messages) diesel::replace_into(messages)
.values(&db_message) .values(&db_message)
.execute(&mut self.db)?; .execute(&mut self.db.connection)?;
diesel::replace_into(conversation_messages) diesel::replace_into(conversation_messages)
.values(( .values((
conversation_id.eq(conversation_guid), conversation_id.eq(conversation_guid),
message_id.eq(&db_message.id), message_id.eq(&db_message.id),
)) ))
.execute(&mut self.db)?; .execute(&mut self.db.connection)?;
Ok(()) Ok(())
} }
@@ -159,7 +143,7 @@ impl ChatDatabase {
.inner_join(messages) .inner_join(messages)
.select(MessageRecord::as_select()) .select(MessageRecord::as_select())
.order_by(schema::messages::date.asc()) .order_by(schema::messages::date.asc())
.load::<MessageRecord>(&mut self.db)?; .load::<MessageRecord>(&mut self.db.connection)?;
let mut result = Vec::new(); let mut result = Vec::new();
for message_record in message_records { for message_record in message_records {
@@ -169,7 +153,7 @@ impl ChatDatabase {
if let Some(pid) = message_record.sender_participant_id { if let Some(pid) = message_record.sender_participant_id {
let participant = participants let participant = participants
.find(pid) .find(pid)
.first::<ParticipantRecord>(&mut self.db)?; .first::<ParticipantRecord>(&mut self.db.connection)?;
message.sender = participant.into(); message.sender = participant.into();
} }
@@ -179,6 +163,14 @@ impl ChatDatabase {
Ok(result) Ok(result)
} }
// Helper function to get the last inserted row ID
// This is a workaround since the Sqlite backend doesn't support `RETURNING`
// Huge caveat with this is that it depends on whatever the last insert was, prevents concurrent inserts.
fn last_insert_id(&mut self) -> Result<i32> {
Ok(diesel::select(diesel::dsl::sql::<diesel::sql_types::Integer>("last_insert_rowid()"))
.get_result(&mut self.db.connection)?)
}
fn get_or_create_participant(&mut self, participant: &Participant) -> Option<i32> { fn get_or_create_participant(&mut self, participant: &Participant) -> Option<i32> {
match participant { match participant {
Participant::Me => None, Participant::Me => None,
@@ -187,7 +179,7 @@ impl ChatDatabase {
let existing_participant = participants let existing_participant = participants
.filter(display_name.eq(p_name)) .filter(display_name.eq(p_name))
.first::<ParticipantRecord>(&mut self.db) .first::<ParticipantRecord>(&mut self.db.connection)
.optional() .optional()
.unwrap(); .unwrap();
@@ -202,7 +194,7 @@ impl ChatDatabase {
diesel::insert_into(participants) diesel::insert_into(participants)
.values(&participant_record) .values(&participant_record)
.execute(&mut self.db) .execute(&mut self.db.connection)
.unwrap(); .unwrap();
self.last_insert_id().ok() self.last_insert_id().ok()

View File

@@ -42,6 +42,13 @@ diesel::table! {
} }
} }
diesel::table! {
settings (key) {
key -> Text,
value -> Binary,
}
}
diesel::joinable!(conversation_participants -> conversations (conversation_id)); diesel::joinable!(conversation_participants -> conversations (conversation_id));
diesel::joinable!(conversation_participants -> participants (participant_id)); diesel::joinable!(conversation_participants -> participants (participant_id));
diesel::allow_tables_to_appear_in_same_query!(conversations, participants, conversation_participants); diesel::allow_tables_to_appear_in_same_query!(conversations, participants, conversation_participants);

View File

@@ -0,0 +1,71 @@
use diesel::*;
use serde::{Serialize, de::DeserializeOwned};
use anyhow::Result;
use crate::database::Database;
#[derive(Insertable, Queryable, AsChangeset)]
#[diesel(table_name = crate::schema::settings)]
struct SettingsRow<'a> {
key: &'a str,
value: &'a [u8],
}
pub struct Settings<'a> {
db: &'a mut Database,
}
impl<'a> Settings<'a> {
pub fn new(db: &'a mut Database) -> Self {
Self { db }
}
pub fn put<T: Serialize>(
&mut self,
k: &str,
v: &T,
) -> Result<()> {
use crate::schema::settings::dsl::*;
let bytes = bincode::serialize(v)?;
diesel::insert_into(settings)
.values(SettingsRow { key: k, value: &bytes })
.on_conflict(key)
.do_update()
.set((value.eq(&bytes)))
.execute(&mut self.db.connection)?;
Ok(())
}
pub fn get<T: DeserializeOwned>(
&mut self,
k: &str,
) -> Result<Option<T>> {
use crate::schema::settings::dsl::*;
let blob: Option<Vec<u8>> = settings
.select(value)
.filter(key.eq(k))
.first(&mut self.db.connection)
.optional()?;
Ok(match blob {
Some(b) => Some(bincode::deserialize(&b)?),
None => None,
})
}
pub fn del(&mut self, k: &str) -> Result<usize> {
use crate::schema::settings::dsl::*;
Ok(diesel::delete(settings.filter(key.eq(k))).execute(&mut self.db.connection)?)
}
pub fn list_keys(&mut self) -> Result<Vec<String>> {
use crate::schema::settings::dsl::*;
let keys: Vec<String> = settings
.select(key)
.load(&mut self.db.connection)?;
Ok(keys)
}
}

View File

@@ -1,10 +1,12 @@
use crate::{ use crate::{
chat_database::ChatDatabase, database::Database,
repository::Repository,
models::{ models::{
conversation::{Conversation, ConversationBuilder}, conversation::{Conversation, ConversationBuilder},
participant::Participant, participant::Participant,
message::Message, message::Message,
} },
settings::Settings,
}; };
// Helper function to compare participants ignoring database IDs // Helper function to compare participants ignoring database IDs
@@ -26,12 +28,14 @@ fn participants_vec_equal_ignoring_id(a: &[Participant], b: &[Participant]) -> b
#[test] #[test]
fn test_database_init() { fn test_database_init() {
let _ = ChatDatabase::new_in_memory().unwrap(); let mut db = Database::new_in_memory().unwrap();
let _ = Repository::new(&mut db);
} }
#[test] #[test]
fn test_add_conversation() { fn test_add_conversation() {
let mut db = ChatDatabase::new_in_memory().unwrap(); let mut db = Database::new_in_memory().unwrap();
let mut repository = db.get_repository();
let guid = "test"; let guid = "test";
let test_conversation = Conversation::builder() let test_conversation = Conversation::builder()
@@ -40,10 +44,10 @@ fn test_add_conversation() {
.display_name("Test Conversation") .display_name("Test Conversation")
.build(); .build();
db.insert_conversation(test_conversation.clone()).unwrap(); repository.insert_conversation(test_conversation.clone()).unwrap();
// Try to fetch with id now // Try to fetch with id now
let conversation = db.get_conversation_by_guid(guid).unwrap().unwrap(); let conversation = repository.get_conversation_by_guid(guid).unwrap().unwrap();
assert_eq!(conversation.guid, "test"); assert_eq!(conversation.guid, "test");
// Modify the conversation and update it // Modify the conversation and update it
@@ -51,20 +55,21 @@ fn test_add_conversation() {
.display_name("Modified Conversation") .display_name("Modified Conversation")
.build(); .build();
db.insert_conversation(modified_conversation.clone()).unwrap(); repository.insert_conversation(modified_conversation.clone()).unwrap();
// Make sure we still only have one conversation. // Make sure we still only have one conversation.
let all_conversations = db.all_conversations().unwrap(); let all_conversations = repository.all_conversations().unwrap();
assert_eq!(all_conversations.len(), 1); assert_eq!(all_conversations.len(), 1);
// And make sure the display name was updated // And make sure the display name was updated
let conversation = db.get_conversation_by_guid(guid).unwrap().unwrap(); let conversation = repository.get_conversation_by_guid(guid).unwrap().unwrap();
assert_eq!(conversation.display_name.unwrap(), "Modified Conversation"); assert_eq!(conversation.display_name.unwrap(), "Modified Conversation");
} }
#[test] #[test]
fn test_conversation_participants() { fn test_conversation_participants() {
let mut db = ChatDatabase::new_in_memory().unwrap(); let mut db = Database::new_in_memory().unwrap();
let mut repository = db.get_repository();
let participants: Vec<Participant> = vec!["one".into(), "two".into()]; let participants: Vec<Participant> = vec!["one".into(), "two".into()];
@@ -75,9 +80,9 @@ fn test_conversation_participants() {
.participants(participants.clone()) .participants(participants.clone())
.build(); .build();
db.insert_conversation(conversation).unwrap(); repository.insert_conversation(conversation).unwrap();
let read_conversation = db.get_conversation_by_guid(&guid).unwrap().unwrap(); let read_conversation = repository.get_conversation_by_guid(&guid).unwrap().unwrap();
let read_participants = read_conversation.participants; let read_participants = read_conversation.participants;
assert!(participants_vec_equal_ignoring_id(&participants, &read_participants)); assert!(participants_vec_equal_ignoring_id(&participants, &read_participants));
@@ -88,9 +93,9 @@ fn test_conversation_participants() {
.participants(participants.clone()) .participants(participants.clone())
.build(); .build();
db.insert_conversation(conversation).unwrap(); repository.insert_conversation(conversation).unwrap();
let read_conversation = db.get_conversation_by_guid(&guid).unwrap().unwrap(); let read_conversation = repository.get_conversation_by_guid(&guid).unwrap().unwrap();
let read_participants: Vec<Participant> = read_conversation.participants; let read_participants: Vec<Participant> = read_conversation.participants;
assert!(participants_vec_equal_ignoring_id(&participants, &read_participants)); assert!(participants_vec_equal_ignoring_id(&participants, &read_participants));
@@ -98,7 +103,8 @@ fn test_conversation_participants() {
#[test] #[test]
fn test_all_conversations_with_participants() { fn test_all_conversations_with_participants() {
let mut db = ChatDatabase::new_in_memory().unwrap(); let mut db = Database::new_in_memory().unwrap();
let mut repository = db.get_repository();
// Create two conversations with different participants // Create two conversations with different participants
let participants1: Vec<Participant> = vec!["one".into(), "two".into()]; let participants1: Vec<Participant> = vec!["one".into(), "two".into()];
@@ -119,11 +125,11 @@ fn test_all_conversations_with_participants() {
.build(); .build();
// Insert both conversations // Insert both conversations
db.insert_conversation(conversation1).unwrap(); repository.insert_conversation(conversation1).unwrap();
db.insert_conversation(conversation2).unwrap(); repository.insert_conversation(conversation2).unwrap();
// Get all conversations and verify the results // Get all conversations and verify the results
let all_conversations = db.all_conversations().unwrap(); let all_conversations = repository.all_conversations().unwrap();
assert_eq!(all_conversations.len(), 2); assert_eq!(all_conversations.len(), 2);
// Find and verify each conversation's participants // Find and verify each conversation's participants
@@ -136,7 +142,8 @@ fn test_all_conversations_with_participants() {
#[test] #[test]
fn test_messages() { fn test_messages() {
let mut db = ChatDatabase::new_in_memory().unwrap(); let mut db = Database::new_in_memory().unwrap();
let mut repository = db.get_repository();
// First create a conversation with participants // First create a conversation with participants
let participants = vec!["Alice".into(), "Bob".into()]; let participants = vec!["Alice".into(), "Bob".into()];
@@ -146,7 +153,7 @@ fn test_messages() {
.build(); .build();
let conversation_id = conversation.guid.clone(); let conversation_id = conversation.guid.clone();
db.insert_conversation(conversation).unwrap(); repository.insert_conversation(conversation).unwrap();
// Create and insert a message from Me // Create and insert a message from Me
let message1 = Message::builder() let message1 = Message::builder()
@@ -160,11 +167,11 @@ fn test_messages() {
.build(); .build();
// Insert both messages // Insert both messages
db.insert_message(&conversation_id, message1.clone()).unwrap(); repository.insert_message(&conversation_id, message1.clone()).unwrap();
db.insert_message(&conversation_id, message2.clone()).unwrap(); repository.insert_message(&conversation_id, message2.clone()).unwrap();
// Retrieve messages // Retrieve messages
let messages = db.get_messages_for_conversation(&conversation_id).unwrap(); let messages = repository.get_messages_for_conversation(&conversation_id).unwrap();
assert_eq!(messages.len(), 2); assert_eq!(messages.len(), 2);
// Verify first message (from Me) // Verify first message (from Me)
@@ -184,14 +191,15 @@ fn test_messages() {
#[test] #[test]
fn test_message_ordering() { fn test_message_ordering() {
let mut db = ChatDatabase::new_in_memory().unwrap(); let mut db = Database::new_in_memory().unwrap();
let mut repository = db.get_repository();
// Create a conversation // Create a conversation
let conversation = ConversationBuilder::new() let conversation = ConversationBuilder::new()
.display_name("Test Chat") .display_name("Test Chat")
.build(); .build();
let conversation_id = conversation.guid.clone(); let conversation_id = conversation.guid.clone();
db.insert_conversation(conversation).unwrap(); repository.insert_conversation(conversation).unwrap();
// Create messages with specific timestamps // Create messages with specific timestamps
let now = chrono::Utc::now().naive_utc(); let now = chrono::Utc::now().naive_utc();
@@ -211,12 +219,12 @@ fn test_message_ordering() {
.build(); .build();
// Insert messages // Insert messages
db.insert_message(&conversation_id, message1).unwrap(); repository.insert_message(&conversation_id, message1).unwrap();
db.insert_message(&conversation_id, message2).unwrap(); repository.insert_message(&conversation_id, message2).unwrap();
db.insert_message(&conversation_id, message3).unwrap(); repository.insert_message(&conversation_id, message3).unwrap();
// Retrieve messages and verify order // Retrieve messages and verify order
let messages = db.get_messages_for_conversation(&conversation_id).unwrap(); let messages = repository.get_messages_for_conversation(&conversation_id).unwrap();
assert_eq!(messages.len(), 3); assert_eq!(messages.len(), 3);
// Messages should be ordered by date // Messages should be ordered by date
@@ -224,3 +232,18 @@ fn test_message_ordering() {
assert!(messages[i].date > messages[i-1].date); assert!(messages[i].date > messages[i-1].date);
} }
} }
#[test]
fn test_settings() {
let mut db = Database::new_in_memory().unwrap();
let mut settings = db.get_settings();
settings.put("test", &"test".to_string()).unwrap();
assert_eq!(settings.get::<String>("test").unwrap().unwrap(), "test");
settings.del("test").unwrap();
assert!(settings.get::<String>("test").unwrap().is_none());
let keys = settings.list_keys().unwrap();
assert_eq!(keys.len(), 0);
}

View File

@@ -3,7 +3,7 @@ use clap::Subcommand;
use dbus::blocking::{Connection, Proxy}; use dbus::blocking::{Connection, Proxy};
const DBUS_NAME: &str = "net.buzzert.kordophonecd"; const DBUS_NAME: &str = "net.buzzert.kordophonecd";
const DBUS_PATH: &str = "/net/buzzert/kordophone/Server"; const DBUS_PATH: &str = "/net/buzzert/kordophonecd";
mod dbus_interface { mod dbus_interface {
#![allow(unused)] #![allow(unused)]

View File

@@ -3,7 +3,7 @@ use clap::Subcommand;
use kordophone::APIInterface; use kordophone::APIInterface;
use std::{env, path::PathBuf}; use std::{env, path::PathBuf};
use kordophone_db::ChatDatabase; use kordophone_db::{database::Database, repository::Repository, settings};
use crate::{client, printers::{ConversationPrinter, MessagePrinter}}; use crate::{client, printers::{ConversationPrinter, MessagePrinter}};
#[derive(Subcommand)] #[derive(Subcommand)]
@@ -19,6 +19,12 @@ pub enum Commands {
#[clap(subcommand)] #[clap(subcommand)]
command: MessageCommands command: MessageCommands
}, },
/// For managing settings in the database.
Settings {
#[clap(subcommand)]
command: SettingsCommands
},
} }
#[derive(Subcommand)] #[derive(Subcommand)]
@@ -38,6 +44,29 @@ pub enum MessageCommands {
}, },
} }
#[derive(Subcommand)]
pub enum SettingsCommands {
/// Lists all settings or gets a specific setting.
Get {
/// The key to get. If not provided, all settings will be listed.
key: Option<String>
},
/// Sets a setting value.
Put {
/// The key to set.
key: String,
/// The value to set.
value: String,
},
/// Deletes a setting.
Delete {
/// The key to delete.
key: String,
},
}
impl Commands { impl Commands {
pub async fn run(cmd: Commands) -> Result<()> { pub async fn run(cmd: Commands) -> Result<()> {
let mut db = DbClient::new()?; let mut db = DbClient::new()?;
@@ -49,12 +78,17 @@ impl Commands {
Commands::Messages { command: cmd } => match cmd { Commands::Messages { command: cmd } => match cmd {
MessageCommands::List { conversation_id } => db.print_messages(&conversation_id).await, MessageCommands::List { conversation_id } => db.print_messages(&conversation_id).await,
}, },
Commands::Settings { command: cmd } => match cmd {
SettingsCommands::Get { key } => db.get_setting(key),
SettingsCommands::Put { key, value } => db.put_setting(key, value),
SettingsCommands::Delete { key } => db.delete_setting(key),
},
} }
} }
} }
struct DbClient { struct DbClient {
db: ChatDatabase database: Database
} }
impl DbClient { impl DbClient {
@@ -69,12 +103,12 @@ impl DbClient {
println!("kpcli: Using temporary db at {}", path_str); println!("kpcli: Using temporary db at {}", path_str);
let db = ChatDatabase::new(path_str)?; let db = Database::new(path_str)?;
Ok( Self { db }) Ok( Self { database: db })
} }
pub fn print_conversations(&mut self) -> Result<()> { pub fn print_conversations(&mut self) -> Result<()> {
let all_conversations = self.db.all_conversations()?; let all_conversations = self.database.get_repository().all_conversations()?;
println!("{} Conversations: ", all_conversations.len()); println!("{} Conversations: ", all_conversations.len());
for conversation in all_conversations { for conversation in all_conversations {
@@ -85,7 +119,7 @@ impl DbClient {
} }
pub async fn print_messages(&mut self, conversation_id: &str) -> Result<()> { pub async fn print_messages(&mut self, conversation_id: &str) -> Result<()> {
let messages = self.db.get_messages_for_conversation(conversation_id)?; let messages = self.database.get_repository().get_messages_for_conversation(conversation_id)?;
for message in messages { for message in messages {
println!("{}", MessagePrinter::new(&message.into())); println!("{}", MessagePrinter::new(&message.into()));
} }
@@ -99,18 +133,70 @@ impl DbClient {
.map(|c| kordophone_db::models::Conversation::from(c)) .map(|c| kordophone_db::models::Conversation::from(c))
.collect(); .collect();
let mut repository = self.database.get_repository();
for conversation in db_conversations { for conversation in db_conversations {
let conversation_id = conversation.guid.clone(); let conversation_id = conversation.guid.clone();
self.db.insert_conversation(conversation)?; repository.insert_conversation(conversation)?;
// Fetch and sync messages for this conversation // Fetch and sync messages for this conversation
let messages = client.get_messages(&conversation_id).await?; let messages = client.get_messages(&conversation_id).await?;
for message in messages { let db_messages: Vec<kordophone_db::models::Message> = messages.into_iter()
let db_message = kordophone_db::models::Message::from(message); .map(|m| kordophone_db::models::Message::from(m))
self.db.insert_message(&conversation_id, db_message)?; .collect();
for message in db_messages {
repository.insert_message(&conversation_id, message)?;
} }
} }
Ok(()) Ok(())
} }
pub fn get_setting(&mut self, key: Option<String>) -> Result<()> {
let mut settings = self.database.get_settings();
match key {
Some(key) => {
// Get a specific setting
let value: Option<String> = settings.get(&key)?;
match value {
Some(v) => println!("{} = {}", key, v),
None => println!("Setting '{}' not found", key),
}
},
None => {
// List all settings
let keys = settings.list_keys()?;
if keys.is_empty() {
println!("No settings found");
} else {
println!("Settings:");
for key in keys {
let value: Option<String> = settings.get(&key)?;
match value {
Some(v) => println!(" {} = {}", key, v),
None => println!(" {} = <error reading value>", key),
}
}
}
}
}
Ok(())
}
pub fn put_setting(&mut self, key: String, value: String) -> Result<()> {
let mut settings = self.database.get_settings();
settings.put(&key, &value)?;
Ok(())
}
pub fn delete_setting(&mut self, key: String) -> Result<()> {
let mut settings = self.database.get_settings();
let count = settings.del(&key)?;
if count == 0 {
println!("Setting '{}' not found", key);
}
Ok(())
}
} }