#ini #configuration #config-file #parser #settings

configparser

A simple configuration parsing utility with no dependencies that allows you to parse INI and ini-style syntax. You can use this to write Rust programs which can be customized by end users easily.

33 releases (9 stable)

3.0.4 Jan 2, 2024
3.0.3 Nov 16, 2023
3.0.2 Sep 11, 2022
3.0.0 Oct 23, 2021
0.13.2 Jul 20, 2020

#18 in Parser implementations

Download history 14850/week @ 2023-12-24 35072/week @ 2023-12-31 45980/week @ 2024-01-07 53182/week @ 2024-01-14 48740/week @ 2024-01-21 41469/week @ 2024-01-28 49001/week @ 2024-02-04 49040/week @ 2024-02-11 50113/week @ 2024-02-18 67767/week @ 2024-02-25 77526/week @ 2024-03-03 99856/week @ 2024-03-10 96107/week @ 2024-03-17 62552/week @ 2024-03-24 72344/week @ 2024-03-31 56797/week @ 2024-04-07

290,392 downloads per month
Used in 85 crates (63 directly)

MIT OR LGPL-3.0-or-later

69KB
630 lines

configparser

Build Status Crates.io Crates.io Released API docs Maintenance

This crate provides the Ini struct which implements a basic configuration language which provides a structure similar to what’s found in Windows' ini files. You can use this to write Rust programs which can be customized by end users easily.

This is a simple configuration parsing utility with no dependencies built on Rust. It is inspired by Python's configparser.

The current release is stable and changes will take place at a slower pace. We'll be keeping semver in mind for future releases as well.

πŸš€ Quick Start

