musicus/database/src/recordings.rs

319 lines
10 KiB
Rust
Raw Normal View History

2020-12-17 21:23:16 +01:00
use super::generate_id;
2020-11-17 15:52:47 +01:00
use super::schema::{ensembles, performances, persons, recordings};
2021-02-04 21:47:22 +01:00
use super::{Database, Ensemble, Error, Instrument, Person, Result, Work};
2020-11-17 15:52:47 +01:00
use diesel::prelude::*;
2021-04-25 23:12:19 +02:00
use log::info;
2020-11-17 15:52:47 +01:00
use serde::{Deserialize, Serialize};
/// Database table data for a recording.
#[derive(Insertable, Queryable, Debug, Clone)]
#[table_name = "recordings"]
struct RecordingRow {
2020-11-28 21:45:22 +01:00
pub id: String,
pub work: String,
2020-11-17 15:52:47 +01:00
pub comment: String,
}
impl From<Recording> for RecordingRow {
fn from(recording: Recording) -> Self {
RecordingRow {
2020-11-28 21:45:22 +01:00
id: recording.id,
work: recording.work.id,
2020-11-17 15:52:47 +01:00
comment: recording.comment,
}
}
}
/// Database table data for a performance.
#[derive(Insertable, Queryable, Debug, Clone)]
#[table_name = "performances"]
struct PerformanceRow {
pub id: i64,
2020-11-28 21:45:22 +01:00
pub recording: String,
pub person: Option<String>,
pub ensemble: Option<String>,
pub role: Option<String>,
2020-11-17 15:52:47 +01:00
}
/// How a person or ensemble was involved in a recording.
// TODO: Replace person/ensemble with an enum.
#[derive(Serialize, Deserialize, Debug, Clone)]
#[serde(rename_all = "camelCase")]
pub struct Performance {
pub person: Option<Person>,
pub ensemble: Option<Ensemble>,
pub role: Option<Instrument>,
}
impl Performance {
/// Get a string representation of the performance.
// TODO: Replace with impl Display.
pub fn get_title(&self) -> String {
2021-04-25 23:22:55 +02:00
let mut text = if self.is_person() {
2020-11-17 15:52:47 +01:00
self.unwrap_person().name_fl()
} else {
self.unwrap_ensemble().name
2021-04-25 23:22:55 +02:00
};
2020-11-17 15:52:47 +01:00
if self.has_role() {
text = text + " (" + &self.unwrap_role().name + ")";
}
text
}
pub fn is_person(&self) -> bool {
self.person.is_some()
}
pub fn unwrap_person(&self) -> Person {
self.person.clone().unwrap()
}
pub fn unwrap_ensemble(&self) -> Ensemble {
self.ensemble.clone().unwrap()
}
pub fn has_role(&self) -> bool {
self.role.clone().is_some()
}
pub fn unwrap_role(&self) -> Instrument {
self.role.clone().unwrap()
}
}
/// A specific recording of a work.
#[derive(Serialize, Deserialize, Debug, Clone)]
#[serde(rename_all = "camelCase")]
pub struct Recording {
2020-11-28 21:45:22 +01:00
pub id: String,
2020-11-17 15:52:47 +01:00
pub work: Work,
pub comment: String,
pub performances: Vec<Performance>,
}
impl Recording {
2020-12-17 21:23:16 +01:00
/// Initialize a new recording with a work.
pub fn new(work: Work) -> Self {
Self {
id: generate_id(),
work,
comment: String::new(),
performances: Vec::new(),
}
}
2020-11-17 15:52:47 +01:00
/// 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(", ")
}
}
impl Database {
/// Update an existing recording or insert a new one.
// TODO: Think about whether to also insert the other items.
2021-02-04 21:47:22 +01:00
pub fn update_recording(&self, recording: Recording) -> Result<()> {
2021-04-25 23:12:19 +02:00
info!("Updating recording {:?}", recording);
2020-11-17 15:52:47 +01:00
self.defer_foreign_keys()?;
2021-02-04 21:47:22 +01:00
self.connection.transaction::<(), Error, _>(|| {
2020-11-28 21:45:22 +01:00
let recording_id = &recording.id;
self.delete_recording(recording_id)?;
2020-11-17 15:52:47 +01:00
// Add associated items from the server, if they don't already exist.
if self.get_work(&recording.work.id)?.is_none() {
self.update_work(recording.work.clone())?;
}
for performance in &recording.performances {
if let Some(person) = &performance.person {
if self.get_person(&person.id)?.is_none() {
self.update_person(person.clone())?;
}
}
if let Some(ensemble) = &performance.ensemble {
if self.get_ensemble(&ensemble.id)?.is_none() {
self.update_ensemble(ensemble.clone())?;
}
}
if let Some(role) = &performance.role {
if self.get_instrument(&role.id)?.is_none() {
self.update_instrument(role.clone())?;
}
}
}
// Add the actual recording.
2020-11-17 15:52:47 +01:00
let row: RecordingRow = recording.clone().into();
diesel::insert_into(recordings::table)
.values(row)
.execute(&self.connection)?;
for performance in recording.performances {
let row = PerformanceRow {
id: rand::random(),
2020-11-28 21:45:22 +01:00
recording: recording_id.to_string(),
person: performance.person.map(|person| person.id),
ensemble: performance.ensemble.map(|ensemble| ensemble.id),
role: performance.role.map(|role| role.id),
2020-11-17 15:52:47 +01:00
};
diesel::insert_into(performances::table)
.values(row)
.execute(&self.connection)?;
}
Ok(())
})?;
Ok(())
}
/// Check whether the database contains a recording.
2021-02-04 21:47:22 +01:00
pub fn recording_exists(&self, id: &str) -> Result<bool> {
let exists = recordings::table
.filter(recordings::id.eq(id))
.load::<RecordingRow>(&self.connection)?
.first()
.is_some();
Ok(exists)
}
2020-12-20 11:47:27 +01:00
/// Get an existing recording.
2021-02-04 21:47:22 +01:00
pub fn get_recording(&self, id: &str) -> Result<Option<Recording>> {
2020-12-20 11:47:27 +01:00
let row = recordings::table
.filter(recordings::id.eq(id))
.load::<RecordingRow>(&self.connection)?
.into_iter()
.next();
let recording = match row {
Some(row) => Some(self.get_recording_data(row)?),
None => None,
};
Ok(recording)
}
2020-11-17 15:52:47 +01:00
/// Retrieve all available information on a recording from related tables.
2021-02-04 21:47:22 +01:00
fn get_recording_data(&self, row: RecordingRow) -> Result<Recording> {
2020-11-17 15:52:47 +01:00
let mut performance_descriptions: Vec<Performance> = Vec::new();
let performance_rows = performances::table
2020-11-28 21:45:22 +01:00
.filter(performances::recording.eq(&row.id))
2020-11-17 15:52:47 +01:00
.load::<PerformanceRow>(&self.connection)?;
for row in performance_rows {
performance_descriptions.push(Performance {
person: match row.person {
Some(id) => Some(
2020-11-28 21:45:22 +01:00
self.get_person(&id)?
2021-04-25 22:48:25 +02:00
.ok_or(Error::MissingItem("person", id))?,
2020-11-17 15:52:47 +01:00
),
None => None,
},
ensemble: match row.ensemble {
Some(id) => Some(
2020-11-28 21:45:22 +01:00
self.get_ensemble(&id)?
2021-04-25 22:48:25 +02:00
.ok_or(Error::MissingItem("ensemble", id))?,
2020-11-17 15:52:47 +01:00
),
None => None,
},
role: match row.role {
Some(id) => Some(
2020-11-28 21:45:22 +01:00
self.get_instrument(&id)?
2021-04-25 22:48:25 +02:00
.ok_or(Error::MissingItem("instrument", id))?,
2020-11-17 15:52:47 +01:00
),
None => None,
},
});
}
2021-04-25 22:48:25 +02:00
let work_id = row.work;
2020-11-17 15:52:47 +01:00
let work = self
2021-04-25 22:48:25 +02:00
.get_work(&work_id)?
.ok_or(Error::MissingItem("work", work_id))?;
2020-11-17 15:52:47 +01:00
let recording_description = Recording {
2020-11-28 21:45:22 +01:00
id: row.id,
2020-11-17 15:52:47 +01:00
work,
2021-04-25 23:22:55 +02:00
comment: row.comment,
2020-11-17 15:52:47 +01:00
performances: performance_descriptions,
};
Ok(recording_description)
}
/// Get all available information on all recordings where a person is performing.
2021-02-04 21:47:22 +01:00
pub fn get_recordings_for_person(&self, person_id: &str) -> Result<Vec<Recording>> {
2020-11-17 15:52:47 +01:00
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)))
2020-11-28 21:45:22 +01:00
.filter(persons::id.eq(person_id))
2020-11-17 15:52:47 +01:00
.select(recordings::table::all_columns())
.load::<RecordingRow>(&self.connection)?;
for row in rows {
recordings.push(self.get_recording_data(row)?);
}
Ok(recordings)
}
/// Get all available information on all recordings where an ensemble is performing.
2021-02-04 21:47:22 +01:00
pub fn get_recordings_for_ensemble(&self, ensemble_id: &str) -> Result<Vec<Recording>> {
2020-11-17 15:52:47 +01:00
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)))
2020-11-28 21:45:22 +01:00
.filter(ensembles::id.eq(ensemble_id))
2020-11-17 15:52:47 +01:00
.select(recordings::table::all_columns())
.load::<RecordingRow>(&self.connection)?;
for row in rows {
recordings.push(self.get_recording_data(row)?);
}
Ok(recordings)
}
/// Get allavailable information on all recordings of a work.
2021-02-04 21:47:22 +01:00
pub fn get_recordings_for_work(&self, work_id: &str) -> Result<Vec<Recording>> {
2020-11-17 15:52:47 +01:00
let mut recordings: Vec<Recording> = Vec::new();
let rows = recordings::table
2020-11-28 21:45:22 +01:00
.filter(recordings::work.eq(work_id))
2020-11-17 15:52:47 +01:00
.load::<RecordingRow>(&self.connection)?;
for row in rows {
recordings.push(self.get_recording_data(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.
2021-02-04 21:47:22 +01:00
pub fn delete_recording(&self, id: &str) -> Result<()> {
2021-04-25 23:12:19 +02:00
info!("Deleting recording {}", id);
2020-11-28 21:45:22 +01:00
diesel::delete(recordings::table.filter(recordings::id.eq(id)))
2020-11-17 15:52:47 +01:00
.execute(&self.connection)?;
Ok(())
}
}