Merge pull request #4 from Ewpratten/ewpratten/save_state
Add code for handling persistent settings and save-state
This commit is contained in:
commit
6a6f268a6c
1
.gitmodules
vendored
1
.gitmodules
vendored
@ -5,3 +5,4 @@
|
||||
[submodule "third_party/sm"]
|
||||
path = third_party/sm
|
||||
url = https://github.com/Ewpratten/sm
|
||||
ignore = dirty
|
||||
|
@ -8,3 +8,8 @@ edition = "2021"
|
||||
[dependencies]
|
||||
raylib = { version = "3.7", path = "../../third_party/raylib-rs/raylib" }
|
||||
sad_machine = { version = "1.0", path = "../../third_party/sm" }
|
||||
log = "0.4.14"
|
||||
profiling = "1.0.5"
|
||||
serde = { version = "1.0.136", features = ["derive"] }
|
||||
serde_json = "1.0.79"
|
||||
directories = "4.0.1"
|
@ -1,3 +1,27 @@
|
||||
/// This is the game logic entrypoint. Despite being async,
|
||||
//! This file is the main entry point for the game logic.
|
||||
|
||||
pub(crate) mod persistent;
|
||||
|
||||
/// This is the game logic entrypoint. Despite being async,
|
||||
/// this is expected to block the main thread for rendering and stuff.
|
||||
pub async fn entrypoint() {}
|
||||
pub async fn entrypoint() {
|
||||
log::info!("Game main thread handed off to logic crate.");
|
||||
|
||||
// Load the game settings
|
||||
let mut settings = persistent::settings::PersistentGameSettings::load_or_create()
|
||||
.expect("Failed to parse game settings from disk. Possibly corrupt file?");
|
||||
|
||||
// Load the game save state
|
||||
let mut save_state = persistent::save_state::GameSaveState::load_or_create()
|
||||
.expect("Failed to parse game save state from disk. Possibly corrupt file?");
|
||||
|
||||
// TODO: Blocking game loop goes here
|
||||
|
||||
// Clean up any resources
|
||||
settings
|
||||
.save()
|
||||
.expect("Could not save game settings to disk.");
|
||||
save_state
|
||||
.save()
|
||||
.expect("Could not save game save state to disk.");
|
||||
}
|
||||
|
6
game/game_logic/src/persistent/mod.rs
Normal file
6
game/game_logic/src/persistent/mod.rs
Normal file
@ -0,0 +1,6 @@
|
||||
//! This module contains the datastructure backing persistent data.
|
||||
//!
|
||||
//! This includes stuff like settings and game save state.
|
||||
|
||||
pub mod settings;
|
||||
pub mod save_state;
|
75
game/game_logic/src/persistent/save_state.rs
Normal file
75
game/game_logic/src/persistent/save_state.rs
Normal file
@ -0,0 +1,75 @@
|
||||
use std::path::PathBuf;
|
||||
|
||||
use directories::ProjectDirs;
|
||||
use serde::{Deserialize, Serialize};
|
||||
|
||||
/// Game save state.
|
||||
///
|
||||
/// This can be used for health, coins, inventory, progress, high scores, etc.
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct GameSaveState {
|
||||
// TODO: Add data here.
|
||||
}
|
||||
|
||||
// Add any default values here.
|
||||
impl Default for GameSaveState {
|
||||
fn default() -> Self {
|
||||
Self {}
|
||||
}
|
||||
}
|
||||
|
||||
/* ----------------------- You likely are looking for code above this line ----------------------- */
|
||||
|
||||
// This is the code for actually saving and loading the file from disk.
|
||||
impl GameSaveState {
|
||||
/// Returns the optimal path for storing settings data.
|
||||
#[profiling::function]
|
||||
fn get_save_location() -> PathBuf {
|
||||
// We should allow this path to be overridden through an environment variable.
|
||||
let preferences_dir = match std::env::var("OVERRIDE_GAME_SAVE_STATE_LOCATION") {
|
||||
Ok(path) => PathBuf::from(path),
|
||||
Err(_) => {
|
||||
// If there is no override, we shall ask `directories` for the appropriate location.
|
||||
ProjectDirs::from("com", "va3zza", "ludum-dare-50")
|
||||
.unwrap()
|
||||
.data_local_dir()
|
||||
.to_path_buf()
|
||||
}
|
||||
};
|
||||
|
||||
return preferences_dir.join("progress.json");
|
||||
}
|
||||
|
||||
/// Loads the savestate from disk.
|
||||
#[profiling::function]
|
||||
pub fn load_or_create() -> Result<Self, serde_json::Error> {
|
||||
// Attempt to load the savestate from the save location.
|
||||
let save_location = Self::get_save_location();
|
||||
log::debug!(
|
||||
"Attempting to load game savestate from: {}",
|
||||
save_location.display()
|
||||
);
|
||||
|
||||
if save_location.is_file() {
|
||||
log::debug!("Found existing savestate file.");
|
||||
return serde_json::from_str(std::fs::read_to_string(&save_location).unwrap().as_str());
|
||||
}
|
||||
|
||||
// If we got here, we need to create a new savestate file. In this case, we can just init the default savestate.
|
||||
log::debug!("No existing savestate file found.");
|
||||
return Ok(Self::default());
|
||||
}
|
||||
|
||||
/// Saves the savestate to disk.
|
||||
#[profiling::function]
|
||||
pub fn save(&self) -> Result<(), serde_json::Error> {
|
||||
// Get the save location
|
||||
let save_location = Self::get_save_location();
|
||||
log::debug!("Saving game savestate to: {}", save_location.display());
|
||||
|
||||
// Write the savestate to disk.
|
||||
std::fs::write(save_location, serde_json::to_string(self).unwrap()).unwrap();
|
||||
|
||||
return Ok(());
|
||||
}
|
||||
}
|
76
game/game_logic/src/persistent/settings.rs
Normal file
76
game/game_logic/src/persistent/settings.rs
Normal file
@ -0,0 +1,76 @@
|
||||
use std::path::PathBuf;
|
||||
|
||||
use directories::ProjectDirs;
|
||||
use serde::{Deserialize, Serialize};
|
||||
|
||||
/// Settings for the game.
|
||||
///
|
||||
/// You can put whatever you want in here.
|
||||
/// Please don't add anything relating to gameplay though (no coins, health, etc.).
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct PersistentGameSettings {
|
||||
// TODO: Add settings here.
|
||||
}
|
||||
|
||||
// Add any default values here.
|
||||
impl Default for PersistentGameSettings {
|
||||
fn default() -> Self {
|
||||
Self {}
|
||||
}
|
||||
}
|
||||
|
||||
/* ----------------------- You likely are looking for code above this line ----------------------- */
|
||||
|
||||
// This is the code for actually saving and loading the file from disk.
|
||||
impl PersistentGameSettings {
|
||||
/// Returns the optimal path for storing settings data.
|
||||
#[profiling::function]
|
||||
fn get_save_location() -> PathBuf {
|
||||
// We should allow this path to be overridden through an environment variable.
|
||||
let preferences_dir = match std::env::var("OVERRIDE_GAME_SETTINGS_SAVE_LOCATION") {
|
||||
Ok(path) => PathBuf::from(path),
|
||||
Err(_) => {
|
||||
// If there is no override, we shall ask `directories` for the appropriate location.
|
||||
ProjectDirs::from("com", "va3zza", "ludum-dare-50")
|
||||
.unwrap()
|
||||
.preference_dir()
|
||||
.to_path_buf()
|
||||
}
|
||||
};
|
||||
|
||||
return preferences_dir.join("settings.json");
|
||||
}
|
||||
|
||||
/// Loads the settings from disk.
|
||||
#[profiling::function]
|
||||
pub fn load_or_create() -> Result<Self, serde_json::Error> {
|
||||
// Attempt to load the settings from the save location.
|
||||
let save_location = Self::get_save_location();
|
||||
log::debug!(
|
||||
"Attempting to load game settings from: {}",
|
||||
save_location.display()
|
||||
);
|
||||
|
||||
if save_location.is_file() {
|
||||
log::debug!("Found existing settings file.");
|
||||
return serde_json::from_str(std::fs::read_to_string(&save_location).unwrap().as_str());
|
||||
}
|
||||
|
||||
// If we got here, we need to create a new settings file. In this case, we can just init the default settings.
|
||||
log::debug!("No existing settings file found.");
|
||||
return Ok(Self::default());
|
||||
}
|
||||
|
||||
/// Saves the settings to disk.
|
||||
#[profiling::function]
|
||||
pub fn save(&self) -> Result<(), serde_json::Error> {
|
||||
// Get the save location
|
||||
let save_location = Self::get_save_location();
|
||||
log::debug!("Saving game settings to: {}", save_location.display());
|
||||
|
||||
// Write the settings to disk.
|
||||
std::fs::write(save_location, serde_json::to_string(self).unwrap()).unwrap();
|
||||
|
||||
return Ok(());
|
||||
}
|
||||
}
|
2
third_party/raylib-rs
vendored
2
third_party/raylib-rs
vendored
@ -1 +1 @@
|
||||
Subproject commit 67775a41ab64aae22951455fdd45147b9cbb749a
|
||||
Subproject commit 3aff138276b374f5e07187a652a71d9eb59e97d1
|
Reference in New Issue
Block a user