gix_path/env/
mod.rs

1use std::ffi::{OsStr, OsString};
2use std::path::{Path, PathBuf};
3
4use bstr::{BString, ByteSlice};
5use once_cell::sync::Lazy;
6
7use crate::env::git::EXE_NAME;
8
9mod git;
10
11/// Return the location at which installation specific git configuration file can be found, or `None`
12/// if the binary could not be executed or its results could not be parsed.
13///
14/// ### Performance
15///
16/// This invokes the git binary which is slow on windows.
17pub fn installation_config() -> Option<&'static Path> {
18    git::install_config_path().and_then(|p| crate::try_from_byte_slice(p).ok())
19}
20
21/// Return the location at which git installation specific configuration files are located, or `None` if the binary
22/// could not be executed or its results could not be parsed.
23///
24/// ### Performance
25///
26/// This invokes the git binary which is slow on windows.
27pub fn installation_config_prefix() -> Option<&'static Path> {
28    installation_config().map(git::config_to_base_path)
29}
30
31/// Return the shell that Git would use, the shell to execute commands from.
32///
33/// On Windows, this is the full path to `sh.exe` bundled with Git, and on
34/// Unix it's `/bin/sh` as posix compatible shell.
35/// If the bundled shell on Windows cannot be found, `sh` is returned as the name of a shell
36/// as it could possibly be found in `PATH`.
37/// Note that the returned path might not be a path on disk.
38pub fn shell() -> &'static OsStr {
39    static PATH: Lazy<OsString> = Lazy::new(|| {
40        if cfg!(windows) {
41            core_dir()
42                .and_then(|p| p.ancestors().nth(3)) // Skip something like mingw64/libexec/git-core.
43                .map(|p| p.join("usr").join("bin").join("sh.exe"))
44                .map_or_else(|| OsString::from("sh"), Into::into)
45        } else {
46            "/bin/sh".into()
47        }
48    });
49    PATH.as_ref()
50}
51
52/// Return the name of the Git executable to invoke it.
53/// If it's in the `PATH`, it will always be a short name.
54///
55/// Note that on Windows, we will find the executable in the `PATH` if it exists there, or search it
56/// in alternative locations which when found yields the full path to it.
57pub fn exe_invocation() -> &'static Path {
58    if cfg!(windows) {
59        /// The path to the Git executable as located in the `PATH` or in other locations that it's known to be installed to.
60        /// It's `None` if environment variables couldn't be read or if no executable could be found.
61        static EXECUTABLE_PATH: Lazy<Option<PathBuf>> = Lazy::new(|| {
62            std::env::split_paths(&std::env::var_os("PATH")?)
63                .chain(git::ALTERNATIVE_LOCATIONS.iter().map(Into::into))
64                .find_map(|prefix| {
65                    let full_path = prefix.join(EXE_NAME);
66                    full_path.is_file().then_some(full_path)
67                })
68                .map(|exe_path| {
69                    let is_in_alternate_location = git::ALTERNATIVE_LOCATIONS
70                        .iter()
71                        .any(|prefix| exe_path.strip_prefix(prefix).is_ok());
72                    if is_in_alternate_location {
73                        exe_path
74                    } else {
75                        EXE_NAME.into()
76                    }
77                })
78        });
79        EXECUTABLE_PATH.as_deref().unwrap_or(Path::new(git::EXE_NAME))
80    } else {
81        Path::new("git")
82    }
83}
84
85/// Returns the fully qualified path in the *xdg-home* directory (or equivalent in the home dir) to `file`,
86/// accessing `env_var(<name>)` to learn where these bases are.
87///
88/// Note that the `HOME` directory should ultimately come from [`home_dir()`] as it handles windows correctly.
89/// The same can be achieved by using [`var()`] as `env_var`.
90pub fn xdg_config(file: &str, env_var: &mut dyn FnMut(&str) -> Option<OsString>) -> Option<PathBuf> {
91    env_var("XDG_CONFIG_HOME")
92        .map(|home| {
93            let mut p = PathBuf::from(home);
94            p.push("git");
95            p.push(file);
96            p
97        })
98        .or_else(|| {
99            env_var("HOME").map(|home| {
100                let mut p = PathBuf::from(home);
101                p.push(".config");
102                p.push("git");
103                p.push(file);
104                p
105            })
106        })
107}
108
109static GIT_CORE_DIR: Lazy<Option<PathBuf>> = Lazy::new(|| {
110    let mut cmd = std::process::Command::new(exe_invocation());
111
112    #[cfg(windows)]
113    {
114        use std::os::windows::process::CommandExt;
115        const CREATE_NO_WINDOW: u32 = 0x08000000;
116        cmd.creation_flags(CREATE_NO_WINDOW);
117    }
118    let output = cmd.arg("--exec-path").output().ok()?;
119
120    if !output.status.success() {
121        return None;
122    }
123
124    BString::new(output.stdout)
125        .strip_suffix(b"\n")?
126        .to_path()
127        .ok()?
128        .to_owned()
129        .into()
130});
131
132/// Return the directory obtained by calling `git --exec-path`.
133///
134/// Returns `None` if Git could not be found or if it returned an error.
135pub fn core_dir() -> Option<&'static Path> {
136    GIT_CORE_DIR.as_deref()
137}
138
139/// Returns the platform dependent system prefix or `None` if it cannot be found (right now only on windows).
140///
141/// ### Performance
142///
143/// On windows, the slowest part is the launch of the Git executable in the PATH, which only happens when launched
144/// from outside of the `msys2` shell.
145///
146/// ### When `None` is returned
147///
148/// This happens only windows if the git binary can't be found at all for obtaining its executable path, or if the git binary
149/// wasn't built with a well-known directory structure or environment.
150pub fn system_prefix() -> Option<&'static Path> {
151    if cfg!(windows) {
152        static PREFIX: Lazy<Option<PathBuf>> = Lazy::new(|| {
153            if let Some(root) = std::env::var_os("EXEPATH").map(PathBuf::from) {
154                for candidate in ["mingw64", "mingw32"] {
155                    let candidate = root.join(candidate);
156                    if candidate.is_dir() {
157                        return Some(candidate);
158                    }
159                }
160            }
161
162            let path = GIT_CORE_DIR.as_deref()?;
163            let one_past_prefix = path.components().enumerate().find_map(|(idx, c)| {
164                matches!(c,std::path::Component::Normal(name) if name.to_str() == Some("libexec")).then_some(idx)
165            })?;
166            Some(path.components().take(one_past_prefix.checked_sub(1)?).collect())
167        });
168        PREFIX.as_deref()
169    } else {
170        Path::new("/").into()
171    }
172}
173
174/// Returns `$HOME` or `None` if it cannot be found.
175#[cfg(target_family = "wasm")]
176pub fn home_dir() -> Option<PathBuf> {
177    std::env::var("HOME").map(PathBuf::from).ok()
178}
179
180/// Tries to obtain the home directory from `HOME` on all platforms, but falls back to [`home::home_dir()`] for
181/// more complex ways of obtaining a home directory, particularly useful on Windows.
182///
183/// The reason `HOME` is tried first is to allow Windows users to have a custom location for their linux-style
184/// home, as otherwise they would have to accumulate dot files in a directory these are inconvenient and perceived
185/// as clutter.
186#[cfg(not(target_family = "wasm"))]
187pub fn home_dir() -> Option<PathBuf> {
188    std::env::var_os("HOME").map(Into::into).or_else(home::home_dir)
189}
190
191/// Returns the contents of an environment variable of `name` with some special handling
192/// for certain environment variables (like `HOME`) for platform compatibility.
193pub fn var(name: &str) -> Option<OsString> {
194    if name == "HOME" {
195        home_dir().map(PathBuf::into_os_string)
196    } else {
197        std::env::var_os(name)
198    }
199}