2024-04-13 19:15:43 -04:00
|
|
|
use anyhow::{bail, Context, Error, Result};
|
|
|
|
use serde::Deserialize;
|
2024-04-23 18:58:52 -04:00
|
|
|
use std::{fs, io::ErrorKind};
|
|
|
|
|
2024-04-13 19:15:43 -04:00
|
|
|
// Deserialized from the `info.toml` file.
|
|
|
|
#[derive(Deserialize)]
|
|
|
|
pub struct ExerciseInfo {
|
|
|
|
// Name of the exercise
|
|
|
|
pub name: String,
|
|
|
|
// The exercise's directory inside the `exercises` directory
|
|
|
|
pub dir: Option<String>,
|
2024-04-24 21:25:45 -04:00
|
|
|
#[serde(default = "default_true")]
|
|
|
|
pub test: bool,
|
|
|
|
#[serde(default)]
|
|
|
|
pub strict_clippy: bool,
|
2024-04-13 19:15:43 -04:00
|
|
|
// The hint text associated with the exercise
|
|
|
|
pub hint: String,
|
|
|
|
}
|
2024-04-24 21:25:45 -04:00
|
|
|
#[inline]
|
|
|
|
const fn default_true() -> bool {
|
|
|
|
true
|
|
|
|
}
|
2024-04-13 19:15:43 -04:00
|
|
|
|
|
|
|
impl ExerciseInfo {
|
2024-04-13 20:41:19 -04:00
|
|
|
pub fn path(&self) -> String {
|
|
|
|
if let Some(dir) = &self.dir {
|
2024-04-13 19:15:43 -04:00
|
|
|
format!("exercises/{dir}/{}.rs", self.name)
|
|
|
|
} else {
|
|
|
|
format!("exercises/{}.rs", self.name)
|
2024-04-13 20:41:19 -04:00
|
|
|
}
|
2024-04-13 19:15:43 -04:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
#[derive(Deserialize)]
|
|
|
|
pub struct InfoFile {
|
2024-04-15 19:22:54 -04:00
|
|
|
pub format_version: u8,
|
2024-04-13 19:15:43 -04:00
|
|
|
pub welcome_message: Option<String>,
|
|
|
|
pub final_message: Option<String>,
|
|
|
|
pub exercises: Vec<ExerciseInfo>,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl InfoFile {
|
|
|
|
pub fn parse() -> Result<Self> {
|
|
|
|
// Read a local `info.toml` if it exists.
|
2024-04-23 18:58:52 -04:00
|
|
|
let slf = match fs::read_to_string("info.toml") {
|
|
|
|
Ok(file_content) => toml_edit::de::from_str::<Self>(&file_content)
|
2024-04-13 19:15:43 -04:00
|
|
|
.context("Failed to parse the `info.toml` file")?,
|
2024-04-23 18:58:52 -04:00
|
|
|
Err(e) => {
|
|
|
|
if e.kind() == ErrorKind::NotFound {
|
2024-04-24 10:26:48 -04:00
|
|
|
return toml_edit::de::from_str(include_str!("../info.toml"))
|
|
|
|
.context("Failed to parse the embedded `info.toml` file");
|
2024-04-13 19:15:43 -04:00
|
|
|
}
|
2024-04-23 18:58:52 -04:00
|
|
|
|
|
|
|
return Err(Error::from(e).context("Failed to read the `info.toml` file"));
|
|
|
|
}
|
2024-04-13 19:15:43 -04:00
|
|
|
};
|
|
|
|
|
|
|
|
if slf.exercises.is_empty() {
|
|
|
|
bail!("{NO_EXERCISES_ERR}");
|
|
|
|
}
|
|
|
|
|
|
|
|
Ok(slf)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
const NO_EXERCISES_ERR: &str = "There are no exercises yet!
|
|
|
|
If you are developing third-party exercises, add at least one exercise before testing.";
|