A basic ini-syntax file (we say ini-syntax files because the files don't need to be necessarily *.ini) looks like this:

[DEFAULT]
key1 = value1
pizzatime = yes
cost = 9

[topsecrets]
nuclear launch codes = topsecret

[github.com]
User = QEDK

Essentially, the syntax consists of sections, each of which can which contains keys with values. The Ini struct can read and write such values to strings as well as files.

🧰 Installation

You can install this easily via cargo by including it in your Cargo.toml file like:

[dependencies]
configparser = "3.0.4"

βž• Supported datatypes

configparser does not guess the datatype of values in configuration files and stores everything as strings. However, some datatypes are so common that it's a safe bet that some values need to be parsed in other types. For this, the Ini struct provides easy functions like getint(), getuint(), getfloat() and getbool(). The only bit of extra magic involved is that the getbool() function will treat boolean values case-insensitively (so true is the same as True just like TRUE). The crate also provides a stronger getboolcoerce() function that parses more values (such as T, yes and 0, all case-insensitively), the function's documentation will give you the exact details.

use configparser::ini::Ini;

let mut config = Ini::new();
config.read(String::from(
  "[somesection]
  someintvalue = 5"));
let my_value = config.getint("somesection", "someintvalue").unwrap().unwrap();
assert_eq!(my_value, 5); // value accessible!

//You can ofcourse just choose to parse the values yourself:
let my_string = String::from("1984");
let my_int = my_string.parse::<i32>().unwrap();

πŸ“ Supported ini file structure

A configuration file can consist of sections, each led by a [section-name] header, followed by key-value entries separated by a delimiter (= and :). By default, section names and key names are case-insensitive. Case-sensitivity can be enabled using the Ini::new_cs() constructor. All leading and trailing whitespace is removed from stored keys, values and section names. Key values can be omitted, in which case the key-value delimiter may also be left out (but this is different from putting a delimiter, we'll explain it later). You can use comment symbols (; and # to denote comments). This can be configured with the set_comment_symbols() method in the API. Keep in mind that key-value pairs or section headers cannot span multiple lines. Owing to how ini files usually are, this means that [, ], =, :, ; and # are special symbols by default (this crate will allow you to use ] sparingly).

Let's take for example:

[section headers are case-insensitive by default]
[   section headers are case-insensitive by default   ]
are the section headers above same? = yes
sectionheaders_and_keysarestored_in_lowercase? = yes
keys_are_also_case_insensitive = Values are case sensitive
Case-sensitive_keys_and_sections = using a special constructor
you can also use colons : instead of the equal symbol
;anything after a comment symbol is ignored
#this is also a comment
spaces in keys=allowed ;and everything before this is still valid!
spaces in values=allowed as well
spaces around the delimiter = also OK


[All values are strings]
values like this= 0000
or this= 0.999
are they treated as numbers? = no
integers, floats and booleans are held as= strings

[value-less?]
a_valueless_key_has_None
this key has an empty string value has Some("") =

    [indented sections]
        can_values_be_as_well = True
        purpose = formatting for readability
        is_this_same     =        yes
            is_this_same=yes

An important thing to note is that values with the same keys will get updated, this means that the last inserted key (whether that's a section header or property key) is the one that remains in the HashMap. The only bit of magic the API does is the section-less properties are put in a section called "default". You can configure this variable via the API. Keep in mind that a section named "default" is also treated as sectionless so the output files remains consistent with no section header.

πŸ›  Usage

Let's take another simple ini file and talk about working with it:

[topsecret]
KFC = the secret herb is orega-

[values]
Uint = 31415

If you read the above sections carefully, you'll know that 1) all the keys are stored in lowercase, 2) get() can make access in a case-insensitive manner and 3) we can use getuint() to parse the Uint value into an u64. Let's see that in action.

use configparser::ini::{Ini, WriteOptions};
use std::error::Error;

fn main() -> Result<(), Box<dyn Error>> {
  let mut config = Ini::new();

  // You can easily load a file to get a clone of the map:
  let map = config.load("tests/test.ini")?;
  println!("{:?}", map);
  // You can also safely not store the reference and access it later with get_map_ref() or get a clone with get_map()

  // If you want to access the value, then you can simply do:
  let val = config.get("TOPSECRET", "KFC").unwrap();
  // Notice how get() can access indexes case-insensitively.

  assert_eq!(val, "the secret herb is orega-"); // value accessible!

  // What if you want remove KFC's secret recipe? Just use set():
  config.set("topsecret", "kfc", None);

  assert_eq!(config.get("TOPSECRET", "KFC"), None); // as expected!

  // What if you want to get an unsigned integer?
  let my_number = config.getuint("values", "Uint")?.unwrap();
  assert_eq!(my_number, 31415); // and we got it!
  // The Ini struct provides more getters for primitive datatypes.

  // You can also access it like a normal hashmap:
  let innermap = map["topsecret"].clone();
  // Remember that all indexes are stored in lowercase!

  // You can easily write the currently stored configuration to a file with the `write` method. This creates a compact format with as little spacing as possible:
  config.write("output.ini");

  // You can write the currently stored configuration with different spacing to a file with the `pretty_write` method:
  let write_options = WriteOptions::new_with_params(true, 2, 1);
  // or you can use the default configuration as `WriteOptions::new()`
  config.pretty_write("pretty_output.ini", &write_options);

  // If you want to simply mutate the stored hashmap, you can use get_mut_map()
  let map = config.get_mut_map();
  // You can then use normal HashMap functions on this map at your convenience.
  // Remember that functions which rely on standard formatting might stop working
  // if it's mutated differently.

  // If you want a case-sensitive map, just do:
  let mut config = Ini::new_cs();
  // This automatically changes the behaviour of every function and parses the file as case-sensitive.

  Ok(())
}

The Ini struct offers great support for type conversion and type setting safely, as well as map accesses. See the API for more verbose documentation.

πŸ“–Features

  • indexmap: Activating the indexmap feature allows using indexmap in place of HashMap to store the sections and keys. This ensures that insertion order is preserved when iterating on or serializing the Ini object. Due to the nature of indexmap, it offers mostly similar performance to stdlib HashMaps but with slower lookup times.

You can activate it by adding it as a feature like this:

[dependencies]
configparser = { version = "3.0.4", features = ["indexmap"] }
  • tokio: Activating the tokio feature adds asynchronous functions for reading from (load_async()) and writing to (write_async()) files using tokio.

You can activate it by adding it as a feature like this:

[dependencies]
configparser = { version = "3.0.4", features = ["tokio"] }

πŸ“œ License

Licensed under either of

at your option.

✏ Contribution

Unless you explicitly state otherwise, any contribution intentionally submitted for inclusion in the work by you, as defined in the LGPL-3.0 license, shall be dual licensed as above, without any additional terms or conditions.

πŸ†• Changelog

Old changelogs are in CHANGELOG.md.

  • 3.0.0
    • πŸ˜… BREAKING IniDefault is now a non-exhaustive struct, this will make future upgrades easier and non-breaking in nature. This change might also have a few implications in updating your existing codebase, please read the official docs for more guidance.
    • IniDefault is now internally used for generating defaults, reducing crate size.
    • πŸš€ There is now a new optional indexmap feature that preserves insertion order of your loaded configurations.
  • 3.0.1
    • Uses CRLF line endings for Windows files.
    • Bumps crate to 2021 edition.
    • Adds features to CI pipeline.
  • 3.0.2
    • Adds support for multi-line key-value pairs.
    • Adds async-std feature for asynchronous file operations.
    • Some performance optimizations.
  • 3.0.3
    • Add default empty line on empty strings.
    • Feature to append to existing Ini objects.
    • Minor lint fixes.
  • 3.0.4 (STABLE)
    • Adds pretty printing functionality
    • Replaces async-std with tokio as the available async runtime
    • The async-std feature will be deprecated in a future release

πŸ”œ Future plans

  • Support for appending sections, coercing them as well.
  • Benchmarking against similar packages.

Dependencies

~0–1.3MB
~22K SLoC