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
use crate::{bstr::BString, permission};
#[derive(Debug, thiserror::Error)]
pub enum Error {
#[error("Could not open repository conifguration file")]
Open(#[from] git_config::parser::ParserOrIoError<'static>),
#[error("Cannot handle objects formatted as {:?}", .name)]
UnsupportedObjectFormat { name: crate::bstr::BString },
#[error("The value for '{}' cannot be empty", .key)]
EmptyValue { key: &'static str },
#[error("Invalid value for 'core.abbrev' = '{}'. It must be between 4 and {}", .value, .max)]
CoreAbbrev { value: BString, max: u8 },
#[error("Value '{}' at key '{}' could not be decoded as boolean", .value, .key)]
DecodeBoolean { key: String, value: BString },
#[error(transparent)]
PathInterpolation(#[from] git_config::values::path::interpolate::Error),
}
#[derive(Debug, Clone)]
pub(crate) struct Cache {
pub resolved: crate::Config,
pub hex_len: Option<usize>,
pub is_bare: bool,
pub object_hash: git_hash::Kind,
pub use_multi_pack_index: bool,
#[cfg_attr(not(feature = "git-index"), allow(dead_code))]
pub ignore_case: bool,
#[cfg_attr(not(feature = "git-index"), allow(dead_code))]
pub excludes_file: Option<std::path::PathBuf>,
#[cfg_attr(not(feature = "git-index"), allow(dead_code))]
xdg_config_home_env: permission::env_var::Resource,
#[cfg_attr(not(feature = "git-index"), allow(dead_code))]
home_env: permission::env_var::Resource,
}
mod cache {
use std::{convert::TryFrom, path::PathBuf};
use git_config::{
values::{Boolean, Integer},
File,
};
use super::{Cache, Error};
use crate::{bstr::ByteSlice, permission};
impl Cache {
pub fn new(
git_dir: &std::path::Path,
xdg_config_home_env: permission::env_var::Resource,
home_env: permission::env_var::Resource,
git_install_dir: Option<&std::path::Path>,
) -> Result<Self, Error> {
let config = File::open(git_dir.join("config"))?;
let is_bare = config_bool(&config, "core.bare", false)?;
let use_multi_pack_index = config_bool(&config, "core.multiPackIndex", true)?;
let ignore_case = config_bool(&config, "core.ignorecase", false)?;
let excludes_file = config
.path("core", None, "excludesFile")
.map(|p| p.interpolate(git_install_dir).map(|p| p.into_owned()))
.transpose()?;
let repo_format_version = config
.value::<Integer>("core", None, "repositoryFormatVersion")
.map_or(0, |v| v.value);
let object_hash = (repo_format_version != 1)
.then(|| Ok(git_hash::Kind::Sha1))
.or_else(|| {
config
.raw_value("extensions", None, "objectFormat")
.ok()
.map(|format| match format.as_ref() {
b"sha1" => Ok(git_hash::Kind::Sha1),
_ => Err(Error::UnsupportedObjectFormat {
name: format.to_vec().into(),
}),
})
})
.transpose()?
.unwrap_or(git_hash::Kind::Sha1);
let mut hex_len = None;
if let Some(hex_len_str) = config.string("core", None, "abbrev") {
if hex_len_str.trim().is_empty() {
return Err(Error::EmptyValue { key: "core.abbrev" });
}
if hex_len_str.as_ref() != "auto" {
let value_bytes = hex_len_str.as_ref().as_ref();
if let Ok(Boolean::False(_)) = Boolean::try_from(value_bytes) {
hex_len = object_hash.len_in_hex().into();
} else {
let value = Integer::try_from(value_bytes)
.map_err(|_| Error::CoreAbbrev {
value: hex_len_str.clone().into_owned(),
max: object_hash.len_in_hex() as u8,
})?
.to_decimal()
.ok_or_else(|| Error::CoreAbbrev {
value: hex_len_str.clone().into_owned(),
max: object_hash.len_in_hex() as u8,
})?;
if value < 4 || value as usize > object_hash.len_in_hex() {
return Err(Error::CoreAbbrev {
value: hex_len_str.clone().into_owned(),
max: object_hash.len_in_hex() as u8,
});
}
hex_len = Some(value as usize);
}
}
}
Ok(Cache {
resolved: config.into(),
use_multi_pack_index,
object_hash,
is_bare,
ignore_case,
hex_len,
excludes_file,
xdg_config_home_env,
home_env,
})
}
#[cfg_attr(not(feature = "git-index"), allow(dead_code))]
pub fn xdg_config_path(
&self,
resource_file_name: &str,
) -> Result<Option<PathBuf>, git_sec::permission::Error<PathBuf, git_sec::Permission>> {
std::env::var_os("XDG_CONFIG_HOME")
.map(|path| (path, &self.xdg_config_home_env))
.or_else(|| std::env::var_os("HOME").map(|path| (path, &self.home_env)))
.and_then(|(base, permission)| {
let resource = std::path::PathBuf::from(base).join("git").join(resource_file_name);
permission.check(resource).transpose()
})
.transpose()
}
}
fn config_bool(config: &File<'_>, key: &str, default: bool) -> Result<bool, Error> {
let (section, key) = key.split_once('.').expect("valid section.key format");
config
.boolean(section, None, key)
.unwrap_or(Ok(default))
.map_err(|err| Error::DecodeBoolean {
value: err.input,
key: key.into(),
})
}
}