1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
use crate::prelude::*;
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct Config {
#[serde(default, with = "json::def_uvec2")]
pub resolution: UVec2,
#[serde(default)]
pub fullscreen: bool,
#[serde(default)]
pub dynamic_lighting: bool,
#[serde(default, skip_serializing_if = "Option::is_none")]
pub post_processing: Option<String>,
#[serde(default)]
pub master_volume: u8,
#[serde(default)]
pub sound_effects_volume: u8,
#[serde(default)]
pub music_volume: u8,
#[serde(default, skip)]
path: String,
}
impl Default for Config {
fn default() -> Self {
Config {
resolution: uvec2(1920, 1080),
fullscreen: true,
dynamic_lighting: true,
post_processing: None,
master_volume: 100,
sound_effects_volume: 100,
music_volume: 100,
path: "config.json".to_string(),
}
}
}
impl Config {
pub const MIN_GUI_SCALE: f32 = 0.1;
pub const MAX_GUI_SCALE: f32 = 5.0;
pub const GUI_SCALE_STEP: f32 = 0.1;
#[cfg(any(target_family = "unix", target_family = "windows"))]
pub fn load(path: &str) -> Self {
let mut config: Config = if let Ok(json) = fs::read_to_string(path) {
serde_json::from_str(&json)
.unwrap_or_else(|_| panic!("Unable to parse config file '{}'!", path))
} else {
Default::default()
};
config.master_volume = config.master_volume.clamp(0, 100);
config.sound_effects_volume = config.sound_effects_volume.clamp(0, 100);
config.music_volume = config.music_volume.clamp(0, 100);
config.path = path.to_string();
storage::store(config.clone());
config
}
#[cfg(target_family = "wasm")]
pub fn load(key: &str) -> Self {
let web_storage = &mut quad_storage::STORAGE.lock().unwrap();
let mut config = if let Some(json) = web_storage.get(key) {
let mut config: Config =
serde_json::from_str(&json).expect("Unable to parse config from web storage!");
storage::store(config.clone());
config
} else {
Default::default()
};
config.path = key.to_string();
storage::store(config.clone());
config
}
#[cfg(any(target_family = "unix", target_family = "windows"))]
pub fn save(&self) {
assert!(!self.path.is_empty(), "Config path is not set!");
let json = serde_json::to_string_pretty(self).expect("Error parsing config!");
fs::write(&self.path, &json).expect("Error saving config to file!");
}
#[cfg(target_family = "wasm")]
pub fn save(&self) {
let storage = &mut quad_storage::STORAGE.lock().unwrap();
let json = serde_json::to_string_pretty(self).expect("Error parsing config!");
storage.set(self.path, &json)
}
}