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
|
use std::{borrow::Cow, convert::TryFrom, ffi::OsString, fmt::Display};
use bstr::{BStr, BString, ByteSlice};
use crate::{Boolean, Error};
fn bool_err(input: impl Into<BString>) -> Error {
Error::new(
"Booleans need to be 'no', 'off', 'false', '' or 'yes', 'on', 'true' or any number",
input,
)
}
impl TryFrom<OsString> for Boolean {
type Error = Error;
fn try_from(value: OsString) -> Result<Self, Self::Error> {
let value = gix_path::os_str_into_bstr(&value)
.map_err(|_| Error::new("Illformed UTF-8", std::path::Path::new(&value).display().to_string()))?;
Self::try_from(value)
}
}
/// # Warning
///
/// The direct usage of `try_from("string")` is discouraged as it will produce the wrong result for values
/// obtained from `core.bool-implicit-true`, which have no separator and are implicitly true.
/// This method chooses to work correctly for `core.bool-empty=`, which is an empty string and resolves
/// to being `false`.
///
/// Instead of this, obtain booleans with `config.boolean(…)`, which handles the case were no separator is
/// present correctly.
impl TryFrom<&BStr> for Boolean {
type Error = Error;
fn try_from(value: &BStr) -> Result<Self, Self::Error> {
if parse_true(value) {
Ok(Boolean(true))
} else if parse_false(value) {
Ok(Boolean(false))
} else {
use std::str::FromStr;
if let Some(integer) = value.to_str().ok().and_then(|s| i64::from_str(s).ok()) {
Ok(Boolean(integer != 0))
} else {
Err(bool_err(value))
}
}
}
}
impl Boolean {
/// Return true if the boolean is a true value.
///
/// Note that the inner value is accessible directly as well.
pub fn is_true(self) -> bool {
self.0
}
}
impl TryFrom<Cow<'_, BStr>> for Boolean {
type Error = Error;
fn try_from(c: Cow<'_, BStr>) -> Result<Self, Self::Error> {
Self::try_from(c.as_ref())
}
}
impl Display for Boolean {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
self.0.fmt(f)
}
}
impl From<Boolean> for bool {
fn from(b: Boolean) -> Self {
b.0
}
}
#[cfg(feature = "serde")]
impl serde::Serialize for Boolean {
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where
S: serde::Serializer,
{
serializer.serialize_bool(self.0)
}
}
fn parse_true(value: &BStr) -> bool {
value.eq_ignore_ascii_case(b"yes") || value.eq_ignore_ascii_case(b"on") || value.eq_ignore_ascii_case(b"true")
}
fn parse_false(value: &BStr) -> bool {
value.eq_ignore_ascii_case(b"no")
|| value.eq_ignore_ascii_case(b"off")
|| value.eq_ignore_ascii_case(b"false")
|| value.is_empty()
}
|