mirror of
				https://github.com/johrpan/musicus.git
				synced 2025-10-26 11:47:25 +01:00 
			
		
		
		
	Add original database code
This commit is contained in:
		
							parent
							
								
									08be3cb613
								
							
						
					
					
						commit
						7eacfe21f4
					
				
					 26 changed files with 2059 additions and 24 deletions
				
			
		|  | @ -1,10 +1,8 @@ | |||
| use crate::{config::VERSION, MusicusWindow}; | ||||
| use adw::subclass::prelude::*; | ||||
| use gettextrs::gettext; | ||||
| use gtk::{gio, glib, prelude::*}; | ||||
| 
 | ||||
| use crate::config::VERSION; | ||||
| use crate::MusicusWindow; | ||||
| 
 | ||||
| mod imp { | ||||
|     use super::*; | ||||
| 
 | ||||
|  |  | |||
							
								
								
									
										74
									
								
								src/db/ensembles.rs
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										74
									
								
								src/db/ensembles.rs
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,74 @@ | |||
| use chrono::Utc; | ||||
| use diesel::prelude::*; | ||||
| use log::info; | ||||
| 
 | ||||
| use crate::db::{defer_foreign_keys, schema::ensembles, Result}; | ||||
| 
 | ||||
| /// An ensemble that takes part in recordings.
 | ||||
| #[derive(Insertable, Queryable, PartialEq, Eq, Hash, Debug, Clone)] | ||||
| pub struct Ensemble { | ||||
|     pub id: String, | ||||
|     pub name: String, | ||||
|     pub last_used: Option<i64>, | ||||
|     pub last_played: Option<i64>, | ||||
| } | ||||
| 
 | ||||
| impl Ensemble { | ||||
|     pub fn new(id: String, name: String) -> Self { | ||||
|         Self { | ||||
|             id, | ||||
|             name, | ||||
|             last_used: Some(Utc::now().timestamp()), | ||||
|             last_played: None, | ||||
|         } | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| /// Update an existing ensemble or insert a new one.
 | ||||
| pub fn update_ensemble(connection: &mut SqliteConnection, mut ensemble: Ensemble) -> Result<()> { | ||||
|     info!("Updating ensemble {:?}", ensemble); | ||||
|     defer_foreign_keys(connection)?; | ||||
| 
 | ||||
|     ensemble.last_used = Some(Utc::now().timestamp()); | ||||
| 
 | ||||
|     connection.transaction(|connection| { | ||||
|         diesel::replace_into(ensembles::table) | ||||
|             .values(ensemble) | ||||
|             .execute(connection) | ||||
|     })?; | ||||
| 
 | ||||
|     Ok(()) | ||||
| } | ||||
| 
 | ||||
| /// Get an existing ensemble.
 | ||||
| pub fn get_ensemble(connection: &mut SqliteConnection, id: &str) -> Result<Option<Ensemble>> { | ||||
|     let ensemble = ensembles::table | ||||
|         .filter(ensembles::id.eq(id)) | ||||
|         .load::<Ensemble>(connection)? | ||||
|         .into_iter() | ||||
|         .next(); | ||||
| 
 | ||||
|     Ok(ensemble) | ||||
| } | ||||
| 
 | ||||
| /// Delete an existing ensemble.
 | ||||
| pub fn delete_ensemble(connection: &mut SqliteConnection, id: &str) -> Result<()> { | ||||
|     info!("Deleting ensemble {}", id); | ||||
|     diesel::delete(ensembles::table.filter(ensembles::id.eq(id))).execute(connection)?; | ||||
|     Ok(()) | ||||
| } | ||||
| 
 | ||||
| /// Get all existing ensembles.
 | ||||
| pub fn get_ensembles(connection: &mut SqliteConnection) -> Result<Vec<Ensemble>> { | ||||
|     let ensembles = ensembles::table.load::<Ensemble>(connection)?; | ||||
|     Ok(ensembles) | ||||
| } | ||||
| 
 | ||||
| /// Get recently used ensembles.
 | ||||
| pub fn get_recent_ensembles(connection: &mut SqliteConnection) -> Result<Vec<Ensemble>> { | ||||
|     let ensembles = ensembles::table | ||||
|         .order(ensembles::last_used.desc()) | ||||
|         .load::<Ensemble>(connection)?; | ||||
| 
 | ||||
|     Ok(ensembles) | ||||
| } | ||||
							
								
								
									
										24
									
								
								src/db/error.rs
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										24
									
								
								src/db/error.rs
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,24 @@ | |||
| /// Error that happens within the database module.
 | ||||
| #[derive(thiserror::Error, Debug)] | ||||
| pub enum Error { | ||||
|     #[error(transparent)] | ||||
|     Connection(#[from] diesel::result::ConnectionError), | ||||
| 
 | ||||
|     #[error(transparent)] | ||||
|     Migrations(#[from] Box<dyn std::error::Error + Send + Sync>), | ||||
| 
 | ||||
|     #[error(transparent)] | ||||
|     Query(#[from] diesel::result::Error), | ||||
| 
 | ||||
|     #[error("Missing item dependency ({0} {1})")] | ||||
|     MissingItem(&'static str, String), | ||||
| 
 | ||||
|     #[error("Failed to parse {0} from '{1}'")] | ||||
|     Parsing(&'static str, String), | ||||
| 
 | ||||
|     #[error("{0}")] | ||||
|     Other(&'static str), | ||||
| } | ||||
| 
 | ||||
| /// Return type for database methods.
 | ||||
| pub type Result<T> = std::result::Result<T, Error>; | ||||
							
								
								
									
										79
									
								
								src/db/instruments.rs
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										79
									
								
								src/db/instruments.rs
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,79 @@ | |||
| use chrono::Utc; | ||||
| use diesel::prelude::*; | ||||
| use log::info; | ||||
| 
 | ||||
| use crate::db::{defer_foreign_keys, schema::instruments, Result}; | ||||
| 
 | ||||
| /// An instrument or any other possible role within a recording.
 | ||||
| #[derive(Insertable, Queryable, PartialEq, Eq, Hash, Debug, Clone)] | ||||
| pub struct Instrument { | ||||
|     pub id: String, | ||||
|     pub name: String, | ||||
|     pub last_used: Option<i64>, | ||||
|     pub last_played: Option<i64>, | ||||
| } | ||||
| 
 | ||||
| impl Instrument { | ||||
|     pub fn new(id: String, name: String) -> Self { | ||||
|         Self { | ||||
|             id, | ||||
|             name, | ||||
|             last_used: Some(Utc::now().timestamp()), | ||||
|             last_played: None, | ||||
|         } | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| /// Update an existing instrument or insert a new one.
 | ||||
| pub fn update_instrument( | ||||
|     connection: &mut SqliteConnection, | ||||
|     mut instrument: Instrument, | ||||
| ) -> Result<()> { | ||||
|     info!("Updating instrument {:?}", instrument); | ||||
|     defer_foreign_keys(connection)?; | ||||
| 
 | ||||
|     instrument.last_used = Some(Utc::now().timestamp()); | ||||
| 
 | ||||
|     connection.transaction(|connection| { | ||||
|         diesel::replace_into(instruments::table) | ||||
|             .values(instrument) | ||||
|             .execute(connection) | ||||
|     })?; | ||||
| 
 | ||||
|     Ok(()) | ||||
| } | ||||
| 
 | ||||
| /// Get an existing instrument.
 | ||||
| pub fn get_instrument(connection: &mut SqliteConnection, id: &str) -> Result<Option<Instrument>> { | ||||
|     let instrument = instruments::table | ||||
|         .filter(instruments::id.eq(id)) | ||||
|         .load::<Instrument>(connection)? | ||||
|         .into_iter() | ||||
|         .next(); | ||||
| 
 | ||||
|     Ok(instrument) | ||||
| } | ||||
| 
 | ||||
| /// Delete an existing instrument.
 | ||||
| pub fn delete_instrument(connection: &mut SqliteConnection, id: &str) -> Result<()> { | ||||
|     info!("Deleting instrument {}", id); | ||||
|     diesel::delete(instruments::table.filter(instruments::id.eq(id))).execute(connection)?; | ||||
| 
 | ||||
|     Ok(()) | ||||
| } | ||||
| 
 | ||||
| /// Get all existing instruments.
 | ||||
| pub fn get_instruments(connection: &mut SqliteConnection) -> Result<Vec<Instrument>> { | ||||
|     let instruments = instruments::table.load::<Instrument>(connection)?; | ||||
| 
 | ||||
|     Ok(instruments) | ||||
| } | ||||
| 
 | ||||
| /// Get recently used instruments.
 | ||||
| pub fn get_recent_instruments(connection: &mut SqliteConnection) -> Result<Vec<Instrument>> { | ||||
|     let instruments = instruments::table | ||||
|         .order(instruments::last_used.desc()) | ||||
|         .load::<Instrument>(connection)?; | ||||
| 
 | ||||
|     Ok(instruments) | ||||
| } | ||||
							
								
								
									
										351
									
								
								src/db/medium.rs
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										351
									
								
								src/db/medium.rs
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,351 @@ | |||
| use chrono::{DateTime, TimeZone, Utc}; | ||||
| use diesel::prelude::*; | ||||
| use log::info; | ||||
| 
 | ||||
| use crate::db::{ | ||||
|     defer_foreign_keys, generate_id, get_recording, | ||||
|     schema::{ensembles, mediums, performances, persons, recordings, tracks}, | ||||
|     update_recording, Error, Recording, Result, | ||||
| }; | ||||
| 
 | ||||
| /// Representation of someting like a physical audio disc or a folder with
 | ||||
| /// audio files (i.e. a collection of tracks for one or more recordings).
 | ||||
| #[derive(PartialEq, Eq, Hash, Debug, Clone)] | ||||
| pub struct Medium { | ||||
|     /// An unique ID for the medium.
 | ||||
|     pub id: String, | ||||
| 
 | ||||
|     /// The human identifier for the medium.
 | ||||
|     pub name: String, | ||||
| 
 | ||||
|     /// If applicable, the MusicBrainz DiscID.
 | ||||
|     pub discid: Option<String>, | ||||
| 
 | ||||
|     /// The tracks of the medium.
 | ||||
|     pub tracks: Vec<Track>, | ||||
| 
 | ||||
|     pub last_used: Option<DateTime<Utc>>, | ||||
|     pub last_played: Option<DateTime<Utc>>, | ||||
| } | ||||
| 
 | ||||
| impl Medium { | ||||
|     pub fn new(id: String, name: String, discid: Option<String>, tracks: Vec<Track>) -> Self { | ||||
|         Self { | ||||
|             id, | ||||
|             name, | ||||
|             discid, | ||||
|             tracks, | ||||
|             last_used: Some(Utc::now()), | ||||
|             last_played: None, | ||||
|         } | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| /// A track on a medium.
 | ||||
| #[derive(PartialEq, Eq, Hash, Debug, Clone)] | ||||
| pub struct Track { | ||||
|     /// The recording on this track.
 | ||||
|     pub recording: Recording, | ||||
| 
 | ||||
|     /// The work parts that are played on this track. They are indices to the
 | ||||
|     /// work parts of the work that is associated with the recording.
 | ||||
|     pub work_parts: Vec<usize>, | ||||
| 
 | ||||
|     /// The index of the track within its source. This is used to associate
 | ||||
|     /// the metadata with the audio data from the source when importing.
 | ||||
|     pub source_index: usize, | ||||
| 
 | ||||
|     /// The path to the audio file containing this track.
 | ||||
|     pub path: String, | ||||
| 
 | ||||
|     pub last_used: Option<DateTime<Utc>>, | ||||
|     pub last_played: Option<DateTime<Utc>>, | ||||
| } | ||||
| 
 | ||||
| impl Track { | ||||
|     pub fn new( | ||||
|         recording: Recording, | ||||
|         work_parts: Vec<usize>, | ||||
|         source_index: usize, | ||||
|         path: String, | ||||
|     ) -> Self { | ||||
|         Self { | ||||
|             recording, | ||||
|             work_parts, | ||||
|             source_index, | ||||
|             path, | ||||
|             last_used: Some(Utc::now()), | ||||
|             last_played: None, | ||||
|         } | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| /// Table data for a [`Medium`].
 | ||||
| #[derive(Insertable, Queryable, Debug, Clone)] | ||||
| #[diesel(table_name = mediums)] | ||||
| struct MediumRow { | ||||
|     pub id: String, | ||||
|     pub name: String, | ||||
|     pub discid: Option<String>, | ||||
|     pub last_used: Option<i64>, | ||||
|     pub last_played: Option<i64>, | ||||
| } | ||||
| 
 | ||||
| /// Table data for a [`Track`].
 | ||||
| #[derive(Insertable, Queryable, QueryableByName, Debug, Clone)] | ||||
| #[diesel(table_name = tracks)] | ||||
| struct TrackRow { | ||||
|     pub id: String, | ||||
|     pub medium: Option<String>, | ||||
|     pub index: i32, | ||||
|     pub recording: String, | ||||
|     pub work_parts: String, | ||||
|     pub source_index: i32, | ||||
|     pub path: String, | ||||
|     pub last_used: Option<i64>, | ||||
|     pub last_played: Option<i64>, | ||||
| } | ||||
| 
 | ||||
| /// Update an existing medium or insert a new one.
 | ||||
| pub fn update_medium(connection: &mut SqliteConnection, medium: Medium) -> Result<()> { | ||||
|     info!("Updating medium {:?}", medium); | ||||
|     defer_foreign_keys(connection)?; | ||||
| 
 | ||||
|     connection.transaction::<(), Error, _>(|connection| { | ||||
|         let medium_id = &medium.id; | ||||
| 
 | ||||
|         // This will also delete the tracks.
 | ||||
|         delete_medium(connection, medium_id)?; | ||||
| 
 | ||||
|         // Add the new medium.
 | ||||
| 
 | ||||
|         let medium_row = MediumRow { | ||||
|             id: medium_id.to_owned(), | ||||
|             name: medium.name.clone(), | ||||
|             discid: medium.discid.clone(), | ||||
|             last_used: Some(Utc::now().timestamp()), | ||||
|             last_played: medium.last_played.map(|t| t.timestamp()), | ||||
|         }; | ||||
| 
 | ||||
|         diesel::insert_into(mediums::table) | ||||
|             .values(medium_row) | ||||
|             .execute(connection)?; | ||||
| 
 | ||||
|         for (index, track) in medium.tracks.iter().enumerate() { | ||||
|             // Add associated items from the server, if they don't already exist.
 | ||||
| 
 | ||||
|             if get_recording(connection, &track.recording.id)?.is_none() { | ||||
|                 update_recording(connection, track.recording.clone())?; | ||||
|             } | ||||
| 
 | ||||
|             // Add the actual track data.
 | ||||
| 
 | ||||
|             let work_parts = track | ||||
|                 .work_parts | ||||
|                 .iter() | ||||
|                 .map(|part_index| part_index.to_string()) | ||||
|                 .collect::<Vec<String>>() | ||||
|                 .join(","); | ||||
| 
 | ||||
|             let track_row = TrackRow { | ||||
|                 id: generate_id(), | ||||
|                 medium: Some(medium_id.to_owned()), | ||||
|                 index: index as i32, | ||||
|                 recording: track.recording.id.clone(), | ||||
|                 work_parts, | ||||
|                 source_index: track.source_index as i32, | ||||
|                 path: track.path.clone(), | ||||
|                 last_used: Some(Utc::now().timestamp()), | ||||
|                 last_played: track.last_played.map(|t| t.timestamp()), | ||||
|             }; | ||||
| 
 | ||||
|             diesel::insert_into(tracks::table) | ||||
|                 .values(track_row) | ||||
|                 .execute(connection)?; | ||||
|         } | ||||
| 
 | ||||
|         Ok(()) | ||||
|     })?; | ||||
| 
 | ||||
|     Ok(()) | ||||
| } | ||||
| 
 | ||||
| /// Get an existing medium.
 | ||||
| pub fn get_medium(connection: &mut SqliteConnection, id: &str) -> Result<Option<Medium>> { | ||||
|     let row = mediums::table | ||||
|         .filter(mediums::id.eq(id)) | ||||
|         .load::<MediumRow>(connection)? | ||||
|         .into_iter() | ||||
|         .next(); | ||||
| 
 | ||||
|     let medium = match row { | ||||
|         Some(row) => Some(get_medium_data(connection, row)?), | ||||
|         None => None, | ||||
|     }; | ||||
| 
 | ||||
|     Ok(medium) | ||||
| } | ||||
| 
 | ||||
| /// Get mediums that have a specific source ID.
 | ||||
| pub fn get_mediums_by_source_id( | ||||
|     connection: &mut SqliteConnection, | ||||
|     source_id: &str, | ||||
| ) -> Result<Vec<Medium>> { | ||||
|     let mut mediums: Vec<Medium> = Vec::new(); | ||||
| 
 | ||||
|     let rows = mediums::table | ||||
|         .filter(mediums::discid.nullable().eq(source_id)) | ||||
|         .load::<MediumRow>(connection)?; | ||||
| 
 | ||||
|     for row in rows { | ||||
|         let medium = get_medium_data(connection, row)?; | ||||
|         mediums.push(medium); | ||||
|     } | ||||
| 
 | ||||
|     Ok(mediums) | ||||
| } | ||||
| 
 | ||||
| /// Get mediums on which this person is performing.
 | ||||
| pub fn get_mediums_for_person( | ||||
|     connection: &mut SqliteConnection, | ||||
|     person_id: &str, | ||||
| ) -> Result<Vec<Medium>> { | ||||
|     let mut mediums: Vec<Medium> = Vec::new(); | ||||
| 
 | ||||
|     let rows = mediums::table | ||||
|         .inner_join(tracks::table.on(tracks::medium.eq(mediums::id.nullable()))) | ||||
|         .inner_join(recordings::table.on(recordings::id.eq(tracks::recording))) | ||||
|         .inner_join(performances::table.on(performances::recording.eq(recordings::id))) | ||||
|         .inner_join(persons::table.on(persons::id.nullable().eq(performances::person))) | ||||
|         .filter(persons::id.eq(person_id)) | ||||
|         .select(mediums::table::all_columns()) | ||||
|         .distinct() | ||||
|         .load::<MediumRow>(connection)?; | ||||
| 
 | ||||
|     for row in rows { | ||||
|         let medium = get_medium_data(connection, row)?; | ||||
|         mediums.push(medium); | ||||
|     } | ||||
| 
 | ||||
|     Ok(mediums) | ||||
| } | ||||
| 
 | ||||
| /// Get mediums on which this ensemble is performing.
 | ||||
| pub fn get_mediums_for_ensemble( | ||||
|     connection: &mut SqliteConnection, | ||||
|     ensemble_id: &str, | ||||
| ) -> Result<Vec<Medium>> { | ||||
|     let mut mediums: Vec<Medium> = Vec::new(); | ||||
| 
 | ||||
|     let rows = mediums::table | ||||
|         .inner_join(tracks::table.on(tracks::medium.eq(tracks::id.nullable()))) | ||||
|         .inner_join(recordings::table.on(recordings::id.eq(tracks::recording))) | ||||
|         .inner_join(performances::table.on(performances::recording.eq(recordings::id))) | ||||
|         .inner_join(ensembles::table.on(ensembles::id.nullable().eq(performances::ensemble))) | ||||
|         .filter(ensembles::id.eq(ensemble_id)) | ||||
|         .select(mediums::table::all_columns()) | ||||
|         .distinct() | ||||
|         .load::<MediumRow>(connection)?; | ||||
| 
 | ||||
|     for row in rows { | ||||
|         let medium = get_medium_data(connection, row)?; | ||||
|         mediums.push(medium); | ||||
|     } | ||||
| 
 | ||||
|     Ok(mediums) | ||||
| } | ||||
| 
 | ||||
| /// Delete a medium and all of its tracks. This will fail, if the music
 | ||||
| /// library contains audio files referencing any of those tracks.
 | ||||
| pub fn delete_medium(connection: &mut SqliteConnection, id: &str) -> Result<()> { | ||||
|     info!("Deleting medium {}", id); | ||||
|     diesel::delete(mediums::table.filter(mediums::id.eq(id))).execute(connection)?; | ||||
|     Ok(()) | ||||
| } | ||||
| 
 | ||||
| /// Get all available tracks for a recording.
 | ||||
| pub fn get_tracks(connection: &mut SqliteConnection, recording_id: &str) -> Result<Vec<Track>> { | ||||
|     let mut tracks: Vec<Track> = Vec::new(); | ||||
| 
 | ||||
|     let rows = tracks::table | ||||
|         .inner_join(recordings::table.on(recordings::id.eq(tracks::recording))) | ||||
|         .filter(recordings::id.eq(recording_id)) | ||||
|         .select(tracks::table::all_columns()) | ||||
|         .load::<TrackRow>(connection)?; | ||||
| 
 | ||||
|     for row in rows { | ||||
|         let track = get_track_from_row(connection, row)?; | ||||
|         tracks.push(track); | ||||
|     } | ||||
| 
 | ||||
|     Ok(tracks) | ||||
| } | ||||
| 
 | ||||
| /// Get a random track from the database.
 | ||||
| pub fn random_track(connection: &mut SqliteConnection) -> Result<Track> { | ||||
|     let row = diesel::sql_query("SELECT * FROM tracks ORDER BY RANDOM() LIMIT 1") | ||||
|         .load::<TrackRow>(connection)? | ||||
|         .into_iter() | ||||
|         .next() | ||||
|         .ok_or(Error::Other("Failed to generate random track"))?; | ||||
| 
 | ||||
|     get_track_from_row(connection, row) | ||||
| } | ||||
| 
 | ||||
| /// Retrieve all available information on a medium from related tables.
 | ||||
| fn get_medium_data(connection: &mut SqliteConnection, row: MediumRow) -> Result<Medium> { | ||||
|     let track_rows = tracks::table | ||||
|         .filter(tracks::medium.eq(&row.id)) | ||||
|         .order_by(tracks::index) | ||||
|         .load::<TrackRow>(connection)?; | ||||
| 
 | ||||
|     let mut tracks = Vec::new(); | ||||
| 
 | ||||
|     for track_row in track_rows { | ||||
|         let track = get_track_from_row(connection, track_row)?; | ||||
|         tracks.push(track); | ||||
|     } | ||||
| 
 | ||||
|     let medium = Medium { | ||||
|         id: row.id, | ||||
|         name: row.name, | ||||
|         discid: row.discid, | ||||
|         tracks, | ||||
|         last_used: row.last_used.map(|t| Utc.timestamp_opt(t, 0).unwrap()), | ||||
|         last_played: row.last_played.map(|t| Utc.timestamp_opt(t, 0).unwrap()), | ||||
|     }; | ||||
| 
 | ||||
|     Ok(medium) | ||||
| } | ||||
| 
 | ||||
| /// Convert a track row from the database to an actual track.
 | ||||
| fn get_track_from_row(connection: &mut SqliteConnection, row: TrackRow) -> Result<Track> { | ||||
|     let recording_id = row.recording; | ||||
| 
 | ||||
|     let recording = get_recording(connection, &recording_id)? | ||||
|         .ok_or(Error::MissingItem("recording", recording_id))?; | ||||
| 
 | ||||
|     let mut part_indices = Vec::new(); | ||||
| 
 | ||||
|     let work_parts = row.work_parts.split(','); | ||||
| 
 | ||||
|     for part_index in work_parts { | ||||
|         if !part_index.is_empty() { | ||||
|             let index = str::parse(part_index) | ||||
|                 .map_err(|_| Error::Parsing("part index", String::from(part_index)))?; | ||||
| 
 | ||||
|             part_indices.push(index); | ||||
|         } | ||||
|     } | ||||
| 
 | ||||
|     let track = Track { | ||||
|         recording, | ||||
|         work_parts: part_indices, | ||||
|         source_index: row.source_index as usize, | ||||
|         path: row.path, | ||||
|         last_used: row.last_used.map(|t| Utc.timestamp_opt(t, 0).unwrap()), | ||||
|         last_played: row.last_played.map(|t| Utc.timestamp_opt(t, 0).unwrap()), | ||||
|     }; | ||||
| 
 | ||||
|     Ok(track) | ||||
| } | ||||
							
								
								
									
										54
									
								
								src/db/mod.rs
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										54
									
								
								src/db/mod.rs
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,54 @@ | |||
| use diesel::prelude::*; | ||||
| use diesel_migrations::{embed_migrations, EmbeddedMigrations, MigrationHarness}; | ||||
| use log::info; | ||||
| 
 | ||||
| pub use diesel::SqliteConnection; | ||||
| 
 | ||||
| pub mod ensembles; | ||||
| pub use ensembles::*; | ||||
| 
 | ||||
| pub mod error; | ||||
| pub use error::*; | ||||
| 
 | ||||
| pub mod instruments; | ||||
| pub use instruments::*; | ||||
| 
 | ||||
| pub mod medium; | ||||
| pub use medium::*; | ||||
| 
 | ||||
| pub mod persons; | ||||
| pub use persons::*; | ||||
| 
 | ||||
| pub mod recordings; | ||||
| pub use recordings::*; | ||||
| 
 | ||||
| pub mod works; | ||||
| pub use works::*; | ||||
| 
 | ||||
| mod schema; | ||||
| 
 | ||||
| // This makes the SQL migration scripts accessible from the code.
 | ||||
| const MIGRATIONS: EmbeddedMigrations = embed_migrations!(); | ||||
| 
 | ||||
| /// Connect to a Musicus database running migrations if necessary.
 | ||||
| pub fn connect(file_name: &str) -> Result<SqliteConnection> { | ||||
|     info!("Opening database file '{}'", file_name); | ||||
|     let mut connection = SqliteConnection::establish(file_name)?; | ||||
|     diesel::sql_query("PRAGMA foreign_keys = ON").execute(&mut connection)?; | ||||
| 
 | ||||
|     info!("Running migrations if necessary"); | ||||
|     connection.run_pending_migrations(MIGRATIONS)?; | ||||
| 
 | ||||
|     Ok(connection) | ||||
| } | ||||
| 
 | ||||
| /// Generate a random string suitable as an item ID.
 | ||||
| pub fn generate_id() -> String { | ||||
|     uuid::Uuid::new_v4().simple().to_string() | ||||
| } | ||||
| 
 | ||||
| /// Defer all foreign keys for the next transaction.
 | ||||
| fn defer_foreign_keys(connection: &mut SqliteConnection) -> Result<()> { | ||||
|     diesel::sql_query("PRAGMA defer_foreign_keys = ON").execute(connection)?; | ||||
|     Ok(()) | ||||
| } | ||||
							
								
								
									
										86
									
								
								src/db/persons.rs
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										86
									
								
								src/db/persons.rs
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,86 @@ | |||
| use chrono::Utc; | ||||
| use diesel::prelude::*; | ||||
| use log::info; | ||||
| 
 | ||||
| use crate::db::{defer_foreign_keys, schema::persons, Result}; | ||||
| 
 | ||||
| /// A person that is a composer, an interpret or both.
 | ||||
| #[derive(Insertable, Queryable, PartialEq, Eq, Hash, Debug, Clone)] | ||||
| pub struct Person { | ||||
|     pub id: String, | ||||
|     pub first_name: String, | ||||
|     pub last_name: String, | ||||
|     pub last_used: Option<i64>, | ||||
|     pub last_played: Option<i64>, | ||||
| } | ||||
| 
 | ||||
| impl Person { | ||||
|     pub fn new(id: String, first_name: String, last_name: String) -> Self { | ||||
|         Self { | ||||
|             id, | ||||
|             first_name, | ||||
|             last_name, | ||||
|             last_used: Some(Utc::now().timestamp()), | ||||
|             last_played: None, | ||||
|         } | ||||
|     } | ||||
| 
 | ||||
|     /// Get the full name in the form "First Last".
 | ||||
|     pub fn name_fl(&self) -> String { | ||||
|         format!("{} {}", self.first_name, self.last_name) | ||||
|     } | ||||
| 
 | ||||
|     /// Get the full name in the form "Last, First".
 | ||||
|     pub fn name_lf(&self) -> String { | ||||
|         format!("{}, {}", self.last_name, self.first_name) | ||||
|     } | ||||
| } | ||||
| /// Update an existing person or insert a new one.
 | ||||
| pub fn update_person(connection: &mut SqliteConnection, mut person: Person) -> Result<()> { | ||||
|     info!("Updating person {:?}", person); | ||||
|     defer_foreign_keys(connection)?; | ||||
| 
 | ||||
|     person.last_used = Some(Utc::now().timestamp()); | ||||
| 
 | ||||
|     connection.transaction(|connection| { | ||||
|         diesel::replace_into(persons::table) | ||||
|             .values(person) | ||||
|             .execute(connection) | ||||
|     })?; | ||||
| 
 | ||||
|     Ok(()) | ||||
| } | ||||
| 
 | ||||
| /// Get an existing person.
 | ||||
| pub fn get_person(connection: &mut SqliteConnection, id: &str) -> Result<Option<Person>> { | ||||
|     let person = persons::table | ||||
|         .filter(persons::id.eq(id)) | ||||
|         .load::<Person>(connection)? | ||||
|         .into_iter() | ||||
|         .next(); | ||||
| 
 | ||||
|     Ok(person) | ||||
| } | ||||
| 
 | ||||
| /// Delete an existing person.
 | ||||
| pub fn delete_person(connection: &mut SqliteConnection, id: &str) -> Result<()> { | ||||
|     info!("Deleting person {}", id); | ||||
|     diesel::delete(persons::table.filter(persons::id.eq(id))).execute(connection)?; | ||||
|     Ok(()) | ||||
| } | ||||
| 
 | ||||
| /// Get all existing persons.
 | ||||
| pub fn get_persons(connection: &mut SqliteConnection) -> Result<Vec<Person>> { | ||||
|     let persons = persons::table.load::<Person>(connection)?; | ||||
| 
 | ||||
|     Ok(persons) | ||||
| } | ||||
| 
 | ||||
| /// Get recently used persons.
 | ||||
| pub fn get_recent_persons(connection: &mut SqliteConnection) -> Result<Vec<Person>> { | ||||
|     let persons = persons::table | ||||
|         .order(persons::last_used.desc()) | ||||
|         .load::<Person>(connection)?; | ||||
| 
 | ||||
|     Ok(persons) | ||||
| } | ||||
							
								
								
									
										350
									
								
								src/db/recordings.rs
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										350
									
								
								src/db/recordings.rs
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,350 @@ | |||
| use chrono::{DateTime, TimeZone, Utc}; | ||||
| use diesel::prelude::*; | ||||
| use log::info; | ||||
| 
 | ||||
| use crate::db::{ | ||||
|     defer_foreign_keys, generate_id, get_ensemble, get_instrument, get_person, get_work, | ||||
|     schema::{ensembles, performances, persons, recordings}, | ||||
|     update_ensemble, update_instrument, update_person, update_work, Ensemble, Error, Instrument, | ||||
|     Person, Result, Work, | ||||
| }; | ||||
| 
 | ||||
| /// A specific recording of a work.
 | ||||
| #[derive(PartialEq, Eq, Hash, Debug, Clone)] | ||||
| pub struct Recording { | ||||
|     pub id: String, | ||||
|     pub work: Work, | ||||
|     pub comment: String, | ||||
|     pub performances: Vec<Performance>, | ||||
|     pub last_used: Option<DateTime<Utc>>, | ||||
|     pub last_played: Option<DateTime<Utc>>, | ||||
| } | ||||
| 
 | ||||
| impl Recording { | ||||
|     pub fn new(id: String, work: Work, comment: String, performances: Vec<Performance>) -> Self { | ||||
|         Self { | ||||
|             id, | ||||
|             work, | ||||
|             comment, | ||||
|             performances, | ||||
|             last_used: Some(Utc::now()), | ||||
|             last_played: None, | ||||
|         } | ||||
|     } | ||||
| 
 | ||||
|     /// Initialize a new recording with a work.
 | ||||
|     pub fn from_work(work: Work) -> Self { | ||||
|         Self { | ||||
|             id: generate_id(), | ||||
|             work, | ||||
|             comment: String::new(), | ||||
|             performances: Vec::new(), | ||||
|             last_used: Some(Utc::now()), | ||||
|             last_played: None, | ||||
|         } | ||||
|     } | ||||
| 
 | ||||
|     /// Get a string representation of the performances in this recording.
 | ||||
|     // TODO: Maybe replace with impl Display?
 | ||||
|     pub fn get_performers(&self) -> String { | ||||
|         let texts: Vec<String> = self | ||||
|             .performances | ||||
|             .iter() | ||||
|             .map(|performance| performance.get_title()) | ||||
|             .collect(); | ||||
| 
 | ||||
|         texts.join(", ") | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| /// How a person or ensemble was involved in a recording.
 | ||||
| #[derive(PartialEq, Eq, Hash, Debug, Clone)] | ||||
| pub struct Performance { | ||||
|     pub performer: PersonOrEnsemble, | ||||
|     pub role: Option<Instrument>, | ||||
| } | ||||
| 
 | ||||
| impl Performance { | ||||
|     /// Get a string representation of the performance.
 | ||||
|     // TODO: Replace with impl Display.
 | ||||
|     pub fn get_title(&self) -> String { | ||||
|         let performer_title = self.performer.get_title(); | ||||
| 
 | ||||
|         if let Some(role) = &self.role { | ||||
|             format!("{} ({})", performer_title, role.name) | ||||
|         } else { | ||||
|             performer_title | ||||
|         } | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| /// Either a person or an ensemble.
 | ||||
| #[derive(PartialEq, Eq, Hash, Clone, Debug)] | ||||
| pub enum PersonOrEnsemble { | ||||
|     Person(Person), | ||||
|     Ensemble(Ensemble), | ||||
| } | ||||
| 
 | ||||
| impl PersonOrEnsemble { | ||||
|     /// Get a short textual representation of the item.
 | ||||
|     pub fn get_title(&self) -> String { | ||||
|         match self { | ||||
|             PersonOrEnsemble::Person(person) => person.name_lf(), | ||||
|             PersonOrEnsemble::Ensemble(ensemble) => ensemble.name.clone(), | ||||
|         } | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| /// Database table data for a recording.
 | ||||
| #[derive(Insertable, Queryable, QueryableByName, Debug, Clone)] | ||||
| #[diesel(table_name = recordings)] | ||||
| struct RecordingRow { | ||||
|     pub id: String, | ||||
|     pub work: String, | ||||
|     pub comment: String, | ||||
|     pub last_used: Option<i64>, | ||||
|     pub last_played: Option<i64>, | ||||
| } | ||||
| 
 | ||||
| impl From<Recording> for RecordingRow { | ||||
|     fn from(recording: Recording) -> Self { | ||||
|         RecordingRow { | ||||
|             id: recording.id, | ||||
|             work: recording.work.id, | ||||
|             comment: recording.comment, | ||||
|             last_used: Some(Utc::now().timestamp()), | ||||
|             last_played: recording.last_played.map(|t| t.timestamp()), | ||||
|         } | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| /// Database table data for a performance.
 | ||||
| #[derive(Insertable, Queryable, Debug, Clone)] | ||||
| #[diesel(table_name = performances)] | ||||
| struct PerformanceRow { | ||||
|     pub id: i64, | ||||
|     pub recording: String, | ||||
|     pub person: Option<String>, | ||||
|     pub ensemble: Option<String>, | ||||
|     pub role: Option<String>, | ||||
| } | ||||
| 
 | ||||
| /// Update an existing recording or insert a new one.
 | ||||
| // TODO: Think about whether to also insert the other items.
 | ||||
| pub fn update_recording(connection: &mut SqliteConnection, recording: Recording) -> Result<()> { | ||||
|     info!("Updating recording {:?}", recording); | ||||
|     defer_foreign_keys(connection)?; | ||||
| 
 | ||||
|     connection.transaction::<(), Error, _>(|connection| { | ||||
|         let recording_id = &recording.id; | ||||
|         delete_recording(connection, recording_id)?; | ||||
| 
 | ||||
|         // Add associated items from the server, if they don't already exist.
 | ||||
| 
 | ||||
|         if get_work(connection, &recording.work.id)?.is_none() { | ||||
|             update_work(connection, recording.work.clone())?; | ||||
|         } | ||||
| 
 | ||||
|         for performance in &recording.performances { | ||||
|             match &performance.performer { | ||||
|                 PersonOrEnsemble::Person(person) => { | ||||
|                     if get_person(connection, &person.id)?.is_none() { | ||||
|                         update_person(connection, person.clone())?; | ||||
|                     } | ||||
|                 } | ||||
|                 PersonOrEnsemble::Ensemble(ensemble) => { | ||||
|                     if get_ensemble(connection, &ensemble.id)?.is_none() { | ||||
|                         update_ensemble(connection, ensemble.clone())?; | ||||
|                     } | ||||
|                 } | ||||
|             } | ||||
| 
 | ||||
|             if let Some(role) = &performance.role { | ||||
|                 if get_instrument(connection, &role.id)?.is_none() { | ||||
|                     update_instrument(connection, role.clone())?; | ||||
|                 } | ||||
|             } | ||||
|         } | ||||
| 
 | ||||
|         // Add the actual recording.
 | ||||
| 
 | ||||
|         let row: RecordingRow = recording.clone().into(); | ||||
|         diesel::insert_into(recordings::table) | ||||
|             .values(row) | ||||
|             .execute(connection)?; | ||||
| 
 | ||||
|         for performance in recording.performances { | ||||
|             let (person, ensemble) = match performance.performer { | ||||
|                 PersonOrEnsemble::Person(person) => (Some(person.id), None), | ||||
|                 PersonOrEnsemble::Ensemble(ensemble) => (None, Some(ensemble.id)), | ||||
|             }; | ||||
| 
 | ||||
|             let row = PerformanceRow { | ||||
|                 id: rand::random(), | ||||
|                 recording: recording_id.to_string(), | ||||
|                 person, | ||||
|                 ensemble, | ||||
|                 role: performance.role.map(|role| role.id), | ||||
|             }; | ||||
| 
 | ||||
|             diesel::insert_into(performances::table) | ||||
|                 .values(row) | ||||
|                 .execute(connection)?; | ||||
|         } | ||||
| 
 | ||||
|         Ok(()) | ||||
|     })?; | ||||
| 
 | ||||
|     Ok(()) | ||||
| } | ||||
| 
 | ||||
| /// Check whether the database contains a recording.
 | ||||
| pub fn recording_exists(connection: &mut SqliteConnection, id: &str) -> Result<bool> { | ||||
|     let exists = recordings::table | ||||
|         .filter(recordings::id.eq(id)) | ||||
|         .load::<RecordingRow>(connection)? | ||||
|         .first() | ||||
|         .is_some(); | ||||
| 
 | ||||
|     Ok(exists) | ||||
| } | ||||
| 
 | ||||
| /// Get an existing recording.
 | ||||
| pub fn get_recording(connection: &mut SqliteConnection, id: &str) -> Result<Option<Recording>> { | ||||
|     let row = recordings::table | ||||
|         .filter(recordings::id.eq(id)) | ||||
|         .load::<RecordingRow>(connection)? | ||||
|         .into_iter() | ||||
|         .next(); | ||||
| 
 | ||||
|     let recording = match row { | ||||
|         Some(row) => Some(get_recording_data(connection, row)?), | ||||
|         None => None, | ||||
|     }; | ||||
| 
 | ||||
|     Ok(recording) | ||||
| } | ||||
| 
 | ||||
| /// Get a random recording from the database.
 | ||||
| pub fn random_recording(connection: &mut SqliteConnection) -> Result<Recording> { | ||||
|     let row = diesel::sql_query("SELECT * FROM recordings ORDER BY RANDOM() LIMIT 1") | ||||
|         .load::<RecordingRow>(connection)? | ||||
|         .into_iter() | ||||
|         .next() | ||||
|         .ok_or(Error::Other("Failed to find random recording."))?; | ||||
| 
 | ||||
|     get_recording_data(connection, row) | ||||
| } | ||||
| 
 | ||||
| /// Retrieve all available information on a recording from related tables.
 | ||||
| fn get_recording_data(connection: &mut SqliteConnection, row: RecordingRow) -> Result<Recording> { | ||||
|     let mut performance_descriptions: Vec<Performance> = Vec::new(); | ||||
| 
 | ||||
|     let performance_rows = performances::table | ||||
|         .filter(performances::recording.eq(&row.id)) | ||||
|         .load::<PerformanceRow>(connection)?; | ||||
| 
 | ||||
|     for row in performance_rows { | ||||
|         performance_descriptions.push(Performance { | ||||
|             performer: if let Some(id) = row.person { | ||||
|                 PersonOrEnsemble::Person( | ||||
|                     get_person(connection, &id)?.ok_or(Error::MissingItem("person", id))?, | ||||
|                 ) | ||||
|             } else if let Some(id) = row.ensemble { | ||||
|                 PersonOrEnsemble::Ensemble( | ||||
|                     get_ensemble(connection, &id)?.ok_or(Error::MissingItem("ensemble", id))?, | ||||
|                 ) | ||||
|             } else { | ||||
|                 return Err(Error::Other("Performance without performer")); | ||||
|             }, | ||||
|             role: match row.role { | ||||
|                 Some(id) => Some( | ||||
|                     get_instrument(connection, &id)?.ok_or(Error::MissingItem("instrument", id))?, | ||||
|                 ), | ||||
|                 None => None, | ||||
|             }, | ||||
|         }); | ||||
|     } | ||||
| 
 | ||||
|     let work_id = row.work; | ||||
|     let work = get_work(connection, &work_id)?.ok_or(Error::MissingItem("work", work_id))?; | ||||
| 
 | ||||
|     let recording_description = Recording { | ||||
|         id: row.id, | ||||
|         work, | ||||
|         comment: row.comment, | ||||
|         performances: performance_descriptions, | ||||
|         last_used: row.last_used.map(|t| Utc.timestamp_opt(t, 0).unwrap()), | ||||
|         last_played: row.last_played.map(|t| Utc.timestamp_opt(t, 0).unwrap()), | ||||
|     }; | ||||
| 
 | ||||
|     Ok(recording_description) | ||||
| } | ||||
| 
 | ||||
| /// Get all available information on all recordings where a person is performing.
 | ||||
| pub fn get_recordings_for_person( | ||||
|     connection: &mut SqliteConnection, | ||||
|     person_id: &str, | ||||
| ) -> Result<Vec<Recording>> { | ||||
|     let mut recordings: Vec<Recording> = Vec::new(); | ||||
| 
 | ||||
|     let rows = recordings::table | ||||
|         .inner_join(performances::table.on(performances::recording.eq(recordings::id))) | ||||
|         .inner_join(persons::table.on(persons::id.nullable().eq(performances::person))) | ||||
|         .filter(persons::id.eq(person_id)) | ||||
|         .select(recordings::table::all_columns()) | ||||
|         .load::<RecordingRow>(connection)?; | ||||
| 
 | ||||
|     for row in rows { | ||||
|         recordings.push(get_recording_data(connection, row)?); | ||||
|     } | ||||
| 
 | ||||
|     Ok(recordings) | ||||
| } | ||||
| 
 | ||||
| /// Get all available information on all recordings where an ensemble is performing.
 | ||||
| pub fn get_recordings_for_ensemble( | ||||
|     connection: &mut SqliteConnection, | ||||
|     ensemble_id: &str, | ||||
| ) -> Result<Vec<Recording>> { | ||||
|     let mut recordings: Vec<Recording> = Vec::new(); | ||||
| 
 | ||||
|     let rows = recordings::table | ||||
|         .inner_join(performances::table.on(performances::recording.eq(recordings::id))) | ||||
|         .inner_join(ensembles::table.on(ensembles::id.nullable().eq(performances::ensemble))) | ||||
|         .filter(ensembles::id.eq(ensemble_id)) | ||||
|         .select(recordings::table::all_columns()) | ||||
|         .load::<RecordingRow>(connection)?; | ||||
| 
 | ||||
|     for row in rows { | ||||
|         recordings.push(get_recording_data(connection, row)?); | ||||
|     } | ||||
| 
 | ||||
|     Ok(recordings) | ||||
| } | ||||
| 
 | ||||
| /// Get allavailable information on all recordings of a work.
 | ||||
| pub fn get_recordings_for_work( | ||||
|     connection: &mut SqliteConnection, | ||||
|     work_id: &str, | ||||
| ) -> Result<Vec<Recording>> { | ||||
|     let mut recordings: Vec<Recording> = Vec::new(); | ||||
| 
 | ||||
|     let rows = recordings::table | ||||
|         .filter(recordings::work.eq(work_id)) | ||||
|         .load::<RecordingRow>(connection)?; | ||||
| 
 | ||||
|     for row in rows { | ||||
|         recordings.push(get_recording_data(connection, row)?); | ||||
|     } | ||||
| 
 | ||||
|     Ok(recordings) | ||||
| } | ||||
| 
 | ||||
| /// Delete an existing recording. This will fail if there are still references to this
 | ||||
| /// recording from other tables that are not directly part of the recording data.
 | ||||
| pub fn delete_recording(connection: &mut SqliteConnection, id: &str) -> Result<()> { | ||||
|     info!("Deleting recording {}", id); | ||||
|     diesel::delete(recordings::table.filter(recordings::id.eq(id))).execute(connection)?; | ||||
|     Ok(()) | ||||
| } | ||||
							
								
								
									
										125
									
								
								src/db/schema.rs
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										125
									
								
								src/db/schema.rs
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,125 @@ | |||
| // @generated automatically by Diesel CLI.
 | ||||
| 
 | ||||
| diesel::table! { | ||||
|     ensembles (id) { | ||||
|         id -> Text, | ||||
|         name -> Text, | ||||
|         last_used -> Nullable<BigInt>, | ||||
|         last_played -> Nullable<BigInt>, | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| diesel::table! { | ||||
|     instrumentations (id) { | ||||
|         id -> BigInt, | ||||
|         work -> Text, | ||||
|         instrument -> Text, | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| diesel::table! { | ||||
|     instruments (id) { | ||||
|         id -> Text, | ||||
|         name -> Text, | ||||
|         last_used -> Nullable<BigInt>, | ||||
|         last_played -> Nullable<BigInt>, | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| diesel::table! { | ||||
|     mediums (id) { | ||||
|         id -> Text, | ||||
|         name -> Text, | ||||
|         discid -> Nullable<Text>, | ||||
|         last_used -> Nullable<BigInt>, | ||||
|         last_played -> Nullable<BigInt>, | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| diesel::table! { | ||||
|     performances (id) { | ||||
|         id -> BigInt, | ||||
|         recording -> Text, | ||||
|         person -> Nullable<Text>, | ||||
|         ensemble -> Nullable<Text>, | ||||
|         role -> Nullable<Text>, | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| diesel::table! { | ||||
|     persons (id) { | ||||
|         id -> Text, | ||||
|         first_name -> Text, | ||||
|         last_name -> Text, | ||||
|         last_used -> Nullable<BigInt>, | ||||
|         last_played -> Nullable<BigInt>, | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| diesel::table! { | ||||
|     recordings (id) { | ||||
|         id -> Text, | ||||
|         work -> Text, | ||||
|         comment -> Text, | ||||
|         last_used -> Nullable<BigInt>, | ||||
|         last_played -> Nullable<BigInt>, | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| diesel::table! { | ||||
|     tracks (id) { | ||||
|         id -> Text, | ||||
|         medium -> Nullable<Text>, | ||||
|         index -> Integer, | ||||
|         recording -> Text, | ||||
|         work_parts -> Text, | ||||
|         source_index -> Integer, | ||||
|         path -> Text, | ||||
|         last_used -> Nullable<BigInt>, | ||||
|         last_played -> Nullable<BigInt>, | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| diesel::table! { | ||||
|     work_parts (id) { | ||||
|         id -> BigInt, | ||||
|         work -> Text, | ||||
|         part_index -> BigInt, | ||||
|         title -> Text, | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| diesel::table! { | ||||
|     works (id) { | ||||
|         id -> Text, | ||||
|         composer -> Text, | ||||
|         title -> Text, | ||||
|         last_used -> Nullable<BigInt>, | ||||
|         last_played -> Nullable<BigInt>, | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| diesel::joinable!(instrumentations -> instruments (instrument)); | ||||
| diesel::joinable!(instrumentations -> works (work)); | ||||
| diesel::joinable!(performances -> ensembles (ensemble)); | ||||
| diesel::joinable!(performances -> instruments (role)); | ||||
| diesel::joinable!(performances -> persons (person)); | ||||
| diesel::joinable!(performances -> recordings (recording)); | ||||
| diesel::joinable!(recordings -> works (work)); | ||||
| diesel::joinable!(tracks -> mediums (medium)); | ||||
| diesel::joinable!(tracks -> recordings (recording)); | ||||
| diesel::joinable!(work_parts -> works (work)); | ||||
| diesel::joinable!(works -> persons (composer)); | ||||
| 
 | ||||
| diesel::allow_tables_to_appear_in_same_query!( | ||||
|     ensembles, | ||||
|     instrumentations, | ||||
|     instruments, | ||||
|     mediums, | ||||
|     performances, | ||||
|     persons, | ||||
|     recordings, | ||||
|     tracks, | ||||
|     work_parts, | ||||
|     works, | ||||
| ); | ||||
							
								
								
									
										252
									
								
								src/db/works.rs
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										252
									
								
								src/db/works.rs
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,252 @@ | |||
| use chrono::{DateTime, TimeZone, Utc}; | ||||
| use diesel::{prelude::*, Insertable, Queryable}; | ||||
| use log::info; | ||||
| 
 | ||||
| use crate::db::{ | ||||
|     defer_foreign_keys, generate_id, get_instrument, get_person, | ||||
|     schema::{instrumentations, work_parts, works}, | ||||
|     update_instrument, update_person, Error, Instrument, Person, Result, | ||||
| }; | ||||
| 
 | ||||
| /// Table row data for a work.
 | ||||
| #[derive(Insertable, Queryable, Debug, Clone)] | ||||
| #[diesel(table_name = works)] | ||||
| struct WorkRow { | ||||
|     pub id: String, | ||||
|     pub composer: String, | ||||
|     pub title: String, | ||||
|     pub last_used: Option<i64>, | ||||
|     pub last_played: Option<i64>, | ||||
| } | ||||
| 
 | ||||
| impl From<Work> for WorkRow { | ||||
|     fn from(work: Work) -> Self { | ||||
|         WorkRow { | ||||
|             id: work.id, | ||||
|             composer: work.composer.id, | ||||
|             title: work.title, | ||||
|             last_used: Some(Utc::now().timestamp()), | ||||
|             last_played: work.last_played.map(|t| t.timestamp()), | ||||
|         } | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| /// Definition that a work uses an instrument.
 | ||||
| #[derive(Insertable, Queryable, Debug, Clone)] | ||||
| #[diesel(table_name = instrumentations)] | ||||
| struct InstrumentationRow { | ||||
|     pub id: i64, | ||||
|     pub work: String, | ||||
|     pub instrument: String, | ||||
| } | ||||
| 
 | ||||
| /// Table row data for a work part.
 | ||||
| #[derive(Insertable, Queryable, Debug, Clone)] | ||||
| #[diesel(table_name = work_parts)] | ||||
| struct WorkPartRow { | ||||
|     pub id: i64, | ||||
|     pub work: String, | ||||
|     pub part_index: i64, | ||||
|     pub title: String, | ||||
| } | ||||
| 
 | ||||
| /// A concrete work part that can be recorded.
 | ||||
| #[derive(PartialEq, Eq, Hash, Debug, Clone)] | ||||
| pub struct WorkPart { | ||||
|     pub title: String, | ||||
| } | ||||
| 
 | ||||
| /// A specific work by a composer.
 | ||||
| #[derive(PartialEq, Eq, Hash, Debug, Clone)] | ||||
| pub struct Work { | ||||
|     pub id: String, | ||||
|     pub title: String, | ||||
|     pub composer: Person, | ||||
|     pub instruments: Vec<Instrument>, | ||||
|     pub parts: Vec<WorkPart>, | ||||
|     pub last_used: Option<DateTime<Utc>>, | ||||
|     pub last_played: Option<DateTime<Utc>>, | ||||
| } | ||||
| 
 | ||||
| impl Work { | ||||
|     pub fn new( | ||||
|         id: String, | ||||
|         title: String, | ||||
|         composer: Person, | ||||
|         instruments: Vec<Instrument>, | ||||
|         parts: Vec<WorkPart>, | ||||
|     ) -> Self { | ||||
|         Self { | ||||
|             id, | ||||
|             title, | ||||
|             composer, | ||||
|             instruments, | ||||
|             parts, | ||||
|             last_used: Some(Utc::now()), | ||||
|             last_played: None, | ||||
|         } | ||||
|     } | ||||
| 
 | ||||
|     /// Initialize a new work with a composer.
 | ||||
|     pub fn from_composer(composer: Person) -> Self { | ||||
|         Self { | ||||
|             id: generate_id(), | ||||
|             title: String::new(), | ||||
|             composer, | ||||
|             instruments: Vec::new(), | ||||
|             parts: Vec::new(), | ||||
|             last_used: Some(Utc::now()), | ||||
|             last_played: None, | ||||
|         } | ||||
|     } | ||||
| 
 | ||||
|     /// Get a string including the composer and title of the work.
 | ||||
|     // TODO: Replace with impl Display.
 | ||||
|     pub fn get_title(&self) -> String { | ||||
|         format!("{}: {}", self.composer.name_fl(), self.title) | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| /// Update an existing work or insert a new one.
 | ||||
| // TODO: Think about also inserting related items.
 | ||||
| pub fn update_work(connection: &mut SqliteConnection, work: Work) -> Result<()> { | ||||
|     info!("Updating work {:?}", work); | ||||
|     defer_foreign_keys(connection)?; | ||||
| 
 | ||||
|     connection.transaction::<(), Error, _>(|connection| { | ||||
|         let work_id = &work.id; | ||||
|         delete_work(connection, work_id)?; | ||||
| 
 | ||||
|         // Add associated items from the server, if they don't already exist.
 | ||||
| 
 | ||||
|         if get_person(connection, &work.composer.id)?.is_none() { | ||||
|             update_person(connection, work.composer.clone())?; | ||||
|         } | ||||
| 
 | ||||
|         for instrument in &work.instruments { | ||||
|             if get_instrument(connection, &instrument.id)?.is_none() { | ||||
|                 update_instrument(connection, instrument.clone())?; | ||||
|             } | ||||
|         } | ||||
| 
 | ||||
|         // Add the actual work.
 | ||||
| 
 | ||||
|         let row: WorkRow = work.clone().into(); | ||||
|         diesel::insert_into(works::table) | ||||
|             .values(row) | ||||
|             .execute(connection)?; | ||||
| 
 | ||||
|         let Work { | ||||
|             instruments, parts, .. | ||||
|         } = work; | ||||
| 
 | ||||
|         for instrument in instruments { | ||||
|             let row = InstrumentationRow { | ||||
|                 id: rand::random(), | ||||
|                 work: work_id.to_string(), | ||||
|                 instrument: instrument.id, | ||||
|             }; | ||||
| 
 | ||||
|             diesel::insert_into(instrumentations::table) | ||||
|                 .values(row) | ||||
|                 .execute(connection)?; | ||||
|         } | ||||
| 
 | ||||
|         for (index, part) in parts.into_iter().enumerate() { | ||||
|             let row = WorkPartRow { | ||||
|                 id: rand::random(), | ||||
|                 work: work_id.to_string(), | ||||
|                 part_index: index as i64, | ||||
|                 title: part.title, | ||||
|             }; | ||||
| 
 | ||||
|             diesel::insert_into(work_parts::table) | ||||
|                 .values(row) | ||||
|                 .execute(connection)?; | ||||
|         } | ||||
| 
 | ||||
|         Ok(()) | ||||
|     })?; | ||||
| 
 | ||||
|     Ok(()) | ||||
| } | ||||
| 
 | ||||
| /// Get an existing work.
 | ||||
| pub fn get_work(connection: &mut SqliteConnection, id: &str) -> Result<Option<Work>> { | ||||
|     let row = works::table | ||||
|         .filter(works::id.eq(id)) | ||||
|         .load::<WorkRow>(connection)? | ||||
|         .first() | ||||
|         .cloned(); | ||||
| 
 | ||||
|     let work = match row { | ||||
|         Some(row) => Some(get_work_data(connection, row)?), | ||||
|         None => None, | ||||
|     }; | ||||
| 
 | ||||
|     Ok(work) | ||||
| } | ||||
| 
 | ||||
| /// Retrieve all available information on a work from related tables.
 | ||||
| fn get_work_data(connection: &mut SqliteConnection, row: WorkRow) -> Result<Work> { | ||||
|     let mut instruments: Vec<Instrument> = Vec::new(); | ||||
| 
 | ||||
|     let instrumentations = instrumentations::table | ||||
|         .filter(instrumentations::work.eq(&row.id)) | ||||
|         .load::<InstrumentationRow>(connection)?; | ||||
| 
 | ||||
|     for instrumentation in instrumentations { | ||||
|         let id = instrumentation.instrument; | ||||
|         instruments | ||||
|             .push(get_instrument(connection, &id)?.ok_or(Error::MissingItem("instrument", id))?); | ||||
|     } | ||||
| 
 | ||||
|     let mut parts: Vec<WorkPart> = Vec::new(); | ||||
| 
 | ||||
|     let part_rows = work_parts::table | ||||
|         .filter(work_parts::work.eq(&row.id)) | ||||
|         .load::<WorkPartRow>(connection)?; | ||||
| 
 | ||||
|     for part_row in part_rows { | ||||
|         parts.push(WorkPart { | ||||
|             title: part_row.title, | ||||
|         }); | ||||
|     } | ||||
| 
 | ||||
|     let person_id = row.composer; | ||||
|     let person = | ||||
|         get_person(connection, &person_id)?.ok_or(Error::MissingItem("person", person_id))?; | ||||
| 
 | ||||
|     Ok(Work { | ||||
|         id: row.id, | ||||
|         composer: person, | ||||
|         title: row.title, | ||||
|         instruments, | ||||
|         parts, | ||||
|         last_used: row.last_used.map(|t| Utc.timestamp_opt(t, 0).unwrap()), | ||||
|         last_played: row.last_played.map(|t| Utc.timestamp_opt(t, 0).unwrap()), | ||||
|     }) | ||||
| } | ||||
| 
 | ||||
| /// Delete an existing work. This will fail if there are still other tables that relate to
 | ||||
| /// this work except for the things that are part of the information on the work it
 | ||||
| pub fn delete_work(connection: &mut SqliteConnection, id: &str) -> Result<()> { | ||||
|     info!("Deleting work {}", id); | ||||
|     diesel::delete(works::table.filter(works::id.eq(id))).execute(connection)?; | ||||
|     Ok(()) | ||||
| } | ||||
| 
 | ||||
| /// Get all existing works by a composer and related information from other tables.
 | ||||
| pub fn get_works(connection: &mut SqliteConnection, composer_id: &str) -> Result<Vec<Work>> { | ||||
|     let mut works: Vec<Work> = Vec::new(); | ||||
| 
 | ||||
|     let rows = works::table | ||||
|         .filter(works::composer.eq(composer_id)) | ||||
|         .load::<WorkRow>(connection)?; | ||||
| 
 | ||||
|     for row in rows { | ||||
|         works.push(get_work_data(connection, row)?); | ||||
|     } | ||||
| 
 | ||||
|     Ok(works) | ||||
| } | ||||
|  | @ -1,10 +1,12 @@ | |||
| use crate::{player::MusicusPlayer, tile::MusicusTile, search_entry::MusicusSearchEntry}; | ||||
| use crate::{ | ||||
|     library::MusicusLibrary, player::MusicusPlayer, search_entry::MusicusSearchEntry, | ||||
|     tile::MusicusTile, | ||||
| }; | ||||
| use adw::subclass::{navigation_page::NavigationPageImpl, prelude::*}; | ||||
| use gtk::{glib, glib::Properties, prelude::*}; | ||||
| use std::cell::RefCell; | ||||
| use std::cell::{OnceCell, RefCell}; | ||||
| 
 | ||||
| mod imp { | ||||
| 
 | ||||
|     use super::*; | ||||
| 
 | ||||
|     #[derive(Properties, Debug, Default, gtk::CompositeTemplate)] | ||||
|  | @ -14,6 +16,8 @@ mod imp { | |||
|         #[property(get, set)] | ||||
|         pub player: RefCell<MusicusPlayer>, | ||||
| 
 | ||||
|         pub library: OnceCell<MusicusLibrary>, | ||||
| 
 | ||||
|         #[template_child] | ||||
|         pub search_entry: TemplateChild<MusicusSearchEntry>, | ||||
|         #[template_child] | ||||
|  | @ -75,8 +79,10 @@ glib::wrapper! { | |||
| 
 | ||||
| #[gtk::template_callbacks] | ||||
| impl MusicusHomePage { | ||||
|     pub fn new(player: &MusicusPlayer) -> Self { | ||||
|         glib::Object::builder().property("player", player).build() | ||||
|     pub fn new(library: &MusicusLibrary, player: &MusicusPlayer) -> Self { | ||||
|         let obj: MusicusHomePage = glib::Object::builder().property("player", player).build(); | ||||
|         obj.imp().library.set(library.to_owned()).unwrap(); | ||||
|         obj | ||||
|     } | ||||
| 
 | ||||
|     #[template_callback] | ||||
|  |  | |||
							
								
								
									
										53
									
								
								src/library.rs
									
										
									
									
									
										Normal file
									
								
							
							
						
						
									
										53
									
								
								src/library.rs
									
										
									
									
									
										Normal file
									
								
							|  | @ -0,0 +1,53 @@ | |||
| use crate::db::{self, SqliteConnection}; | ||||
| use gtk::{glib, glib::Properties, prelude::*, subclass::prelude::*}; | ||||
| use std::{ | ||||
|     cell::{OnceCell, RefCell}, | ||||
|     path::Path, | ||||
| }; | ||||
| 
 | ||||
| mod imp { | ||||
|     use super::*; | ||||
| 
 | ||||
|     #[derive(Properties, Default)] | ||||
|     #[properties(wrapper_type = super::MusicusLibrary)] | ||||
|     pub struct MusicusLibrary { | ||||
|         #[property(get, set)] | ||||
|         pub folder: RefCell<String>, | ||||
|         pub connection: OnceCell<SqliteConnection>, | ||||
|     } | ||||
| 
 | ||||
|     #[glib::object_subclass] | ||||
|     impl ObjectSubclass for MusicusLibrary { | ||||
|         const NAME: &'static str = "MusicusLibrary"; | ||||
|         type Type = super::MusicusLibrary; | ||||
|     } | ||||
| 
 | ||||
|     #[glib::derived_properties] | ||||
|     impl ObjectImpl for MusicusLibrary {} | ||||
| } | ||||
| 
 | ||||
| glib::wrapper! { | ||||
|     pub struct MusicusLibrary(ObjectSubclass<imp::MusicusLibrary>); | ||||
| } | ||||
| 
 | ||||
| impl MusicusLibrary { | ||||
|     pub fn new(path: impl AsRef<Path>) -> Self { | ||||
|         let path = path.as_ref(); | ||||
|         let obj: MusicusLibrary = glib::Object::builder() | ||||
|             .property("folder", path.to_str().unwrap()) | ||||
|             .build(); | ||||
| 
 | ||||
|         let connection = db::connect(path.join("musicus.db").to_str().unwrap()).unwrap(); | ||||
| 
 | ||||
|         obj.imp() | ||||
|             .connection | ||||
|             .set(connection) | ||||
|             .unwrap_or_else(|_| panic!("Database connection already set")); | ||||
| 
 | ||||
|         obj | ||||
|     } | ||||
| 
 | ||||
|     pub fn db(&self) -> &SqliteConnection { | ||||
|         self.imp().connection.get().unwrap() | ||||
|     } | ||||
| } | ||||
|  | @ -1,6 +1,8 @@ | |||
| mod db; | ||||
| mod application; | ||||
| mod config; | ||||
| mod home_page; | ||||
| mod library; | ||||
| mod player; | ||||
| mod playlist_page; | ||||
| mod search_entry; | ||||
|  |  | |||
|  | @ -1,6 +1,6 @@ | |||
| use crate::{ | ||||
|     home_page::MusicusHomePage, player::MusicusPlayer, playlist_page::MusicusPlaylistPage, | ||||
|     welcome_page::MusicusWelcomePage, | ||||
|     home_page::MusicusHomePage, library::MusicusLibrary, player::MusicusPlayer, | ||||
|     playlist_page::MusicusPlaylistPage, welcome_page::MusicusWelcomePage, | ||||
| }; | ||||
| 
 | ||||
| use adw::subclass::prelude::*; | ||||
|  | @ -125,11 +125,11 @@ impl MusicusWindow { | |||
| 
 | ||||
|     #[template_callback] | ||||
|     fn set_library_folder(&self, folder: &gio::File) { | ||||
|         let path = folder.path(); | ||||
|         log::info!("{path:?}"); | ||||
|         let path = folder.path().unwrap(); | ||||
|         let library = MusicusLibrary::new(path); | ||||
|         self.imp() | ||||
|             .navigation_view | ||||
|             .replace(&[MusicusHomePage::new(&self.imp().player).into()]); | ||||
|             .replace(&[MusicusHomePage::new(&library, &self.imp().player).into()]); | ||||
|     } | ||||
| 
 | ||||
|     #[template_callback] | ||||
|  |  | |||
		Loading…
	
	Add table
		Add a link
		
	
		Reference in a new issue