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 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439
//! *Read and write user-specific application data*
//!
//! This crate allows Rust developers to store and retrieve user-local preferences and other
//! application data in a flexible and platform-appropriate way.
//!
//! Though it was originally inspired by Java's convenient
//! [Preferences API](https://docs.oracle.com/javase/8/docs/api/java/util/prefs/Preferences.html),
//! this crate is more flexible. *Any* struct or enum that implements
//! [`serde`][serde-api]'s `Serialize` and `Deserialize`
//! traits can be stored and retrieved as user data. Implementing those traits is
//! trivial; just include the crate `serde_derive` (don't forget `#[macro_use]`!) and add
//! `#[derive(Serialize, Deserialize)` to your struct definition. (See examples below.)
//!
//! # Usage
//! For convenience, the type [`PreferencesMap<T>`](type.PreferencesMap.html) is provided. (It's
//! actually just [`std::collections::HashMap<String, T>`][hashmap-api], where `T` defaults to
//! `String`). This mirrors the Java API, which models user data as an opaque key-value store. As
//! long as `T` is serializable and deserializable, [`Preferences`](trait.Preferences.html)
//! will be implemented for your map instance. This allows you to seamlessly save and load
//! user data with the `save(..)` and `load(..)` trait methods from `Preferences`.
//!
//! # Basic example
//! ```
//! extern crate preferences_serde1 as preferences;
//! use preferences::{AppInfo, PreferencesMap, Preferences};
//!
//! const APP_INFO: AppInfo = AppInfo{name: "preferences", author: "Rust language community"};
//!
//! fn main() {
//!
//! // Create a new preferences key-value map
//! // (Under the hood: HashMap<String, String>)
//! let mut faves: PreferencesMap<String> = PreferencesMap::new();
//!
//! // Edit the preferences (std::collections::HashMap)
//! faves.insert("color".into(), "blue".into());
//! faves.insert("programming language".into(), "Rust".into());
//!
//! // Store the user's preferences
//! let prefs_key = "tests/docs/basic-example";
//! let save_result = faves.save(&APP_INFO, prefs_key);
//! assert!(save_result.is_ok());
//!
//! // ... Then do some stuff ...
//!
//! // Retrieve the user's preferences
//! let load_result = PreferencesMap::<String>::load(&APP_INFO, prefs_key);
//! assert!(load_result.is_ok());
//! assert_eq!(load_result.unwrap(), faves);
//!
//! }
//! ```
//!
//! # Using custom data types
//! ```
//! #[macro_use]
//! extern crate serde_derive;
//! extern crate preferences_serde1 as preferences;
//! use preferences::{AppInfo, Preferences};
//!
//! const APP_INFO: AppInfo = AppInfo{name: "preferences", author: "Rust language community"};
//!
//! // Deriving `Serialize` and `Deserialize` on a struct/enum automatically implements
//! // the `Preferences` trait.
//! #[derive(Serialize, Deserialize, PartialEq, Debug)]
//! struct PlayerData {
//! level: u32,
//! health: f32,
//! }
//!
//! fn main() {
//!
//! let player = PlayerData{level: 2, health: 0.75};
//!
//! let prefs_key = "tests/docs/custom-types";
//! let save_result = player.save(&APP_INFO, prefs_key);
//! assert!(save_result.is_ok());
//!
//! // Method `load` is from trait `Preferences`.
//! let load_result = PlayerData::load(&APP_INFO, prefs_key);
//! assert!(load_result.is_ok());
//! assert_eq!(load_result.unwrap(), player);
//!
//! }
//! ```
//!
//! # Using custom data types with `PreferencesMap`
//! ```
//! #[macro_use]
//! extern crate serde_derive;
//! extern crate preferences_serde1 as preferences;
//! use preferences::{AppInfo, PreferencesMap, Preferences};
//!
//! const APP_INFO: AppInfo = AppInfo{name: "preferences", author: "Rust language community"};
//!
//! #[derive(Serialize, Deserialize, PartialEq, Debug)]
//! struct Point(f32, f32);
//!
//! fn main() {
//!
//! let mut places = PreferencesMap::new();
//! places.insert("treasure".into(), Point(1.0, 1.0));
//! places.insert("home".into(), Point(-1.0, 6.6));
//!
//! let prefs_key = "tests/docs/custom-types-with-preferences-map";
//! let save_result = places.save(&APP_INFO, prefs_key);
//! assert!(save_result.is_ok());
//!
//! let load_result = PreferencesMap::load(&APP_INFO, prefs_key);
//! assert!(load_result.is_ok());
//! assert_eq!(load_result.unwrap(), places);
//!
//! }
//! ```
//!
//! # Using custom data types with serializable containers
//! ```
//! #[macro_use]
//! extern crate serde_derive;
//! extern crate preferences_serde1 as preferences;
//! use preferences::{AppInfo, Preferences};
//!
//! const APP_INFO: AppInfo = AppInfo{name: "preferences", author: "Rust language community"};
//!
//! #[derive(Serialize, Deserialize, PartialEq, Debug)]
//! struct Point(usize, usize);
//!
//! fn main() {
//!
//! let square = vec![
//! Point(0,0),
//! Point(1,0),
//! Point(1,1),
//! Point(0,1),
//! ];
//!
//! let prefs_key = "tests/docs/custom-types-in-containers";
//! let save_result = square.save(&APP_INFO, prefs_key);
//! assert!(save_result.is_ok());
//!
//! let load_result = Vec::<Point>::load(&APP_INFO, prefs_key);
//! assert!(load_result.is_ok());
//! assert_eq!(load_result.unwrap(), square);
//!
//! }
//! ```
//!
//! # Under the hood
//! Data is written to flat files under the active user's home directory in a location specific to
//! the operating system. This location is decided by the `directories` crate with the function
//! `config_dir()`. Within the data directory, the files are stored in a folder hierarchy that maps
//! to a sanitized version of the preferences key passed to `save(..)`.
//!
//! The data is stored in JSON format. This has several advantages:
//!
//! * Human-readable and self-describing
//! * More compact than e.g. XML
//! * Better adoption rates and language compatibility than e.g. TOML
//! * Not reliant on a consistent memory layout like e.g. binary
//!
//! You could, of course, implement `Preferences` yourself and store your user data in
//! whatever location and format that you wanted. But that would defeat the purpose of this
//! library. 😊
//!
//! [hashmap-api]: https://doc.rust-lang.org/nightly/std/collections/struct.HashMap.html
//! [serde-api]: https://crates.io/crates/serde
#![warn(missing_docs)]
extern crate serde;
extern crate serde_json;
use serde::de::DeserializeOwned;
use serde::Serialize;
use std::collections::HashMap;
use std::ffi::OsString;
use std::fmt;
use std::fs::{create_dir_all, File};
use std::io::{self, ErrorKind, Read, Write};
use std::path::PathBuf;
use std::string::FromUtf8Error;
static PREFS_FILE_EXTENSION: &'static str = ".prefs.json";
static DEFAULT_PREFS_FILENAME: &'static str = "prefs.json";
/// Struct that holds information about your app.
///
/// It's recommended to create a single `const` instance of `AppInfo`:
///
/// ```
/// use preferences_serde1::AppInfo;
/// const APP_INFO: AppInfo = AppInfo{name: "Awesome App", author: "Dedicated Dev"};
/// ```
///
/// # Caveats
/// Functions in this library sanitize any characters that could be
/// non-filename-safe from `name` and `author`. The resulting paths will be
/// more human-readable if you stick to **letters, numbers, spaces, hyphens,
/// underscores, and periods** for both properties.
///
/// The `author` property is currently only used by Windows, as macOS and *nix
/// specifications don't require it. Make sure your `name` string is unique!
#[derive(Debug, PartialEq)]
pub struct AppInfo {
/// Name of your app (e.g. "Hearthstone").
pub name: &'static str,
/// Author of your app (e.g. "Blizzard").
pub author: &'static str,
}
/// Generic key-value store for user data.
///
/// This is actually a wrapper type around [`std::collections::HashMap<String, T>`][hashmap-api]
/// (with `T` defaulting to `String`), so use the `HashMap` API methods to access and change user
/// data in memory.
///
/// To save or load user data, use the methods defined for the trait
/// [`Preferences`](trait.Preferences.html), which will be automatically implemented for
/// `PreferencesMap<T>` as long as `T` is serializable. (See the
/// [module documentation](index.html) for examples and more details.)
///
/// [hashmap-api]: https://doc.rust-lang.org/nightly/std/collections/struct.HashMap.html
pub type PreferencesMap<T = String> = HashMap<String, T>;
/// Error type representing the errors that can occur when saving or loading user data.
#[derive(Debug)]
pub enum PreferencesError {
/// An error occurred during JSON serialization or deserialization.
Json(serde_json::Error),
/// An error occurred during preferences file I/O.
Io(io::Error),
/// Couldn't figure out where to put or find the serialized data.
Directory,
}
impl fmt::Display for PreferencesError {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
use PreferencesError::*;
match *self {
Json(ref e) => e.fmt(f),
Io(ref e) => e.fmt(f),
Directory => writeln!(
f,
"Couldn't figure out where to put or find the serialized data."
),
}
}
}
impl std::error::Error for PreferencesError {
fn description(&self) -> &str {
use PreferencesError::*;
match *self {
Json(ref e) => e.description(),
Io(ref e) => e.description(),
Directory => "Couldn't figure out where to put or find the serialized data.",
}
}
fn cause(&self) -> Option<&std::error::Error> {
use PreferencesError::*;
Some(match *self {
Json(ref e) => e,
Io(ref e) => e,
Directory => return None,
})
}
}
impl From<serde_json::Error> for PreferencesError {
fn from(e: serde_json::Error) -> Self {
PreferencesError::Json(e)
}
}
impl From<FromUtf8Error> for PreferencesError {
fn from(_: FromUtf8Error) -> Self {
let kind = ErrorKind::InvalidData;
let msg = "Preferences file contained invalid UTF-8";
let err = io::Error::new(kind, msg);
PreferencesError::Io(err)
}
}
impl From<std::io::Error> for PreferencesError {
fn from(e: std::io::Error) -> Self {
PreferencesError::Io(e)
}
}
/// Trait for types that can be saved & loaded as user data.
///
/// This type is automatically implemented for any struct/enum `T` which implements both
/// `Serialize` and `Deserialize` (from `serde`). (Trivially, you can annotate the type
/// with `#[derive(Serialize, Deserialize)`). It is encouraged to use the provided
/// type, [`PreferencesMap`](type.PreferencesMap.html), to bundle related user preferences.
///
/// For the `app` parameter of `save(..)` and `load(..)`, it's recommended that you use a single
/// `const` instance of `AppInfo` that represents your program:
///
/// ```
/// use preferences_serde1::AppInfo;
/// const APP_INFO: AppInfo = AppInfo{name: "Awesome App", author: "Dedicated Dev"};
/// ```
///
/// The `key` parameter of `save(..)` and `load(..)` should be used to uniquely identify different
/// preferences data. It roughly maps to a platform-dependent directory hierarchy, with forward
/// slashes used as separators on all platforms. Keys are sanitized to be valid paths; to ensure
/// human-readable paths, use only letters, digits, spaces, hyphens, underscores, periods, and
/// slashes.
///
/// # Example keys
/// * `options/graphics`
/// * `saves/quicksave`
/// * `bookmarks/favorites`
pub trait Preferences: Sized {
/// Saves the current state of this object. Implementation is platform-dependent, but the data
/// will be local to the active user.
///
/// # Failures
/// If a serialization or file I/O error (e.g. permission denied) occurs.
fn save<S: AsRef<str>>(&self, app: &AppInfo, key: S) -> Result<(), PreferencesError>;
/// Loads this object's state from previously saved user data with the same `key`. This is
/// an instance method which completely overwrites the object's state with the serialized
/// data. Thus, it is recommended that you call this method immediately after instantiating
/// the preferences object.
///
/// # Failures
/// If a deserialization or file I/O error (e.g. permission denied) occurs, or if no user data
/// exists at that `path`.
fn load<S: AsRef<str>>(app: &AppInfo, key: S) -> Result<Self, PreferencesError>;
/// Same as `save`, but writes the serialized preferences to an arbitrary writer.
fn save_to<W: Write>(&self, writer: &mut W) -> Result<(), PreferencesError>;
/// Same as `load`, but reads the serialized preferences from an arbitrary writer.
fn load_from<R: Read>(reader: &mut R) -> Result<Self, PreferencesError>;
}
fn compute_file_path<S: AsRef<str>>(app: &AppInfo, key: S) -> Result<PathBuf, PreferencesError> {
let mut path = if let Some(bd) = prefs_base_dir() {
bd
} else {
return Err(PreferencesError::Directory);
};
#[cfg(target_os = "windows")]
{
path.push(app.author);
}
path.push(app.name);
path.push(key.as_ref());
let new_name = match path.file_name() {
Some(name) if !name.is_empty() => {
let mut new_name = OsString::with_capacity(name.len() + PREFS_FILE_EXTENSION.len());
new_name.push(name);
new_name.push(PREFS_FILE_EXTENSION);
new_name
}
_ => DEFAULT_PREFS_FILENAME.into(),
};
path.set_file_name(new_name);
Ok(path)
}
impl<T> Preferences for T
where
T: Serialize + DeserializeOwned + Sized,
{
fn save<S>(&self, app: &AppInfo, key: S) -> Result<(), PreferencesError>
where
S: AsRef<str>,
{
let path = compute_file_path(app, key.as_ref())?;
path.parent().map(create_dir_all);
let mut file = File::create(path)?;
self.save_to(&mut file)
}
fn load<S: AsRef<str>>(app: &AppInfo, key: S) -> Result<Self, PreferencesError> {
let path = compute_file_path(app, key.as_ref())?;
let mut file = File::open(path)?;
Self::load_from(&mut file)
}
fn save_to<W: Write>(&self, writer: &mut W) -> Result<(), PreferencesError> {
serde_json::to_writer(writer, self).map_err(Into::into)
}
fn load_from<R: Read>(reader: &mut R) -> Result<Self, PreferencesError> {
serde_json::from_reader(reader).map_err(Into::into)
}
}
/// Get full path to the base directory for preferences.
///
/// This makes no guarantees that the specified directory path actually *exists* (though you can
/// easily use `std::fs::create_dir_all(..)`). Returns `None` if the directory cannot be determined
/// or is not available on the current platform.
pub fn prefs_base_dir() -> Option<PathBuf> {
directories::BaseDirs::new()
.as_ref()
.map(|bd| bd.config_dir().into())
}
#[cfg(test)]
mod tests {
use {AppInfo, Preferences, PreferencesMap};
const APP_INFO: AppInfo = AppInfo {
name: "preferences",
author: "Rust language community",
};
const TEST_PREFIX: &'static str = "tests/module";
fn gen_test_name(name: &str) -> String {
TEST_PREFIX.to_owned() + "/" + name
}
fn gen_sample_prefs() -> PreferencesMap<String> {
let mut prefs = PreferencesMap::new();
prefs.insert("foo".into(), "bar".into());
prefs.insert("age".into(), "23".into());
prefs.insert("PI".into(), "3.14".into());
prefs.insert("offset".into(), "-9".into());
prefs
}
#[test]
fn test_save_load() {
let sample_map = gen_sample_prefs();
let sample_other: i32 = 4;
let name_map = gen_test_name("save-load-map");
let name_other = gen_test_name("save-load-other");
let save_map_result = sample_map.save(&APP_INFO, &name_map);
let save_other_result = sample_other.save(&APP_INFO, &name_other);
assert!(save_map_result.is_ok());
assert!(save_other_result.is_ok());
let load_map_result = PreferencesMap::load(&APP_INFO, &name_map);
let load_other_result = i32::load(&APP_INFO, &name_other);
assert!(load_map_result.is_ok());
assert!(load_other_result.is_ok());
assert_eq!(load_map_result.unwrap(), sample_map);
assert_eq!(load_other_result.unwrap(), sample_other);
}
}