Skip to main content

uv_test/
lib.rs

1// The `unreachable_pub` is to silence false positives in RustRover.
2#![allow(dead_code, unreachable_pub)]
3
4use std::borrow::BorrowMut;
5use std::ffi::OsString;
6use std::io::Write as _;
7use std::iter::Iterator;
8use std::path::{Path, PathBuf};
9use std::process::{Command, ExitStatus, Output, Stdio};
10use std::str::FromStr;
11use std::{env, io};
12use uv_preview::Preview;
13use uv_python::downloads::ManagedPythonDownloadList;
14
15use assert_cmd::assert::{Assert, OutputAssertExt};
16use assert_fs::assert::PathAssert;
17use assert_fs::fixture::{
18    ChildPath, FileWriteStr, PathChild, PathCopy, PathCreateDir, SymlinkToFile,
19};
20use base64::{Engine, prelude::BASE64_STANDARD as base64};
21use futures::StreamExt;
22use indoc::{formatdoc, indoc};
23use itertools::Itertools;
24use predicates::prelude::predicate;
25use regex::Regex;
26use tokio::io::AsyncWriteExt;
27
28use uv_cache::{Cache, CacheBucket};
29use uv_fs::Simplified;
30use uv_python::managed::ManagedPythonInstallations;
31use uv_python::{
32    EnvironmentPreference, PythonInstallation, PythonPreference, PythonRequest, PythonVersion,
33};
34use uv_static::EnvVars;
35
36// Exclude any packages uploaded after this date.
37static EXCLUDE_NEWER: &str = "2024-03-25T00:00:00Z";
38
39pub const PACKSE_VERSION: &str = "0.3.59";
40pub const DEFAULT_PYTHON_VERSION: &str = "3.12";
41
42// The expected latest patch version for each Python minor version.
43pub const LATEST_PYTHON_3_15: &str = "3.15.0a7";
44pub const LATEST_PYTHON_3_14: &str = "3.14.3";
45pub const LATEST_PYTHON_3_13: &str = "3.13.12";
46pub const LATEST_PYTHON_3_12: &str = "3.12.13";
47pub const LATEST_PYTHON_3_11: &str = "3.11.15";
48pub const LATEST_PYTHON_3_10: &str = "3.10.20";
49
50/// Using a find links url allows using `--index-url` instead of `--extra-index-url` in tests
51/// to prevent dependency confusion attacks against our test suite.
52pub fn build_vendor_links_url() -> String {
53    env::var(EnvVars::UV_TEST_PACKSE_INDEX)
54        .map(|url| format!("{}/vendor/", url.trim_end_matches('/')))
55        .ok()
56        .unwrap_or(format!(
57            "https://astral-sh.github.io/packse/{PACKSE_VERSION}/vendor/"
58        ))
59}
60
61pub fn packse_index_url() -> String {
62    env::var(EnvVars::UV_TEST_PACKSE_INDEX)
63        .map(|url| format!("{}/simple-html/", url.trim_end_matches('/')))
64        .ok()
65        .unwrap_or(format!(
66            "https://astral-sh.github.io/packse/{PACKSE_VERSION}/simple-html/"
67        ))
68}
69
70/// Create a new [`TestContext`] with the given Python version.
71///
72/// Creates a virtual environment for the test.
73///
74/// This macro captures the uv binary path at compile time using `env!("CARGO_BIN_EXE_uv")`,
75/// which is only available in the test crate.
76#[macro_export]
77macro_rules! test_context {
78    ($python_version:expr) => {
79        $crate::TestContext::new_with_bin(
80            $python_version,
81            std::path::PathBuf::from(env!("CARGO_BIN_EXE_uv")),
82        )
83    };
84}
85
86/// Create a new [`TestContext`] with zero or more Python versions.
87///
88/// Unlike [`test_context!`], this does not create a virtual environment.
89///
90/// This macro captures the uv binary path at compile time using `env!("CARGO_BIN_EXE_uv")`,
91/// which is only available in the test crate.
92#[macro_export]
93macro_rules! test_context_with_versions {
94    ($python_versions:expr) => {
95        $crate::TestContext::new_with_versions_and_bin(
96            $python_versions,
97            std::path::PathBuf::from(env!("CARGO_BIN_EXE_uv")),
98        )
99    };
100}
101
102/// Return the path to the uv binary.
103///
104/// This macro captures the uv binary path at compile time using `env!("CARGO_BIN_EXE_uv")`,
105/// which is only available in the test crate.
106#[macro_export]
107macro_rules! get_bin {
108    () => {
109        std::path::PathBuf::from(env!("CARGO_BIN_EXE_uv"))
110    };
111}
112
113#[doc(hidden)] // Macro and test context only, don't use directly.
114pub const INSTA_FILTERS: &[(&str, &str)] = &[
115    (r"--cache-dir [^\s]+", "--cache-dir [CACHE_DIR]"),
116    // Operation times
117    (r"(\s|\()(\d+m )?(\d+\.)?\d+(ms|s)", "$1[TIME]"),
118    // File sizes
119    (r"(\s|\()(\d+\.)?\d+([KM]i)?B", "$1[SIZE]"),
120    // Timestamps
121    (r"tv_sec: \d+", "tv_sec: [TIME]"),
122    (r"tv_nsec: \d+", "tv_nsec: [TIME]"),
123    // Rewrite Windows output to Unix output
124    (r"\\([\w\d]|\.)", "/$1"),
125    (r"uv\.exe", "uv"),
126    // uv version display
127    (
128        r"uv(-.*)? \d+\.\d+\.\d+(-(alpha|beta|rc)\.\d+)?(\+\d+)?( \([^)]*\))?",
129        r"uv [VERSION] ([COMMIT] DATE)",
130    ),
131    // Trim end-of-line whitespaces, to allow removing them on save.
132    (r"([^\s])[ \t]+(\r?\n)", "$1$2"),
133    // Filter SSL certificate loading debug messages (environment-dependent)
134    (r"DEBUG Loaded \d+ certificate\(s\) from [^\n]+\n", ""),
135];
136
137/// Create a context for tests which simplifies shared behavior across tests.
138///
139/// * Set the current directory to a temporary directory (`temp_dir`).
140/// * Set the cache dir to a different temporary directory (`cache_dir`).
141/// * Set a cutoff for versions used in the resolution so the snapshots don't change after a new release.
142/// * Set the venv to a fresh `.venv` in `temp_dir`
143pub struct TestContext {
144    pub root: ChildPath,
145    pub temp_dir: ChildPath,
146    pub cache_dir: ChildPath,
147    pub python_dir: ChildPath,
148    pub home_dir: ChildPath,
149    pub user_config_dir: ChildPath,
150    pub bin_dir: ChildPath,
151    pub venv: ChildPath,
152    pub workspace_root: PathBuf,
153
154    /// The Python version used for the virtual environment, if any.
155    pub python_version: Option<PythonVersion>,
156
157    /// All the Python versions available during this test context.
158    pub python_versions: Vec<(PythonVersion, PathBuf)>,
159
160    /// Path to the uv binary.
161    uv_bin: PathBuf,
162
163    /// Standard filters for this test context.
164    filters: Vec<(String, String)>,
165
166    /// Extra environment variables to apply to all commands.
167    extra_env: Vec<(OsString, OsString)>,
168
169    #[allow(dead_code)]
170    _root: tempfile::TempDir,
171
172    /// Extra temporary directories whose lifetimes are tied to this context (e.g., directories
173    /// on alternate filesystems created by [`TestContext::with_cache_on_cow_fs`]).
174    #[allow(dead_code)]
175    _extra_tempdirs: Vec<tempfile::TempDir>,
176}
177
178impl TestContext {
179    /// Create a new test context with a virtual environment and explicit uv binary path.
180    ///
181    /// This is called by the `test_context!` macro.
182    pub fn new_with_bin(python_version: &str, uv_bin: PathBuf) -> Self {
183        let new = Self::new_with_versions_and_bin(&[python_version], uv_bin);
184        new.create_venv();
185        new
186    }
187
188    /// Set the "exclude newer" timestamp for all commands in this context.
189    #[must_use]
190    pub fn with_exclude_newer(mut self, exclude_newer: &str) -> Self {
191        self.extra_env
192            .push((EnvVars::UV_EXCLUDE_NEWER.into(), exclude_newer.into()));
193        self
194    }
195
196    /// Set the "http timeout" for all commands in this context.
197    #[must_use]
198    pub fn with_http_timeout(mut self, http_timeout: &str) -> Self {
199        self.extra_env
200            .push((EnvVars::UV_HTTP_TIMEOUT.into(), http_timeout.into()));
201        self
202    }
203
204    /// Set the "concurrent installs" for all commands in this context.
205    #[must_use]
206    pub fn with_concurrent_installs(mut self, concurrent_installs: &str) -> Self {
207        self.extra_env.push((
208            EnvVars::UV_CONCURRENT_INSTALLS.into(),
209            concurrent_installs.into(),
210        ));
211        self
212    }
213
214    /// Add extra standard filtering for messages like "Resolved 10 packages" which
215    /// can differ between platforms.
216    ///
217    /// In some cases, these counts are helpful for the snapshot and should not be filtered.
218    #[must_use]
219    pub fn with_filtered_counts(mut self) -> Self {
220        for verb in &[
221            "Resolved",
222            "Prepared",
223            "Installed",
224            "Uninstalled",
225            "Checked",
226        ] {
227            self.filters.push((
228                format!("{verb} \\d+ packages?"),
229                format!("{verb} [N] packages"),
230            ));
231        }
232        self.filters.push((
233            "Removed \\d+ files?".to_string(),
234            "Removed [N] files".to_string(),
235        ));
236        self
237    }
238
239    /// Add extra filtering for cache size output
240    #[must_use]
241    pub fn with_filtered_cache_size(mut self) -> Self {
242        // Filter raw byte counts (numbers on their own line)
243        self.filters
244            .push((r"(?m)^\d+\n".to_string(), "[SIZE]\n".to_string()));
245        // Filter human-readable sizes (e.g., "384.2 KiB")
246        self.filters.push((
247            r"(?m)^\d+(\.\d+)? [KMGT]i?B\n".to_string(),
248            "[SIZE]\n".to_string(),
249        ));
250        self
251    }
252
253    /// Add extra standard filtering for Windows-compatible missing file errors.
254    #[must_use]
255    pub fn with_filtered_missing_file_error(mut self) -> Self {
256        // The exact message string depends on the system language, so we remove it.
257        // We want to only remove the phrase after `Caused by:`
258        self.filters.push((
259            r"[^:\n]* \(os error 2\)".to_string(),
260            " [OS ERROR 2]".to_string(),
261        ));
262        // Replace the Windows "The system cannot find the path specified. (os error 3)"
263        // with the Unix "No such file or directory (os error 2)"
264        // and mask the language-dependent message.
265        self.filters.push((
266            r"[^:\n]* \(os error 3\)".to_string(),
267            " [OS ERROR 2]".to_string(),
268        ));
269        self
270    }
271
272    /// Add extra standard filtering for executable suffixes on the current platform e.g.
273    /// drops `.exe` on Windows.
274    #[must_use]
275    pub fn with_filtered_exe_suffix(mut self) -> Self {
276        self.filters
277            .push((regex::escape(env::consts::EXE_SUFFIX), String::new()));
278        self
279    }
280
281    /// Add extra standard filtering for Python interpreter sources
282    #[must_use]
283    pub fn with_filtered_python_sources(mut self) -> Self {
284        self.filters.push((
285            "virtual environments, managed installations, or search path".to_string(),
286            "[PYTHON SOURCES]".to_string(),
287        ));
288        self.filters.push((
289            "virtual environments, managed installations, search path, or registry".to_string(),
290            "[PYTHON SOURCES]".to_string(),
291        ));
292        self.filters.push((
293            "virtual environments, search path, or registry".to_string(),
294            "[PYTHON SOURCES]".to_string(),
295        ));
296        self.filters.push((
297            "virtual environments, registry, or search path".to_string(),
298            "[PYTHON SOURCES]".to_string(),
299        ));
300        self.filters.push((
301            "virtual environments or search path".to_string(),
302            "[PYTHON SOURCES]".to_string(),
303        ));
304        self.filters.push((
305            "managed installations or search path".to_string(),
306            "[PYTHON SOURCES]".to_string(),
307        ));
308        self.filters.push((
309            "managed installations, search path, or registry".to_string(),
310            "[PYTHON SOURCES]".to_string(),
311        ));
312        self.filters.push((
313            "search path or registry".to_string(),
314            "[PYTHON SOURCES]".to_string(),
315        ));
316        self.filters.push((
317            "registry or search path".to_string(),
318            "[PYTHON SOURCES]".to_string(),
319        ));
320        self.filters
321            .push(("search path".to_string(), "[PYTHON SOURCES]".to_string()));
322        self
323    }
324
325    /// Add extra standard filtering for Python executable names, e.g., stripping version number
326    /// and `.exe` suffixes.
327    #[must_use]
328    pub fn with_filtered_python_names(mut self) -> Self {
329        for name in ["python", "pypy"] {
330            // Note we strip version numbers from the executable names because, e.g., on Windows
331            // `python.exe` is the equivalent to a Unix `python3.12`.`
332            let suffix = if cfg!(windows) {
333                // On Windows, we'll require a `.exe` suffix for disambiguation
334                // We'll also strip version numbers if present, which is not common for `python.exe`
335                // but can occur for, e.g., `pypy3.12.exe`
336                let exe_suffix = regex::escape(env::consts::EXE_SUFFIX);
337                format!(r"(\d\.\d+|\d)?{exe_suffix}")
338            } else {
339                // On Unix, we'll strip version numbers
340                if name == "python" {
341                    // We can't require them in this case since `/python` is common
342                    r"(\d\.\d+|\d)?(t|d|td)?".to_string()
343                } else {
344                    // However, for other names we'll require them to avoid over-matching
345                    r"(\d\.\d+|\d)(t|d|td)?".to_string()
346                }
347            };
348
349            self.filters.push((
350                // We use a leading path separator to help disambiguate cases where the name is not
351                // used in a path.
352                format!(r"[\\/]{name}{suffix}"),
353                format!("/[{}]", name.to_uppercase()),
354            ));
355        }
356
357        self
358    }
359
360    /// Add extra standard filtering for venv executable directories on the current platform e.g.
361    /// `Scripts` on Windows and `bin` on Unix.
362    #[must_use]
363    pub fn with_filtered_virtualenv_bin(mut self) -> Self {
364        self.filters.push((
365            format!(
366                r"[\\/]{}[\\/]",
367                venv_bin_path(PathBuf::new()).to_string_lossy()
368            ),
369            "/[BIN]/".to_string(),
370        ));
371        self.filters.push((
372            format!(r"[\\/]{}", venv_bin_path(PathBuf::new()).to_string_lossy()),
373            "/[BIN]".to_string(),
374        ));
375        self
376    }
377
378    /// Add extra standard filtering for Python installation `bin/` directories, which are not
379    /// present on Windows but are on Unix. See [`TestContext::with_filtered_virtualenv_bin`] for
380    /// the virtual environment equivalent.
381    #[must_use]
382    pub fn with_filtered_python_install_bin(mut self) -> Self {
383        // We don't want to eagerly match paths that aren't actually Python executables, so we
384        // do our best to detect that case
385        let suffix = if cfg!(windows) {
386            let exe_suffix = regex::escape(env::consts::EXE_SUFFIX);
387            // On Windows, we usually don't have a version attached but we might, e.g., for pypy3.12
388            format!(r"(\d\.\d+|\d)?{exe_suffix}")
389        } else {
390            // On Unix, we'll require a version to be attached to avoid over-matching
391            r"\d\.\d+|\d".to_string()
392        };
393
394        if cfg!(unix) {
395            self.filters.push((
396                format!(r"[\\/]bin/python({suffix})"),
397                "/[INSTALL-BIN]/python$1".to_string(),
398            ));
399            self.filters.push((
400                format!(r"[\\/]bin/pypy({suffix})"),
401                "/[INSTALL-BIN]/pypy$1".to_string(),
402            ));
403        } else {
404            self.filters.push((
405                format!(r"[\\/]python({suffix})"),
406                "/[INSTALL-BIN]/python$1".to_string(),
407            ));
408            self.filters.push((
409                format!(r"[\\/]pypy({suffix})"),
410                "/[INSTALL-BIN]/pypy$1".to_string(),
411            ));
412        }
413        self
414    }
415
416    /// Filtering for various keys in a `pyvenv.cfg` file that will vary
417    /// depending on the specific machine used:
418    /// - `home = foo/bar/baz/python3.X.X/bin`
419    /// - `uv = X.Y.Z`
420    /// - `extends-environment = <path/to/parent/venv>`
421    #[must_use]
422    pub fn with_pyvenv_cfg_filters(mut self) -> Self {
423        let added_filters = [
424            (r"home = .+".to_string(), "home = [PYTHON_HOME]".to_string()),
425            (
426                r"uv = \d+\.\d+\.\d+(-(alpha|beta|rc)\.\d+)?(\+\d+)?".to_string(),
427                "uv = [UV_VERSION]".to_string(),
428            ),
429            (
430                r"extends-environment = .+".to_string(),
431                "extends-environment = [PARENT_VENV]".to_string(),
432            ),
433        ];
434        for filter in added_filters {
435            self.filters.insert(0, filter);
436        }
437        self
438    }
439
440    /// Add extra filtering for ` -> <PATH>` symlink display for Python versions in the test
441    /// context, e.g., for use in `uv python list`.
442    #[must_use]
443    pub fn with_filtered_python_symlinks(mut self) -> Self {
444        for (version, executable) in &self.python_versions {
445            if fs_err::symlink_metadata(executable).unwrap().is_symlink() {
446                self.filters.extend(
447                    Self::path_patterns(executable.read_link().unwrap())
448                        .into_iter()
449                        .map(|pattern| (format! {" -> {pattern}"}, String::new())),
450                );
451            }
452            // Drop links that are byproducts of the test context too
453            self.filters.push((
454                regex::escape(&format!(" -> [PYTHON-{version}]")),
455                String::new(),
456            ));
457        }
458        self
459    }
460
461    /// Add extra standard filtering for a given path.
462    #[must_use]
463    pub fn with_filtered_path(mut self, path: &Path, name: &str) -> Self {
464        // Note this is sloppy, ideally we wouldn't push to the front of the `Vec` but we need
465        // this to come in front of other filters or we can transform the path (e.g., with `[TMP]`)
466        // before we reach this filter.
467        for pattern in Self::path_patterns(path)
468            .into_iter()
469            .map(|pattern| (pattern, format!("[{name}]/")))
470        {
471            self.filters.insert(0, pattern);
472        }
473        self
474    }
475
476    /// Adds a filter that specifically ignores the link mode warning.
477    ///
478    /// This occurs in some cases and can be used on an ad hoc basis to squash
479    /// the warning in the snapshots. This is useful because the warning does
480    /// not consistently appear. It is dependent on the environment. (For
481    /// example, sometimes it's dependent on whether `/tmp` and `~/.local` live
482    /// on the same file system.)
483    #[inline]
484    #[must_use]
485    pub fn with_filtered_link_mode_warning(mut self) -> Self {
486        let pattern = "warning: Failed to hardlink files; .*\n.*\n.*\n";
487        self.filters.push((pattern.to_string(), String::new()));
488        self
489    }
490
491    /// Adds a filter for platform-specific errors when a file is not executable.
492    #[inline]
493    #[must_use]
494    pub fn with_filtered_not_executable(mut self) -> Self {
495        let pattern = if cfg!(unix) {
496            r"Permission denied \(os error 13\)"
497        } else {
498            r"\%1 is not a valid Win32 application. \(os error 193\)"
499        };
500        self.filters
501            .push((pattern.to_string(), "[PERMISSION DENIED]".to_string()));
502        self
503    }
504
505    /// Adds a filter that ignores platform information in a Python installation key.
506    #[must_use]
507    pub fn with_filtered_python_keys(mut self) -> Self {
508        // Filter platform keys
509        let platform_re = r"(?x)
510  (                         # We capture the group before the platform
511    (?:cpython|pypy|graalpy)# Python implementation
512    -
513    \d+\.\d+                # Major and minor version
514    (?:                     # The patch version is handled separately
515      \.
516      (?:
517        \[X\]               # A previously filtered patch version [X]
518        |                   # OR
519        \[LATEST\]          # A previously filtered latest patch version [LATEST]
520        |                   # OR
521        \d+                 # An actual patch version
522      )
523    )?                      # (we allow the patch version to be missing entirely, e.g., in a request)
524    (?:(?:a|b|rc)[0-9]+)?   # Pre-release version component, e.g., `a6` or `rc2`
525    (?:[td])?               # A short variant, such as `t` (for freethreaded) or `d` (for debug)
526    (?:(\+[a-z]+)+)?        # A long variant, such as `+freethreaded` or `+freethreaded+debug`
527  )
528  -
529  [a-z0-9]+                 # Operating system (e.g., 'macos')
530  -
531  [a-z0-9_]+                # Architecture (e.g., 'aarch64')
532  -
533  [a-z]+                    # Libc (e.g., 'none')
534";
535        self.filters
536            .push((platform_re.to_string(), "$1-[PLATFORM]".to_string()));
537        self
538    }
539
540    /// Adds a filter that replaces the latest Python patch versions with `[LATEST]` placeholder.
541    #[must_use]
542    pub fn with_filtered_latest_python_versions(mut self) -> Self {
543        // Filter the latest patch versions with [LATEST] placeholder
544        // The order matters - we want to match the full version first
545        for (minor, patch) in [
546            ("3.15", LATEST_PYTHON_3_15.strip_prefix("3.15.").unwrap()),
547            ("3.14", LATEST_PYTHON_3_14.strip_prefix("3.14.").unwrap()),
548            ("3.13", LATEST_PYTHON_3_13.strip_prefix("3.13.").unwrap()),
549            ("3.12", LATEST_PYTHON_3_12.strip_prefix("3.12.").unwrap()),
550            ("3.11", LATEST_PYTHON_3_11.strip_prefix("3.11.").unwrap()),
551            ("3.10", LATEST_PYTHON_3_10.strip_prefix("3.10.").unwrap()),
552        ] {
553            // Match the full version in various contexts (cpython-X.Y.Z, Python X.Y.Z, etc.)
554            let pattern = format!(r"(\b){minor}\.{patch}(\b)");
555            let replacement = format!("${{1}}{minor}.[LATEST]${{2}}");
556            self.filters.push((pattern, replacement));
557        }
558        self
559    }
560
561    /// Add a filter that ignores temporary directory in path.
562    #[must_use]
563    pub fn with_filtered_windows_temp_dir(mut self) -> Self {
564        let pattern = regex::escape(
565            &self
566                .temp_dir
567                .simplified_display()
568                .to_string()
569                .replace('/', "\\"),
570        );
571        self.filters.push((pattern, "[TEMP_DIR]".to_string()));
572        self
573    }
574
575    /// Add a filter for (bytecode) compilation file counts
576    #[must_use]
577    pub fn with_filtered_compiled_file_count(mut self) -> Self {
578        self.filters.push((
579            r"compiled \d+ files".to_string(),
580            "compiled [COUNT] files".to_string(),
581        ));
582        self
583    }
584
585    /// Adds filters for non-deterministic `CycloneDX` data
586    #[must_use]
587    pub fn with_cyclonedx_filters(mut self) -> Self {
588        self.filters.push((
589            r"urn:uuid:[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12}".to_string(),
590            "[SERIAL_NUMBER]".to_string(),
591        ));
592        self.filters.push((
593            r#""timestamp": "[0-9]{4}-[0-9]{2}-[0-9]{2}T[0-9]{2}:[0-9]{2}:[0-9]{2}\.[0-9]+Z""#
594                .to_string(),
595            r#""timestamp": "[TIMESTAMP]""#.to_string(),
596        ));
597        self.filters.push((
598            r#""name": "uv",\s*"version": "\d+\.\d+\.\d+(-(alpha|beta|rc)\.\d+)?(\+\d+)?""#
599                .to_string(),
600            r#""name": "uv",
601        "version": "[VERSION]""#
602                .to_string(),
603        ));
604        self
605    }
606
607    /// Add a filter that collapses duplicate whitespace.
608    #[must_use]
609    pub fn with_collapsed_whitespace(mut self) -> Self {
610        self.filters.push((r"[ \t]+".to_string(), " ".to_string()));
611        self
612    }
613
614    /// Use a shared global cache for Python downloads.
615    #[must_use]
616    pub fn with_python_download_cache(mut self) -> Self {
617        self.extra_env.push((
618            EnvVars::UV_PYTHON_CACHE_DIR.into(),
619            // Respect `UV_PYTHON_CACHE_DIR` if set, or use the default cache directory
620            env::var_os(EnvVars::UV_PYTHON_CACHE_DIR).unwrap_or_else(|| {
621                uv_cache::Cache::from_settings(false, None)
622                    .unwrap()
623                    .bucket(CacheBucket::Python)
624                    .into()
625            }),
626        ));
627        self
628    }
629
630    #[must_use]
631    pub fn with_empty_python_install_mirror(mut self) -> Self {
632        self.extra_env.push((
633            EnvVars::UV_PYTHON_INSTALL_MIRROR.into(),
634            String::new().into(),
635        ));
636        self
637    }
638
639    /// Add extra directories and configuration for managed Python installations.
640    #[must_use]
641    pub fn with_managed_python_dirs(mut self) -> Self {
642        let managed = self.temp_dir.join("managed");
643
644        self.extra_env.push((
645            EnvVars::UV_PYTHON_BIN_DIR.into(),
646            self.bin_dir.as_os_str().to_owned(),
647        ));
648        self.extra_env
649            .push((EnvVars::UV_PYTHON_INSTALL_DIR.into(), managed.into()));
650        self.extra_env
651            .push((EnvVars::UV_PYTHON_DOWNLOADS.into(), "automatic".into()));
652
653        self
654    }
655
656    #[must_use]
657    pub fn with_versions_as_managed(mut self, versions: &[&str]) -> Self {
658        self.extra_env.push((
659            EnvVars::UV_INTERNAL__TEST_PYTHON_MANAGED.into(),
660            versions.iter().join(" ").into(),
661        ));
662
663        self
664    }
665
666    /// Add a custom filter to the `TestContext`.
667    #[must_use]
668    pub fn with_filter(mut self, filter: (impl Into<String>, impl Into<String>)) -> Self {
669        self.filters.push((filter.0.into(), filter.1.into()));
670        self
671    }
672
673    // Unsets the git credential helper using temp home gitconfig
674    #[must_use]
675    pub fn with_unset_git_credential_helper(self) -> Self {
676        let git_config = self.home_dir.child(".gitconfig");
677        git_config
678            .write_str(indoc! {r"
679                [credential]
680                    helper =
681            "})
682            .expect("Failed to unset git credential helper");
683
684        self
685    }
686
687    /// Clear filters on `TestContext`.
688    #[must_use]
689    pub fn clear_filters(mut self) -> Self {
690        self.filters.clear();
691        self
692    }
693
694    /// Use a cache directory on the filesystem specified by
695    /// [`EnvVars::UV_INTERNAL__TEST_COW_FS`].
696    ///
697    /// Returns `Ok(None)` if the environment variable is not set.
698    pub fn with_cache_on_cow_fs(self) -> anyhow::Result<Option<Self>> {
699        let Some(dir) = env::var(EnvVars::UV_INTERNAL__TEST_COW_FS).ok() else {
700            return Ok(None);
701        };
702        self.with_cache_on_fs(&dir, "COW_FS").map(Some)
703    }
704
705    /// Use a cache directory on the filesystem specified by
706    /// [`EnvVars::UV_INTERNAL__TEST_ALT_FS`].
707    ///
708    /// Returns `Ok(None)` if the environment variable is not set.
709    pub fn with_cache_on_alt_fs(self) -> anyhow::Result<Option<Self>> {
710        let Some(dir) = env::var(EnvVars::UV_INTERNAL__TEST_ALT_FS).ok() else {
711            return Ok(None);
712        };
713        self.with_cache_on_fs(&dir, "ALT_FS").map(Some)
714    }
715
716    /// Use a cache directory on the filesystem specified by
717    /// [`EnvVars::UV_INTERNAL__TEST_LOWLINKS_FS`].
718    ///
719    /// Returns `Ok(None)` if the environment variable is not set.
720    pub fn with_cache_on_lowlinks_fs(self) -> anyhow::Result<Option<Self>> {
721        let Some(dir) = env::var(EnvVars::UV_INTERNAL__TEST_LOWLINKS_FS).ok() else {
722            return Ok(None);
723        };
724        self.with_cache_on_fs(&dir, "LOWLINKS_FS").map(Some)
725    }
726
727    /// Use a cache directory on the filesystem specified by
728    /// [`EnvVars::UV_INTERNAL__TEST_NOCOW_FS`].
729    ///
730    /// Returns `Ok(None)` if the environment variable is not set.
731    pub fn with_cache_on_nocow_fs(self) -> anyhow::Result<Option<Self>> {
732        let Some(dir) = env::var(EnvVars::UV_INTERNAL__TEST_NOCOW_FS).ok() else {
733            return Ok(None);
734        };
735        self.with_cache_on_fs(&dir, "NOCOW_FS").map(Some)
736    }
737
738    /// Use a working directory on the filesystem specified by
739    /// [`EnvVars::UV_INTERNAL__TEST_COW_FS`].
740    ///
741    /// Returns `Ok(None)` if the environment variable is not set.
742    ///
743    /// Note a virtual environment is not created automatically.
744    pub fn with_working_dir_on_cow_fs(self) -> anyhow::Result<Option<Self>> {
745        let Some(dir) = env::var(EnvVars::UV_INTERNAL__TEST_COW_FS).ok() else {
746            return Ok(None);
747        };
748        self.with_working_dir_on_fs(&dir, "COW_FS").map(Some)
749    }
750
751    /// Use a working directory on the filesystem specified by
752    /// [`EnvVars::UV_INTERNAL__TEST_ALT_FS`].
753    ///
754    /// Returns `Ok(None)` if the environment variable is not set.
755    ///
756    /// Note a virtual environment is not created automatically.
757    pub fn with_working_dir_on_alt_fs(self) -> anyhow::Result<Option<Self>> {
758        let Some(dir) = env::var(EnvVars::UV_INTERNAL__TEST_ALT_FS).ok() else {
759            return Ok(None);
760        };
761        self.with_working_dir_on_fs(&dir, "ALT_FS").map(Some)
762    }
763
764    /// Use a working directory on the filesystem specified by
765    /// [`EnvVars::UV_INTERNAL__TEST_NOCOW_FS`].
766    ///
767    /// Returns `Ok(None)` if the environment variable is not set.
768    ///
769    /// Note a virtual environment is not created automatically.
770    pub fn with_working_dir_on_nocow_fs(self) -> anyhow::Result<Option<Self>> {
771        let Some(dir) = env::var(EnvVars::UV_INTERNAL__TEST_NOCOW_FS).ok() else {
772            return Ok(None);
773        };
774        self.with_working_dir_on_fs(&dir, "NOCOW_FS").map(Some)
775    }
776
777    fn with_cache_on_fs(mut self, dir: &str, name: &str) -> anyhow::Result<Self> {
778        fs_err::create_dir_all(dir)?;
779        let tmp = tempfile::TempDir::new_in(dir)?;
780        self.cache_dir = ChildPath::new(tmp.path()).child("cache");
781        fs_err::create_dir_all(&self.cache_dir)?;
782        let replacement = format!("[{name}]/[CACHE_DIR]/");
783        self.filters.extend(
784            Self::path_patterns(&self.cache_dir)
785                .into_iter()
786                .map(|pattern| (pattern, replacement.clone())),
787        );
788        self._extra_tempdirs.push(tmp);
789        Ok(self)
790    }
791
792    fn with_working_dir_on_fs(mut self, dir: &str, name: &str) -> anyhow::Result<Self> {
793        fs_err::create_dir_all(dir)?;
794        let tmp = tempfile::TempDir::new_in(dir)?;
795        self.temp_dir = ChildPath::new(tmp.path()).child("temp");
796        fs_err::create_dir_all(&self.temp_dir)?;
797        // Place the venv inside temp_dir (matching the default TestContext layout)
798        // so that `context.venv()` creates it at the same path that `VIRTUAL_ENV` points to.
799        let canonical_temp_dir = self.temp_dir.canonicalize()?;
800        self.venv = ChildPath::new(canonical_temp_dir.join(".venv"));
801        let temp_replacement = format!("[{name}]/[TEMP_DIR]/");
802        self.filters.extend(
803            Self::path_patterns(&self.temp_dir)
804                .into_iter()
805                .map(|pattern| (pattern, temp_replacement.clone())),
806        );
807        let venv_replacement = format!("[{name}]/[VENV]/");
808        self.filters.extend(
809            Self::path_patterns(&self.venv)
810                .into_iter()
811                .map(|pattern| (pattern, venv_replacement.clone())),
812        );
813        self._extra_tempdirs.push(tmp);
814        Ok(self)
815    }
816
817    /// Default to the canonicalized path to the temp directory. We need to do this because on
818    /// macOS (and Windows on GitHub Actions) the standard temp dir is a symlink. (On macOS, the
819    /// temporary directory is, like `/var/...`, which resolves to `/private/var/...`.)
820    ///
821    /// It turns out that, at least on macOS, if we pass a symlink as `current_dir`, it gets
822    /// _immediately_ resolved (such that if you call `current_dir` in the running `Command`, it
823    /// returns resolved symlink). This breaks some snapshot tests, since we _don't_ want to
824    /// resolve symlinks for user-provided paths.
825    pub fn test_bucket_dir() -> PathBuf {
826        std::env::temp_dir()
827            .simple_canonicalize()
828            .expect("failed to canonicalize temp dir")
829            .join("uv")
830            .join("tests")
831    }
832
833    /// Create a new test context with multiple Python versions and explicit uv binary path.
834    ///
835    /// Does not create a virtual environment by default, but the first Python version
836    /// can be used to create a virtual environment with [`TestContext::create_venv`].
837    ///
838    /// This is called by the `test_context_with_versions!` macro.
839    pub fn new_with_versions_and_bin(python_versions: &[&str], uv_bin: PathBuf) -> Self {
840        let bucket = Self::test_bucket_dir();
841        fs_err::create_dir_all(&bucket).expect("Failed to create test bucket");
842
843        let root = tempfile::TempDir::new_in(bucket).expect("Failed to create test root directory");
844
845        // Create a `.git` directory to isolate tests that search for git boundaries from the state
846        // of the file system
847        fs_err::create_dir_all(root.path().join(".git"))
848            .expect("Failed to create `.git` placeholder in test root directory");
849
850        let temp_dir = ChildPath::new(root.path()).child("temp");
851        fs_err::create_dir_all(&temp_dir).expect("Failed to create test working directory");
852
853        let cache_dir = ChildPath::new(root.path()).child("cache");
854        fs_err::create_dir_all(&cache_dir).expect("Failed to create test cache directory");
855
856        let python_dir = ChildPath::new(root.path()).child("python");
857        fs_err::create_dir_all(&python_dir).expect("Failed to create test Python directory");
858
859        let bin_dir = ChildPath::new(root.path()).child("bin");
860        fs_err::create_dir_all(&bin_dir).expect("Failed to create test bin directory");
861
862        // When the `git` feature is disabled, enforce that the test suite does not use `git`
863        if cfg!(not(feature = "git")) {
864            Self::disallow_git_cli(&bin_dir).expect("Failed to setup disallowed `git` command");
865        }
866
867        let home_dir = ChildPath::new(root.path()).child("home");
868        fs_err::create_dir_all(&home_dir).expect("Failed to create test home directory");
869
870        let user_config_dir = if cfg!(windows) {
871            ChildPath::new(home_dir.path())
872        } else {
873            ChildPath::new(home_dir.path()).child(".config")
874        };
875
876        // Canonicalize the temp dir for consistent snapshot behavior
877        let canonical_temp_dir = temp_dir.canonicalize().unwrap();
878        let venv = ChildPath::new(canonical_temp_dir.join(".venv"));
879
880        let python_version = python_versions
881            .first()
882            .map(|version| PythonVersion::from_str(version).unwrap());
883
884        let site_packages = python_version
885            .as_ref()
886            .map(|version| site_packages_path(&venv, &format!("python{version}")));
887
888        // The workspace root directory is not available without walking up the tree
889        // https://github.com/rust-lang/cargo/issues/3946
890        let workspace_root = Path::new(&env::var(EnvVars::CARGO_MANIFEST_DIR).unwrap())
891            .parent()
892            .expect("CARGO_MANIFEST_DIR should be nested in workspace")
893            .parent()
894            .expect("CARGO_MANIFEST_DIR should be doubly nested in workspace")
895            .to_path_buf();
896
897        let download_list = ManagedPythonDownloadList::new_only_embedded().unwrap();
898
899        let python_versions: Vec<_> = python_versions
900            .iter()
901            .map(|version| PythonVersion::from_str(version).unwrap())
902            .zip(
903                python_installations_for_versions(&temp_dir, python_versions, &download_list)
904                    .expect("Failed to find test Python versions"),
905            )
906            .collect();
907
908        // Construct directories for each Python executable on Unix where the executable names
909        // need to be normalized
910        if cfg!(unix) {
911            for (version, executable) in &python_versions {
912                let parent = python_dir.child(version.to_string());
913                parent.create_dir_all().unwrap();
914                parent.child("python3").symlink_to_file(executable).unwrap();
915            }
916        }
917
918        let mut filters = Vec::new();
919
920        filters.extend(
921            Self::path_patterns(&uv_bin)
922                .into_iter()
923                .map(|pattern| (pattern, "[UV]".to_string())),
924        );
925
926        // Exclude `link-mode` on Windows since we set it in the remote test suite
927        if cfg!(windows) {
928            filters.push((" --link-mode <LINK_MODE>".to_string(), String::new()));
929            filters.push((r#"link-mode = "copy"\n"#.to_string(), String::new()));
930            // Unix uses "exit status", Windows uses "exit code"
931            filters.push((r"exit code: ".to_string(), "exit status: ".to_string()));
932        }
933
934        for (version, executable) in &python_versions {
935            // Add filtering for the interpreter path
936            filters.extend(
937                Self::path_patterns(executable)
938                    .into_iter()
939                    .map(|pattern| (pattern, format!("[PYTHON-{version}]"))),
940            );
941
942            // And for the symlink we created in the test the Python path
943            filters.extend(
944                Self::path_patterns(python_dir.join(version.to_string()))
945                    .into_iter()
946                    .map(|pattern| {
947                        (
948                            format!("{pattern}[a-zA-Z0-9]*"),
949                            format!("[PYTHON-{version}]"),
950                        )
951                    }),
952            );
953
954            // Add Python patch version filtering unless explicitly requested to ensure
955            // snapshots are patch version agnostic when it is not a part of the test.
956            if version.patch().is_none() {
957                filters.push((
958                    format!(r"({})\.\d+", regex::escape(version.to_string().as_str())),
959                    "$1.[X]".to_string(),
960                ));
961            }
962        }
963
964        filters.extend(
965            Self::path_patterns(&bin_dir)
966                .into_iter()
967                .map(|pattern| (pattern, "[BIN]/".to_string())),
968        );
969        filters.extend(
970            Self::path_patterns(&cache_dir)
971                .into_iter()
972                .map(|pattern| (pattern, "[CACHE_DIR]/".to_string())),
973        );
974        if let Some(ref site_packages) = site_packages {
975            filters.extend(
976                Self::path_patterns(site_packages)
977                    .into_iter()
978                    .map(|pattern| (pattern, "[SITE_PACKAGES]/".to_string())),
979            );
980        }
981        filters.extend(
982            Self::path_patterns(&venv)
983                .into_iter()
984                .map(|pattern| (pattern, "[VENV]/".to_string())),
985        );
986
987        // Account for [`Simplified::user_display`] which is relative to the command working directory
988        if let Some(site_packages) = site_packages {
989            filters.push((
990                Self::path_pattern(
991                    site_packages
992                        .strip_prefix(&canonical_temp_dir)
993                        .expect("The test site-packages directory is always in the tempdir"),
994                ),
995                "[SITE_PACKAGES]/".to_string(),
996            ));
997        }
998
999        // Filter Python library path differences between Windows and Unix
1000        filters.push((
1001            r"[\\/]lib[\\/]python\d+\.\d+[\\/]".to_string(),
1002            "/[PYTHON-LIB]/".to_string(),
1003        ));
1004        filters.push((r"[\\/]Lib[\\/]".to_string(), "/[PYTHON-LIB]/".to_string()));
1005
1006        filters.extend(
1007            Self::path_patterns(&temp_dir)
1008                .into_iter()
1009                .map(|pattern| (pattern, "[TEMP_DIR]/".to_string())),
1010        );
1011        filters.extend(
1012            Self::path_patterns(&python_dir)
1013                .into_iter()
1014                .map(|pattern| (pattern, "[PYTHON_DIR]/".to_string())),
1015        );
1016        let mut uv_user_config_dir = PathBuf::from(user_config_dir.path());
1017        uv_user_config_dir.push("uv");
1018        filters.extend(
1019            Self::path_patterns(&uv_user_config_dir)
1020                .into_iter()
1021                .map(|pattern| (pattern, "[UV_USER_CONFIG_DIR]/".to_string())),
1022        );
1023        filters.extend(
1024            Self::path_patterns(&user_config_dir)
1025                .into_iter()
1026                .map(|pattern| (pattern, "[USER_CONFIG_DIR]/".to_string())),
1027        );
1028        filters.extend(
1029            Self::path_patterns(&home_dir)
1030                .into_iter()
1031                .map(|pattern| (pattern, "[HOME]/".to_string())),
1032        );
1033        filters.extend(
1034            Self::path_patterns(&workspace_root)
1035                .into_iter()
1036                .map(|pattern| (pattern, "[WORKSPACE]/".to_string())),
1037        );
1038
1039        // Make virtual environment activation cross-platform and shell-agnostic
1040        filters.push((
1041            r"Activate with: (.*)\\Scripts\\activate".to_string(),
1042            "Activate with: source $1/[BIN]/activate".to_string(),
1043        ));
1044        filters.push((
1045            r"Activate with: Scripts\\activate".to_string(),
1046            "Activate with: source [BIN]/activate".to_string(),
1047        ));
1048        filters.push((
1049            r"Activate with: source (.*/|)bin/activate(?:\.\w+)?".to_string(),
1050            "Activate with: source $1[BIN]/activate".to_string(),
1051        ));
1052
1053        // Filter non-deterministic temporary directory names
1054        // Note we apply this _after_ all the full paths to avoid breaking their matching
1055        filters.push((r"(\\|\/)\.tmp.*(\\|\/)".to_string(), "/[TMP]/".to_string()));
1056
1057        // Account for platform prefix differences `file://` (Unix) vs `file:///` (Windows)
1058        filters.push((r"file:///".to_string(), "file://".to_string()));
1059
1060        // Destroy any remaining UNC prefixes (Windows only)
1061        filters.push((r"\\\\\?\\".to_string(), String::new()));
1062
1063        // Remove the version from the packse url in lockfile snapshots. This avoids having a huge
1064        // diff any time we upgrade packse
1065        filters.push((
1066            format!("https://astral-sh.github.io/packse/{PACKSE_VERSION}"),
1067            "https://astral-sh.github.io/packse/PACKSE_VERSION".to_string(),
1068        ));
1069        // Developer convenience
1070        if let Ok(packse_test_index) = env::var(EnvVars::UV_TEST_PACKSE_INDEX) {
1071            filters.push((
1072                packse_test_index.trim_end_matches('/').to_string(),
1073                "https://astral-sh.github.io/packse/PACKSE_VERSION".to_string(),
1074            ));
1075        }
1076        // For wiremock tests
1077        filters.push((r"127\.0\.0\.1:\d*".to_string(), "[LOCALHOST]".to_string()));
1078        // Avoid breaking the tests when bumping the uv version
1079        filters.push((
1080            format!(
1081                r#"requires = \["uv_build>={},<[0-9.]+"\]"#,
1082                uv_version::version()
1083            ),
1084            r#"requires = ["uv_build>=[CURRENT_VERSION],<[NEXT_BREAKING]"]"#.to_string(),
1085        ));
1086        // Filter script environment hashes
1087        filters.push((
1088            r"environments-v(\d+)[\\/](\w+)-[a-z0-9]+".to_string(),
1089            "environments-v$1/$2-[HASH]".to_string(),
1090        ));
1091        // Filter archive hashes
1092        filters.push((
1093            r"archive-v(\d+)[\\/][A-Za-z0-9\-\_]+".to_string(),
1094            "archive-v$1/[HASH]".to_string(),
1095        ));
1096
1097        Self {
1098            root: ChildPath::new(root.path()),
1099            temp_dir,
1100            cache_dir,
1101            python_dir,
1102            home_dir,
1103            user_config_dir,
1104            bin_dir,
1105            venv,
1106            workspace_root,
1107            python_version,
1108            python_versions,
1109            uv_bin,
1110            filters,
1111            extra_env: vec![],
1112            _root: root,
1113            _extra_tempdirs: vec![],
1114        }
1115    }
1116
1117    /// Create a uv command for testing.
1118    pub fn command(&self) -> Command {
1119        let mut command = self.new_command();
1120        self.add_shared_options(&mut command, true);
1121        command
1122    }
1123
1124    pub fn disallow_git_cli(bin_dir: &Path) -> std::io::Result<()> {
1125        let contents = r"#!/bin/sh
1126    echo 'error: `git` operations are not allowed — are you missing a cfg for the `git` feature?' >&2
1127    exit 127";
1128        let git = bin_dir.join(format!("git{}", env::consts::EXE_SUFFIX));
1129        fs_err::write(&git, contents)?;
1130
1131        #[cfg(unix)]
1132        {
1133            use std::os::unix::fs::PermissionsExt;
1134            let mut perms = fs_err::metadata(&git)?.permissions();
1135            perms.set_mode(0o755);
1136            fs_err::set_permissions(&git, perms)?;
1137        }
1138
1139        Ok(())
1140    }
1141
1142    /// Setup Git LFS Filters
1143    ///
1144    /// You can find the default filters in <https://github.com/git-lfs/git-lfs/blob/v3.7.1/lfs/attribute.go#L66-L71>
1145    /// We set required to true to get a full stacktrace when these commands fail.
1146    #[must_use]
1147    pub fn with_git_lfs_config(mut self) -> Self {
1148        let git_lfs_config = self.root.child(".gitconfig");
1149        git_lfs_config
1150            .write_str(indoc! {r#"
1151                [filter "lfs"]
1152                    clean = git-lfs clean -- %f
1153                    smudge = git-lfs smudge -- %f
1154                    process = git-lfs filter-process
1155                    required = true
1156            "#})
1157            .expect("Failed to setup `git-lfs` filters");
1158
1159        // Its possible your system config can cause conflicts with the Git LFS tests.
1160        // In such cases, add self.extra_env.push(("GIT_CONFIG_NOSYSTEM".into(), "1".into()));
1161        self.extra_env.push((
1162            EnvVars::GIT_CONFIG_GLOBAL.into(),
1163            git_lfs_config.as_os_str().into(),
1164        ));
1165        self
1166    }
1167
1168    /// Shared behaviour for almost all test commands.
1169    ///
1170    /// * Use a temporary cache directory
1171    /// * Use a temporary virtual environment with the Python version of [`Self`]
1172    /// * Don't wrap text output based on the terminal we're in, the test output doesn't get printed
1173    ///   but snapshotted to a string.
1174    /// * Use a fake `HOME` to avoid accidentally changing the developer's machine.
1175    /// * Hide other Pythons with `UV_PYTHON_INSTALL_DIR` and installed interpreters with
1176    ///   `UV_TEST_PYTHON_PATH` and an active venv (if applicable) by removing `VIRTUAL_ENV`.
1177    /// * Increase the stack size to avoid stack overflows on windows due to large async functions.
1178    pub fn add_shared_options(&self, command: &mut Command, activate_venv: bool) {
1179        self.add_shared_args(command);
1180        self.add_shared_env(command, activate_venv);
1181    }
1182
1183    /// Only the arguments of [`TestContext::add_shared_options`].
1184    pub fn add_shared_args(&self, command: &mut Command) {
1185        command.arg("--cache-dir").arg(self.cache_dir.path());
1186    }
1187
1188    /// Only the environment variables of [`TestContext::add_shared_options`].
1189    pub fn add_shared_env(&self, command: &mut Command, activate_venv: bool) {
1190        // Push the test context bin to the front of the PATH
1191        let path = env::join_paths(std::iter::once(self.bin_dir.to_path_buf()).chain(
1192            env::split_paths(&env::var(EnvVars::PATH).unwrap_or_default()),
1193        ))
1194        .unwrap();
1195
1196        // Ensure the tests aren't sensitive to the running user's shell without forcing
1197        // `bash` on Windows
1198        if cfg!(not(windows)) {
1199            command.env(EnvVars::SHELL, "bash");
1200        }
1201
1202        command
1203            // When running the tests in a venv, ignore that venv, otherwise we'll capture warnings.
1204            .env_remove(EnvVars::VIRTUAL_ENV)
1205            // Disable wrapping of uv output for readability / determinism in snapshots.
1206            .env(EnvVars::UV_NO_WRAP, "1")
1207            // While we disable wrapping in uv above, invoked tools may still wrap their output so
1208            // we set a fixed `COLUMNS` value for isolation from terminal width.
1209            .env(EnvVars::COLUMNS, "100")
1210            .env(EnvVars::PATH, path)
1211            .env(EnvVars::HOME, self.home_dir.as_os_str())
1212            .env(EnvVars::APPDATA, self.home_dir.as_os_str())
1213            .env(EnvVars::USERPROFILE, self.home_dir.as_os_str())
1214            .env(
1215                EnvVars::XDG_CONFIG_DIRS,
1216                self.home_dir.join("config").as_os_str(),
1217            )
1218            .env(
1219                EnvVars::XDG_DATA_HOME,
1220                self.home_dir.join("data").as_os_str(),
1221            )
1222            .env(EnvVars::UV_PYTHON_INSTALL_DIR, "")
1223            // Installations are not allowed by default; see `Self::with_managed_python_dirs`
1224            .env(EnvVars::UV_PYTHON_DOWNLOADS, "never")
1225            .env(EnvVars::UV_TEST_PYTHON_PATH, self.python_path())
1226            // Lock to a point in time view of the world
1227            .env(EnvVars::UV_EXCLUDE_NEWER, EXCLUDE_NEWER)
1228            .env(EnvVars::UV_TEST_CURRENT_TIMESTAMP, EXCLUDE_NEWER)
1229            // When installations are allowed, we don't want to write to global state, like the
1230            // Windows registry
1231            .env(EnvVars::UV_PYTHON_INSTALL_REGISTRY, "0")
1232            // Since downloads, fetches and builds run in parallel, their message output order is
1233            // non-deterministic, so can't capture them in test output.
1234            .env(EnvVars::UV_TEST_NO_CLI_PROGRESS, "1")
1235            // I believe the intent of all tests is that they are run outside the
1236            // context of an existing git repository. And when they aren't, state
1237            // from the parent git repository can bleed into the behavior of `uv
1238            // init` in a way that makes it difficult to test consistently. By
1239            // setting GIT_CEILING_DIRECTORIES, we specifically prevent git from
1240            // climbing up past the root of our test directory to look for any
1241            // other git repos.
1242            //
1243            // If one wants to write a test specifically targeting uv within a
1244            // pre-existing git repository, then the test should make the parent
1245            // git repo explicitly. The GIT_CEILING_DIRECTORIES here shouldn't
1246            // impact it, since it only prevents git from discovering repositories
1247            // at or above the root.
1248            .env(EnvVars::GIT_CEILING_DIRECTORIES, self.root.path())
1249            .current_dir(self.temp_dir.path());
1250
1251        for (key, value) in &self.extra_env {
1252            command.env(key, value);
1253        }
1254
1255        if activate_venv {
1256            command.env(EnvVars::VIRTUAL_ENV, self.venv.as_os_str());
1257        }
1258
1259        if cfg!(unix) {
1260            // Avoid locale issues in tests
1261            command.env(EnvVars::LC_ALL, "C");
1262        }
1263    }
1264
1265    /// Create a `pip compile` command for testing.
1266    pub fn pip_compile(&self) -> Command {
1267        let mut command = self.new_command();
1268        command.arg("pip").arg("compile");
1269        self.add_shared_options(&mut command, true);
1270        command
1271    }
1272
1273    /// Create a `pip compile` command for testing.
1274    pub fn pip_sync(&self) -> Command {
1275        let mut command = self.new_command();
1276        command.arg("pip").arg("sync");
1277        self.add_shared_options(&mut command, true);
1278        command
1279    }
1280
1281    pub fn pip_show(&self) -> Command {
1282        let mut command = self.new_command();
1283        command.arg("pip").arg("show");
1284        self.add_shared_options(&mut command, true);
1285        command
1286    }
1287
1288    /// Create a `pip freeze` command with options shared across scenarios.
1289    pub fn pip_freeze(&self) -> Command {
1290        let mut command = self.new_command();
1291        command.arg("pip").arg("freeze");
1292        self.add_shared_options(&mut command, true);
1293        command
1294    }
1295
1296    /// Create a `pip check` command with options shared across scenarios.
1297    pub fn pip_check(&self) -> Command {
1298        let mut command = self.new_command();
1299        command.arg("pip").arg("check");
1300        self.add_shared_options(&mut command, true);
1301        command
1302    }
1303
1304    pub fn pip_list(&self) -> Command {
1305        let mut command = self.new_command();
1306        command.arg("pip").arg("list");
1307        self.add_shared_options(&mut command, true);
1308        command
1309    }
1310
1311    /// Create a `uv venv` command
1312    pub fn venv(&self) -> Command {
1313        let mut command = self.new_command();
1314        command.arg("venv");
1315        self.add_shared_options(&mut command, false);
1316        command
1317    }
1318
1319    /// Create a `pip install` command with options shared across scenarios.
1320    pub fn pip_install(&self) -> Command {
1321        let mut command = self.new_command();
1322        command.arg("pip").arg("install");
1323        self.add_shared_options(&mut command, true);
1324        command
1325    }
1326
1327    /// Create a `pip uninstall` command with options shared across scenarios.
1328    pub fn pip_uninstall(&self) -> Command {
1329        let mut command = self.new_command();
1330        command.arg("pip").arg("uninstall");
1331        self.add_shared_options(&mut command, true);
1332        command
1333    }
1334
1335    /// Create a `pip tree` command for testing.
1336    pub fn pip_tree(&self) -> Command {
1337        let mut command = self.new_command();
1338        command.arg("pip").arg("tree");
1339        self.add_shared_options(&mut command, true);
1340        command
1341    }
1342
1343    /// Create a `pip debug` command for testing.
1344    pub fn pip_debug(&self) -> Command {
1345        let mut command = self.new_command();
1346        command.arg("pip").arg("debug");
1347        self.add_shared_options(&mut command, true);
1348        command
1349    }
1350
1351    /// Create a `uv help` command with options shared across scenarios.
1352    pub fn help(&self) -> Command {
1353        let mut command = self.new_command();
1354        command.arg("help");
1355        self.add_shared_env(&mut command, false);
1356        command
1357    }
1358
1359    /// Create a `uv init` command with options shared across scenarios and
1360    /// isolated from any git repository that may exist in a parent directory.
1361    pub fn init(&self) -> Command {
1362        let mut command = self.new_command();
1363        command.arg("init");
1364        self.add_shared_options(&mut command, false);
1365        command
1366    }
1367
1368    /// Create a `uv sync` command with options shared across scenarios.
1369    pub fn sync(&self) -> Command {
1370        let mut command = self.new_command();
1371        command.arg("sync");
1372        self.add_shared_options(&mut command, false);
1373        command
1374    }
1375
1376    /// Create a `uv lock` command with options shared across scenarios.
1377    pub fn lock(&self) -> Command {
1378        let mut command = self.new_command();
1379        command.arg("lock");
1380        self.add_shared_options(&mut command, false);
1381        command
1382    }
1383
1384    /// Create a `uv workspace metadata` command with options shared across scenarios.
1385    pub fn workspace_metadata(&self) -> Command {
1386        let mut command = self.new_command();
1387        command.arg("workspace").arg("metadata");
1388        self.add_shared_options(&mut command, false);
1389        command
1390    }
1391
1392    /// Create a `uv workspace dir` command with options shared across scenarios.
1393    pub fn workspace_dir(&self) -> Command {
1394        let mut command = self.new_command();
1395        command.arg("workspace").arg("dir");
1396        self.add_shared_options(&mut command, false);
1397        command
1398    }
1399
1400    /// Create a `uv workspace list` command with options shared across scenarios.
1401    pub fn workspace_list(&self) -> Command {
1402        let mut command = self.new_command();
1403        command.arg("workspace").arg("list");
1404        self.add_shared_options(&mut command, false);
1405        command
1406    }
1407
1408    /// Create a `uv export` command with options shared across scenarios.
1409    pub fn export(&self) -> Command {
1410        let mut command = self.new_command();
1411        command.arg("export");
1412        self.add_shared_options(&mut command, false);
1413        command
1414    }
1415
1416    /// Create a `uv format` command with options shared across scenarios.
1417    pub fn format(&self) -> Command {
1418        let mut command = self.new_command();
1419        command.arg("format");
1420        self.add_shared_options(&mut command, false);
1421        // Override to a more recent date for ruff version resolution
1422        command.env(EnvVars::UV_EXCLUDE_NEWER, "2026-02-15T00:00:00Z");
1423        command
1424    }
1425
1426    /// Create a `uv build` command with options shared across scenarios.
1427    pub fn build(&self) -> Command {
1428        let mut command = self.new_command();
1429        command.arg("build");
1430        self.add_shared_options(&mut command, false);
1431        command
1432    }
1433
1434    pub fn version(&self) -> Command {
1435        let mut command = self.new_command();
1436        command.arg("version");
1437        self.add_shared_options(&mut command, false);
1438        command
1439    }
1440
1441    pub fn self_version(&self) -> Command {
1442        let mut command = self.new_command();
1443        command.arg("self").arg("version");
1444        self.add_shared_options(&mut command, false);
1445        command
1446    }
1447
1448    pub fn self_update(&self) -> Command {
1449        let mut command = self.new_command();
1450        command.arg("self").arg("update");
1451        self.add_shared_options(&mut command, false);
1452        command
1453    }
1454
1455    /// Create a `uv publish` command with options shared across scenarios.
1456    pub fn publish(&self) -> Command {
1457        let mut command = self.new_command();
1458        command.arg("publish");
1459        self.add_shared_options(&mut command, false);
1460        command
1461    }
1462
1463    /// Create a `uv python find` command with options shared across scenarios.
1464    pub fn python_find(&self) -> Command {
1465        let mut command = self.new_command();
1466        command
1467            .arg("python")
1468            .arg("find")
1469            .env(EnvVars::UV_PREVIEW, "1")
1470            .env(EnvVars::UV_PYTHON_INSTALL_DIR, "");
1471        self.add_shared_options(&mut command, false);
1472        command
1473    }
1474
1475    /// Create a `uv python list` command with options shared across scenarios.
1476    pub fn python_list(&self) -> Command {
1477        let mut command = self.new_command();
1478        command
1479            .arg("python")
1480            .arg("list")
1481            .env(EnvVars::UV_PYTHON_INSTALL_DIR, "");
1482        self.add_shared_options(&mut command, false);
1483        command
1484    }
1485
1486    /// Create a `uv python install` command with options shared across scenarios.
1487    pub fn python_install(&self) -> Command {
1488        let mut command = self.new_command();
1489        command.arg("python").arg("install");
1490        self.add_shared_options(&mut command, true);
1491        command
1492    }
1493
1494    /// Create a `uv python uninstall` command with options shared across scenarios.
1495    pub fn python_uninstall(&self) -> Command {
1496        let mut command = self.new_command();
1497        command.arg("python").arg("uninstall");
1498        self.add_shared_options(&mut command, true);
1499        command
1500    }
1501
1502    /// Create a `uv python upgrade` command with options shared across scenarios.
1503    pub fn python_upgrade(&self) -> Command {
1504        let mut command = self.new_command();
1505        command.arg("python").arg("upgrade");
1506        self.add_shared_options(&mut command, true);
1507        command
1508    }
1509
1510    /// Create a `uv python pin` command with options shared across scenarios.
1511    pub fn python_pin(&self) -> Command {
1512        let mut command = self.new_command();
1513        command.arg("python").arg("pin");
1514        self.add_shared_options(&mut command, true);
1515        command
1516    }
1517
1518    /// Create a `uv python dir` command with options shared across scenarios.
1519    pub fn python_dir(&self) -> Command {
1520        let mut command = self.new_command();
1521        command.arg("python").arg("dir");
1522        self.add_shared_options(&mut command, true);
1523        command
1524    }
1525
1526    /// Create a `uv run` command with options shared across scenarios.
1527    pub fn run(&self) -> Command {
1528        let mut command = self.new_command();
1529        command.arg("run").env(EnvVars::UV_SHOW_RESOLUTION, "1");
1530        self.add_shared_options(&mut command, true);
1531        command
1532    }
1533
1534    /// Create a `uv tool run` command with options shared across scenarios.
1535    pub fn tool_run(&self) -> Command {
1536        let mut command = self.new_command();
1537        command
1538            .arg("tool")
1539            .arg("run")
1540            .env(EnvVars::UV_SHOW_RESOLUTION, "1");
1541        self.add_shared_options(&mut command, false);
1542        command
1543    }
1544
1545    /// Create a `uv upgrade run` command with options shared across scenarios.
1546    pub fn tool_upgrade(&self) -> Command {
1547        let mut command = self.new_command();
1548        command.arg("tool").arg("upgrade");
1549        self.add_shared_options(&mut command, false);
1550        command
1551    }
1552
1553    /// Create a `uv tool install` command with options shared across scenarios.
1554    pub fn tool_install(&self) -> Command {
1555        let mut command = self.new_command();
1556        command.arg("tool").arg("install");
1557        self.add_shared_options(&mut command, false);
1558        command
1559    }
1560
1561    /// Create a `uv tool list` command with options shared across scenarios.
1562    pub fn tool_list(&self) -> Command {
1563        let mut command = self.new_command();
1564        command.arg("tool").arg("list");
1565        self.add_shared_options(&mut command, false);
1566        command
1567    }
1568
1569    /// Create a `uv tool dir` command with options shared across scenarios.
1570    pub fn tool_dir(&self) -> Command {
1571        let mut command = self.new_command();
1572        command.arg("tool").arg("dir");
1573        self.add_shared_options(&mut command, false);
1574        command
1575    }
1576
1577    /// Create a `uv tool uninstall` command with options shared across scenarios.
1578    pub fn tool_uninstall(&self) -> Command {
1579        let mut command = self.new_command();
1580        command.arg("tool").arg("uninstall");
1581        self.add_shared_options(&mut command, false);
1582        command
1583    }
1584
1585    /// Create a `uv add` command for the given requirements.
1586    pub fn add(&self) -> Command {
1587        let mut command = self.new_command();
1588        command.arg("add");
1589        self.add_shared_options(&mut command, false);
1590        command
1591    }
1592
1593    /// Create a `uv remove` command for the given requirements.
1594    pub fn remove(&self) -> Command {
1595        let mut command = self.new_command();
1596        command.arg("remove");
1597        self.add_shared_options(&mut command, false);
1598        command
1599    }
1600
1601    /// Create a `uv tree` command with options shared across scenarios.
1602    pub fn tree(&self) -> Command {
1603        let mut command = self.new_command();
1604        command.arg("tree");
1605        self.add_shared_options(&mut command, false);
1606        command
1607    }
1608
1609    /// Create a `uv cache clean` command.
1610    pub fn clean(&self) -> Command {
1611        let mut command = self.new_command();
1612        command.arg("cache").arg("clean");
1613        self.add_shared_options(&mut command, false);
1614        command
1615    }
1616
1617    /// Create a `uv cache prune` command.
1618    pub fn prune(&self) -> Command {
1619        let mut command = self.new_command();
1620        command.arg("cache").arg("prune");
1621        self.add_shared_options(&mut command, false);
1622        command
1623    }
1624
1625    /// Create a `uv cache size` command.
1626    pub fn cache_size(&self) -> Command {
1627        let mut command = self.new_command();
1628        command.arg("cache").arg("size");
1629        self.add_shared_options(&mut command, false);
1630        command
1631    }
1632
1633    /// Create a `uv build_backend` command.
1634    ///
1635    /// Note that this command is hidden and only invoking it through a build frontend is supported.
1636    pub fn build_backend(&self) -> Command {
1637        let mut command = self.new_command();
1638        command.arg("build-backend");
1639        self.add_shared_options(&mut command, false);
1640        command
1641    }
1642
1643    /// The path to the Python interpreter in the venv.
1644    ///
1645    /// Don't use this for `Command::new`, use `Self::python_command` instead.
1646    pub fn interpreter(&self) -> PathBuf {
1647        let venv = &self.venv;
1648        if cfg!(unix) {
1649            venv.join("bin").join("python")
1650        } else if cfg!(windows) {
1651            venv.join("Scripts").join("python.exe")
1652        } else {
1653            unimplemented!("Only Windows and Unix are supported")
1654        }
1655    }
1656
1657    pub fn python_command(&self) -> Command {
1658        let mut interpreter = self.interpreter();
1659
1660        // If there's not a virtual environment, use the first Python interpreter in the context
1661        if !interpreter.exists() {
1662            interpreter.clone_from(
1663                &self
1664                    .python_versions
1665                    .first()
1666                    .expect("At least one Python version is required")
1667                    .1,
1668            );
1669        }
1670
1671        let mut command = Self::new_command_with(&interpreter);
1672        command
1673            // Our tests change files in <1s, so we must disable CPython bytecode caching or we'll get stale files
1674            // https://github.com/python/cpython/issues/75953
1675            .arg("-B")
1676            // Python on windows
1677            .env(EnvVars::PYTHONUTF8, "1");
1678
1679        self.add_shared_env(&mut command, false);
1680
1681        command
1682    }
1683
1684    /// Create a `uv auth login` command.
1685    pub fn auth_login(&self) -> Command {
1686        let mut command = self.new_command();
1687        command.arg("auth").arg("login");
1688        self.add_shared_options(&mut command, false);
1689        command
1690    }
1691
1692    /// Create a `uv auth logout` command.
1693    pub fn auth_logout(&self) -> Command {
1694        let mut command = self.new_command();
1695        command.arg("auth").arg("logout");
1696        self.add_shared_options(&mut command, false);
1697        command
1698    }
1699
1700    /// Create a `uv auth helper --protocol bazel get` command.
1701    pub fn auth_helper(&self) -> Command {
1702        let mut command = self.new_command();
1703        command.arg("auth").arg("helper");
1704        self.add_shared_options(&mut command, false);
1705        command
1706    }
1707
1708    /// Create a `uv auth token` command.
1709    pub fn auth_token(&self) -> Command {
1710        let mut command = self.new_command();
1711        command.arg("auth").arg("token");
1712        self.add_shared_options(&mut command, false);
1713        command
1714    }
1715
1716    /// Set `HOME` to the real home directory.
1717    ///
1718    /// We need this for testing commands which use the macOS keychain.
1719    #[must_use]
1720    pub fn with_real_home(mut self) -> Self {
1721        if let Some(home) = env::var_os(EnvVars::HOME) {
1722            self.extra_env
1723                .push((EnvVars::HOME.to_string().into(), home));
1724        }
1725        // Use the test's isolated config directory to avoid reading user
1726        // configuration files (like `.python-version`) that could interfere with tests.
1727        self.extra_env.push((
1728            EnvVars::XDG_CONFIG_HOME.into(),
1729            self.user_config_dir.as_os_str().into(),
1730        ));
1731        self
1732    }
1733
1734    /// Run the given python code and check whether it succeeds.
1735    pub fn assert_command(&self, command: &str) -> Assert {
1736        self.python_command()
1737            .arg("-c")
1738            .arg(command)
1739            .current_dir(&self.temp_dir)
1740            .assert()
1741    }
1742
1743    /// Run the given python file and check whether it succeeds.
1744    pub fn assert_file(&self, file: impl AsRef<Path>) -> Assert {
1745        self.python_command()
1746            .arg(file.as_ref())
1747            .current_dir(&self.temp_dir)
1748            .assert()
1749    }
1750
1751    /// Assert a package is installed with the given version.
1752    pub fn assert_installed(&self, package: &'static str, version: &'static str) {
1753        self.assert_command(
1754            format!("import {package} as package; print(package.__version__, end='')").as_str(),
1755        )
1756        .success()
1757        .stdout(version);
1758    }
1759
1760    /// Assert a package is not installed.
1761    pub fn assert_not_installed(&self, package: &'static str) {
1762        self.assert_command(format!("import {package}").as_str())
1763            .failure();
1764    }
1765
1766    /// Generate various escaped regex patterns for the given path.
1767    pub fn path_patterns(path: impl AsRef<Path>) -> Vec<String> {
1768        let mut patterns = Vec::new();
1769
1770        // We can only canonicalize paths that exist already
1771        if path.as_ref().exists() {
1772            patterns.push(Self::path_pattern(
1773                path.as_ref()
1774                    .canonicalize()
1775                    .expect("Failed to create canonical path"),
1776            ));
1777        }
1778
1779        // Include a non-canonicalized version
1780        patterns.push(Self::path_pattern(path));
1781
1782        patterns
1783    }
1784
1785    /// Generate an escaped regex pattern for the given path.
1786    fn path_pattern(path: impl AsRef<Path>) -> String {
1787        format!(
1788            // Trim the trailing separator for cross-platform directories filters
1789            r"{}\\?/?",
1790            regex::escape(&path.as_ref().simplified_display().to_string())
1791                // Make separators platform agnostic because on Windows we will display
1792                // paths with Unix-style separators sometimes
1793                .replace(r"\\", r"(\\|\/)")
1794        )
1795    }
1796
1797    pub fn python_path(&self) -> OsString {
1798        if cfg!(unix) {
1799            // On Unix, we needed to normalize the Python executable names to `python3` for the tests
1800            env::join_paths(
1801                self.python_versions
1802                    .iter()
1803                    .map(|(version, _)| self.python_dir.join(version.to_string())),
1804            )
1805            .unwrap()
1806        } else {
1807            // On Windows, just join the parent directories of the executables
1808            env::join_paths(
1809                self.python_versions
1810                    .iter()
1811                    .map(|(_, executable)| executable.parent().unwrap().to_path_buf()),
1812            )
1813            .unwrap()
1814        }
1815    }
1816
1817    /// Standard snapshot filters _plus_ those for this test context.
1818    pub fn filters(&self) -> Vec<(&str, &str)> {
1819        // Put test context snapshots before the default filters
1820        // This ensures we don't replace other patterns inside paths from the test context first
1821        self.filters
1822            .iter()
1823            .map(|(p, r)| (p.as_str(), r.as_str()))
1824            .chain(INSTA_FILTERS.iter().copied())
1825            .collect()
1826    }
1827
1828    /// Only the filters added to this test context.
1829    pub fn filters_without_standard_filters(&self) -> Vec<(&str, &str)> {
1830        self.filters
1831            .iter()
1832            .map(|(p, r)| (p.as_str(), r.as_str()))
1833            .collect()
1834    }
1835
1836    /// For when we add pypy to the test suite.
1837    #[allow(clippy::unused_self)]
1838    pub fn python_kind(&self) -> &'static str {
1839        "python"
1840    }
1841
1842    /// Returns the site-packages folder inside the venv.
1843    pub fn site_packages(&self) -> PathBuf {
1844        site_packages_path(
1845            &self.venv,
1846            &format!(
1847                "{}{}",
1848                self.python_kind(),
1849                self.python_version.as_ref().expect(
1850                    "A Python version must be provided to retrieve the test site packages path"
1851                )
1852            ),
1853        )
1854    }
1855
1856    /// Reset the virtual environment in the test context.
1857    pub fn reset_venv(&self) {
1858        self.create_venv();
1859    }
1860
1861    /// Create a new virtual environment named `.venv` in the test context.
1862    fn create_venv(&self) {
1863        let executable = get_python(
1864            self.python_version
1865                .as_ref()
1866                .expect("A Python version must be provided to create a test virtual environment"),
1867        );
1868        create_venv_from_executable(&self.venv, &self.cache_dir, &executable, &self.uv_bin);
1869    }
1870
1871    /// Copies the files from the ecosystem project given into this text
1872    /// context.
1873    ///
1874    /// This will almost always write at least a `pyproject.toml` into this
1875    /// test context.
1876    ///
1877    /// The given name should correspond to the name of a sub-directory (not a
1878    /// path to it) in the `test/ecosystem` directory.
1879    ///
1880    /// This panics (fails the current test) for any failure.
1881    pub fn copy_ecosystem_project(&self, name: &str) {
1882        let project_dir = PathBuf::from(format!("../../test/ecosystem/{name}"));
1883        self.temp_dir.copy_from(project_dir, &["*"]).unwrap();
1884        // If there is a (gitignore) lockfile, remove it.
1885        if let Err(err) = fs_err::remove_file(self.temp_dir.join("uv.lock")) {
1886            assert_eq!(
1887                err.kind(),
1888                io::ErrorKind::NotFound,
1889                "Failed to remove uv.lock: {err}"
1890            );
1891        }
1892    }
1893
1894    /// Creates a way to compare the changes made to a lock file.
1895    ///
1896    /// This routine starts by copying (not moves) the generated lock file to
1897    /// memory. It then calls the given closure with this test context to get a
1898    /// `Command` and runs the command. The diff between the old lock file and
1899    /// the new one is then returned.
1900    ///
1901    /// This assumes that a lock has already been performed.
1902    pub fn diff_lock(&self, change: impl Fn(&Self) -> Command) -> String {
1903        static TRIM_TRAILING_WHITESPACE: std::sync::LazyLock<Regex> =
1904            std::sync::LazyLock::new(|| Regex::new(r"(?m)^\s+$").unwrap());
1905
1906        let lock_path = ChildPath::new(self.temp_dir.join("uv.lock"));
1907        let old_lock = fs_err::read_to_string(&lock_path).unwrap();
1908        let (snapshot, _, status) = run_and_format_with_status(
1909            change(self),
1910            self.filters(),
1911            "diff_lock",
1912            Some(WindowsFilters::Platform),
1913            None,
1914        );
1915        assert!(status.success(), "{snapshot}");
1916        let new_lock = fs_err::read_to_string(&lock_path).unwrap();
1917        diff_snapshot(&old_lock, &new_lock)
1918    }
1919
1920    /// Read a file in the temporary directory
1921    pub fn read(&self, file: impl AsRef<Path>) -> String {
1922        fs_err::read_to_string(self.temp_dir.join(&file))
1923            .unwrap_or_else(|_| panic!("Missing file: `{}`", file.user_display()))
1924    }
1925
1926    /// Creates a new `Command` that is intended to be suitable for use in
1927    /// all tests.
1928    fn new_command(&self) -> Command {
1929        Self::new_command_with(&self.uv_bin)
1930    }
1931
1932    /// Creates a new `Command` that is intended to be suitable for use in
1933    /// all tests, but with the given binary.
1934    ///
1935    /// Clears environment variables defined in [`EnvVars`] to avoid reading
1936    /// test host settings.
1937    fn new_command_with(bin: &Path) -> Command {
1938        let mut command = Command::new(bin);
1939
1940        let passthrough = [
1941            // For linux distributions
1942            EnvVars::PATH,
1943            // For debugging tests.
1944            EnvVars::RUST_LOG,
1945            EnvVars::RUST_BACKTRACE,
1946            // Windows System configuration.
1947            EnvVars::SYSTEMDRIVE,
1948            // Work around small default stack sizes and large futures in debug builds.
1949            EnvVars::RUST_MIN_STACK,
1950            EnvVars::UV_STACK_SIZE,
1951            // Allow running tests with custom network settings.
1952            EnvVars::ALL_PROXY,
1953            EnvVars::HTTPS_PROXY,
1954            EnvVars::HTTP_PROXY,
1955            EnvVars::NO_PROXY,
1956            EnvVars::SSL_CERT_DIR,
1957            EnvVars::SSL_CERT_FILE,
1958            EnvVars::UV_NATIVE_TLS,
1959            EnvVars::UV_SYSTEM_CERTS,
1960        ];
1961
1962        for env_var in EnvVars::all_names()
1963            .iter()
1964            .filter(|name| !passthrough.contains(name))
1965        {
1966            command.env_remove(env_var);
1967        }
1968
1969        command
1970    }
1971}
1972
1973/// Creates a "unified" diff between the two line-oriented strings suitable
1974/// for snapshotting.
1975pub fn diff_snapshot(old: &str, new: &str) -> String {
1976    static TRIM_TRAILING_WHITESPACE: std::sync::LazyLock<Regex> =
1977        std::sync::LazyLock::new(|| Regex::new(r"(?m)^\s+$").unwrap());
1978
1979    let diff = similar::TextDiff::from_lines(old, new);
1980    let unified = diff
1981        .unified_diff()
1982        .context_radius(10)
1983        .header("old", "new")
1984        .to_string();
1985    // Not totally clear why, but some lines end up containing only
1986    // whitespace in the diff, even though they don't appear in the
1987    // original data. So just strip them here.
1988    TRIM_TRAILING_WHITESPACE
1989        .replace_all(&unified, "")
1990        .into_owned()
1991}
1992
1993pub fn site_packages_path(venv: &Path, python: &str) -> PathBuf {
1994    if cfg!(unix) {
1995        venv.join("lib").join(python).join("site-packages")
1996    } else if cfg!(windows) {
1997        venv.join("Lib").join("site-packages")
1998    } else {
1999        unimplemented!("Only Windows and Unix are supported")
2000    }
2001}
2002
2003pub fn venv_bin_path(venv: impl AsRef<Path>) -> PathBuf {
2004    if cfg!(unix) {
2005        venv.as_ref().join("bin")
2006    } else if cfg!(windows) {
2007        venv.as_ref().join("Scripts")
2008    } else {
2009        unimplemented!("Only Windows and Unix are supported")
2010    }
2011}
2012
2013/// Get the path to the python interpreter for a specific python version.
2014pub fn get_python(version: &PythonVersion) -> PathBuf {
2015    ManagedPythonInstallations::from_settings(None)
2016        .map(|installed_pythons| {
2017            installed_pythons
2018                .find_version(version)
2019                .expect("Tests are run on a supported platform")
2020                .next()
2021                .as_ref()
2022                .map(|python| python.executable(false))
2023        })
2024        // We'll search for the request Python on the PATH if not found in the python versions
2025        // We hack this into a `PathBuf` to satisfy the compiler but it's just a string
2026        .unwrap_or_default()
2027        .unwrap_or(PathBuf::from(version.to_string()))
2028}
2029
2030/// Create a virtual environment at the given path.
2031pub fn create_venv_from_executable<P: AsRef<Path>>(
2032    path: P,
2033    cache_dir: &ChildPath,
2034    python: &Path,
2035    uv_bin: &Path,
2036) {
2037    TestContext::new_command_with(uv_bin)
2038        .arg("venv")
2039        .arg(path.as_ref().as_os_str())
2040        .arg("--clear")
2041        .arg("--cache-dir")
2042        .arg(cache_dir.path())
2043        .arg("--python")
2044        .arg(python)
2045        .current_dir(path.as_ref().parent().unwrap())
2046        .assert()
2047        .success();
2048    ChildPath::new(path.as_ref()).assert(predicate::path::is_dir());
2049}
2050
2051/// Create a `PATH` with the requested Python versions available in order.
2052///
2053/// Generally this should be used with `UV_TEST_PYTHON_PATH`.
2054pub fn python_path_with_versions(
2055    temp_dir: &ChildPath,
2056    python_versions: &[&str],
2057) -> anyhow::Result<OsString> {
2058    let download_list = ManagedPythonDownloadList::new_only_embedded().unwrap();
2059    Ok(env::join_paths(
2060        python_installations_for_versions(temp_dir, python_versions, &download_list)?
2061            .into_iter()
2062            .map(|path| path.parent().unwrap().to_path_buf()),
2063    )?)
2064}
2065
2066/// Returns a list of Python executables for the given versions.
2067///
2068/// Generally this should be used with `UV_TEST_PYTHON_PATH`.
2069pub fn python_installations_for_versions(
2070    temp_dir: &ChildPath,
2071    python_versions: &[&str],
2072    download_list: &ManagedPythonDownloadList,
2073) -> anyhow::Result<Vec<PathBuf>> {
2074    let cache = Cache::from_path(temp_dir.child("cache").to_path_buf())
2075        .init_no_wait()?
2076        .expect("No cache contention when setting up Python in tests");
2077    let selected_pythons = python_versions
2078        .iter()
2079        .map(|python_version| {
2080            if let Ok(python) = PythonInstallation::find(
2081                &PythonRequest::parse(python_version),
2082                EnvironmentPreference::OnlySystem,
2083                PythonPreference::Managed,
2084                download_list,
2085                &cache,
2086                Preview::default(),
2087            ) {
2088                python.into_interpreter().sys_executable().to_owned()
2089            } else {
2090                panic!("Could not find Python {python_version} for test\nTry `cargo run python install` first, or refer to CONTRIBUTING.md");
2091            }
2092        })
2093        .collect::<Vec<_>>();
2094
2095    assert!(
2096        python_versions.is_empty() || !selected_pythons.is_empty(),
2097        "Failed to fulfill requested test Python versions: {selected_pythons:?}"
2098    );
2099
2100    Ok(selected_pythons)
2101}
2102
2103#[derive(Debug, Copy, Clone)]
2104pub enum WindowsFilters {
2105    Platform,
2106    Universal,
2107}
2108
2109/// Helper method to apply filters to a string. Useful when `!uv_snapshot` cannot be used.
2110pub fn apply_filters<T: AsRef<str>>(mut snapshot: String, filters: impl AsRef<[(T, T)]>) -> String {
2111    for (matcher, replacement) in filters.as_ref() {
2112        // TODO(konstin): Cache regex compilation
2113        let re = Regex::new(matcher.as_ref()).expect("Do you need to regex::escape your filter?");
2114        if re.is_match(&snapshot) {
2115            snapshot = re.replace_all(&snapshot, replacement.as_ref()).to_string();
2116        }
2117    }
2118    snapshot
2119}
2120
2121/// Execute the command and format its output status, stdout and stderr into a snapshot string.
2122///
2123/// This function is derived from `insta_cmd`s `spawn_with_info`.
2124pub fn run_and_format<T: AsRef<str>>(
2125    command: impl BorrowMut<Command>,
2126    filters: impl AsRef<[(T, T)]>,
2127    function_name: &str,
2128    windows_filters: Option<WindowsFilters>,
2129    input: Option<&str>,
2130) -> (String, Output) {
2131    let (snapshot, output, _) =
2132        run_and_format_with_status(command, filters, function_name, windows_filters, input);
2133    (snapshot, output)
2134}
2135
2136/// Execute the command and format its output status, stdout and stderr into a snapshot string.
2137///
2138/// This function is derived from `insta_cmd`s `spawn_with_info`.
2139#[expect(clippy::print_stderr)]
2140pub fn run_and_format_with_status<T: AsRef<str>>(
2141    mut command: impl BorrowMut<Command>,
2142    filters: impl AsRef<[(T, T)]>,
2143    function_name: &str,
2144    windows_filters: Option<WindowsFilters>,
2145    input: Option<&str>,
2146) -> (String, Output, ExitStatus) {
2147    let program = command
2148        .borrow_mut()
2149        .get_program()
2150        .to_string_lossy()
2151        .to_string();
2152
2153    // Support profiling test run commands with traces.
2154    if let Ok(root) = env::var(EnvVars::TRACING_DURATIONS_TEST_ROOT) {
2155        // We only want to fail if the variable is set at runtime.
2156        #[allow(clippy::assertions_on_constants)]
2157        {
2158            assert!(
2159                cfg!(feature = "tracing-durations-export"),
2160                "You need to enable the tracing-durations-export feature to use `TRACING_DURATIONS_TEST_ROOT`"
2161            );
2162        }
2163        command.borrow_mut().env(
2164            EnvVars::TRACING_DURATIONS_FILE,
2165            Path::new(&root).join(function_name).with_extension("jsonl"),
2166        );
2167    }
2168
2169    let output = if let Some(input) = input {
2170        let mut child = command
2171            .borrow_mut()
2172            .stdin(Stdio::piped())
2173            .stdout(Stdio::piped())
2174            .stderr(Stdio::piped())
2175            .spawn()
2176            .unwrap_or_else(|err| panic!("Failed to spawn {program}: {err}"));
2177        child
2178            .stdin
2179            .as_mut()
2180            .expect("Failed to open stdin")
2181            .write_all(input.as_bytes())
2182            .expect("Failed to write to stdin");
2183
2184        child
2185            .wait_with_output()
2186            .unwrap_or_else(|err| panic!("Failed to read output from {program}: {err}"))
2187    } else {
2188        command
2189            .borrow_mut()
2190            .output()
2191            .unwrap_or_else(|err| panic!("Failed to spawn {program}: {err}"))
2192    };
2193
2194    eprintln!("\n━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ Unfiltered output ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━");
2195    eprintln!(
2196        "----- stdout -----\n{}\n----- stderr -----\n{}",
2197        String::from_utf8_lossy(&output.stdout),
2198        String::from_utf8_lossy(&output.stderr),
2199    );
2200    eprintln!("────────────────────────────────────────────────────────────────────────────────\n");
2201
2202    let mut snapshot = apply_filters(
2203        format!(
2204            "success: {:?}\nexit_code: {}\n----- stdout -----\n{}\n----- stderr -----\n{}",
2205            output.status.success(),
2206            output.status.code().unwrap_or(!0),
2207            String::from_utf8_lossy(&output.stdout),
2208            String::from_utf8_lossy(&output.stderr),
2209        ),
2210        filters,
2211    );
2212
2213    // This is a heuristic filter meant to try and make *most* of our tests
2214    // pass whether it's on Windows or Unix. In particular, there are some very
2215    // common Windows-only dependencies that, when removed from a resolution,
2216    // cause the set of dependencies to be the same across platforms.
2217    if cfg!(windows) {
2218        if let Some(windows_filters) = windows_filters {
2219            // The optional leading +/-/~ is for install logs, the optional next line is for lockfiles
2220            let windows_only_deps = [
2221                (r"( ?[-+~] ?)?colorama==\d+(\.\d+)+( [\\]\n\s+--hash=.*)?\n(\s+# via .*\n)?"),
2222                (r"( ?[-+~] ?)?colorama==\d+(\.\d+)+(\s+[-+~]?\s+# via .*)?\n"),
2223                (r"( ?[-+~] ?)?tzdata==\d+(\.\d+)+( [\\]\n\s+--hash=.*)?\n(\s+# via .*\n)?"),
2224                (r"( ?[-+~] ?)?tzdata==\d+(\.\d+)+(\s+[-+~]?\s+# via .*)?\n"),
2225            ];
2226            let mut removed_packages = 0;
2227            for windows_only_dep in windows_only_deps {
2228                // TODO(konstin): Cache regex compilation
2229                let re = Regex::new(windows_only_dep).unwrap();
2230                if re.is_match(&snapshot) {
2231                    snapshot = re.replace(&snapshot, "").to_string();
2232                    removed_packages += 1;
2233                }
2234            }
2235            if removed_packages > 0 {
2236                for i in 1..20 {
2237                    for verb in match windows_filters {
2238                        WindowsFilters::Platform => [
2239                            "Resolved",
2240                            "Prepared",
2241                            "Installed",
2242                            "Checked",
2243                            "Uninstalled",
2244                        ]
2245                        .iter(),
2246                        WindowsFilters::Universal => {
2247                            ["Prepared", "Installed", "Checked", "Uninstalled"].iter()
2248                        }
2249                    } {
2250                        snapshot = snapshot.replace(
2251                            &format!("{verb} {} packages", i + removed_packages),
2252                            &format!("{verb} {} package{}", i, if i > 1 { "s" } else { "" }),
2253                        );
2254                    }
2255                }
2256            }
2257        }
2258    }
2259
2260    let status = output.status;
2261    (snapshot, output, status)
2262}
2263
2264/// Recursively copy a directory and its contents, skipping gitignored files.
2265pub fn copy_dir_ignore(src: impl AsRef<Path>, dst: impl AsRef<Path>) -> anyhow::Result<()> {
2266    for entry in ignore::Walk::new(&src) {
2267        let entry = entry?;
2268        let relative = entry.path().strip_prefix(&src)?;
2269        let ty = entry.file_type().unwrap();
2270        if ty.is_dir() {
2271            fs_err::create_dir(dst.as_ref().join(relative))?;
2272        } else {
2273            fs_err::copy(entry.path(), dst.as_ref().join(relative))?;
2274        }
2275    }
2276    Ok(())
2277}
2278
2279/// Create a stub package `name` in `dir` with the given `pyproject.toml` body.
2280pub fn make_project(dir: &Path, name: &str, body: &str) -> anyhow::Result<()> {
2281    let pyproject_toml = formatdoc! {r#"
2282        [project]
2283        name = "{name}"
2284        version = "0.1.0"
2285        requires-python = ">=3.11,<3.13"
2286        {body}
2287
2288        [build-system]
2289        requires = ["uv_build>=0.9.0,<10000"]
2290        build-backend = "uv_build"
2291        "#
2292    };
2293    fs_err::create_dir_all(dir)?;
2294    fs_err::write(dir.join("pyproject.toml"), pyproject_toml)?;
2295    fs_err::create_dir_all(dir.join("src").join(name))?;
2296    fs_err::write(dir.join("src").join(name).join("__init__.py"), "")?;
2297    Ok(())
2298}
2299
2300// This is a fine-grained token that only has read-only access to the `uv-private-pypackage` repository
2301pub const READ_ONLY_GITHUB_TOKEN: &[&str] = &[
2302    "Z2l0aHViCg==",
2303    "cGF0Cg==",
2304    "MTFBQlVDUjZBMERMUTQ3aVphN3hPdV9qQmhTMkZUeHZ4ZE13OHczakxuZndsV2ZlZjc2cE53eHBWS2tiRUFwdnpmUk8zV0dDSUhicDFsT01aago=",
2305];
2306
2307// This is a fine-grained token that only has read-only access to the `uv-private-pypackage-2` repository
2308#[cfg(not(windows))]
2309pub const READ_ONLY_GITHUB_TOKEN_2: &[&str] = &[
2310    "Z2l0aHViCg==",
2311    "cGF0Cg==",
2312    "MTFBQlVDUjZBMDJTOFYwMTM4YmQ0bV9uTXpueWhxZDBrcllROTQ5SERTeTI0dENKZ2lmdzIybDFSR2s1SE04QW8xTUVYQ1I0Q1YxYUdPRGpvZQo=",
2313];
2314
2315pub const READ_ONLY_GITHUB_SSH_DEPLOY_KEY: &str = "LS0tLS1CRUdJTiBPUEVOU1NIIFBSSVZBVEUgS0VZLS0tLS0KYjNCbGJuTnphQzFyWlhrdGRqRUFBQUFBQkc1dmJtVUFBQUFFYm05dVpRQUFBQUFBQUFBQkFBQUFNd0FBQUF0emMyZ3RaVwpReU5UVXhPUUFBQUNBeTF1SnNZK1JXcWp1NkdIY3Z6a3AwS21yWDEwdmo3RUZqTkpNTkRqSGZPZ0FBQUpqWUpwVnAyQ2FWCmFRQUFBQXR6YzJndFpXUXlOVFV4T1FBQUFDQXkxdUpzWStSV3FqdTZHSGN2emtwMEttclgxMHZqN0VGak5KTU5EakhmT2cKQUFBRUMwbzBnd1BxbGl6TFBJOEFXWDVaS2dVZHJyQ2ptMDhIQm9FenB4VDg3MXBqTFc0bXhqNUZhcU83b1lkeS9PU25RcQphdGZYUytQc1FXTTBrdzBPTWQ4NkFBQUFFR3R2Ym5OMGFVQmhjM1J5WVd3dWMyZ0JBZ01FQlE9PQotLS0tLUVORCBPUEVOU1NIIFBSSVZBVEUgS0VZLS0tLS0K";
2316
2317/// Decode a split, base64 encoded authentication token.
2318/// We split and encode the token to bypass revoke by GitHub's secret scanning
2319pub fn decode_token(content: &[&str]) -> String {
2320    content
2321        .iter()
2322        .map(|part| base64.decode(part).unwrap())
2323        .map(|decoded| {
2324            std::str::from_utf8(decoded.as_slice())
2325                .unwrap()
2326                .trim_end()
2327                .to_string()
2328        })
2329        .join("_")
2330}
2331
2332/// Simulates `reqwest::blocking::get` but returns bytes directly, and disables
2333/// certificate verification, passing through the `BaseClient`
2334#[tokio::main(flavor = "current_thread")]
2335pub async fn download_to_disk(url: &str, path: &Path) {
2336    let trusted_hosts: Vec<_> = env::var(EnvVars::UV_INSECURE_HOST)
2337        .unwrap_or_default()
2338        .split(' ')
2339        .map(|h| uv_configuration::TrustedHost::from_str(h).unwrap())
2340        .collect();
2341
2342    let client = uv_client::BaseClientBuilder::default()
2343        .allow_insecure_host(trusted_hosts)
2344        .build();
2345    let url = url.parse().unwrap();
2346    let response = client
2347        .for_host(&url)
2348        .get(reqwest::Url::from(url))
2349        .send()
2350        .await
2351        .unwrap();
2352
2353    let mut file = fs_err::tokio::File::create(path).await.unwrap();
2354    let mut stream = response.bytes_stream();
2355    while let Some(chunk) = stream.next().await {
2356        file.write_all(&chunk.unwrap()).await.unwrap();
2357    }
2358    file.sync_all().await.unwrap();
2359}
2360
2361/// A guard that sets a directory to read-only and restores original permissions when dropped.
2362///
2363/// This is useful for tests that need to make a directory read-only and ensure
2364/// the permissions are restored even if the test panics.
2365#[cfg(unix)]
2366pub struct ReadOnlyDirectoryGuard {
2367    path: PathBuf,
2368    original_mode: u32,
2369}
2370
2371#[cfg(unix)]
2372impl ReadOnlyDirectoryGuard {
2373    /// Sets the directory to read-only (removes write permission) and returns a guard
2374    /// that will restore the original permissions when dropped.
2375    pub fn new(path: impl Into<PathBuf>) -> std::io::Result<Self> {
2376        use std::os::unix::fs::PermissionsExt;
2377        let path = path.into();
2378        let metadata = fs_err::metadata(&path)?;
2379        let original_mode = metadata.permissions().mode();
2380        // Remove write permissions (keep read and execute)
2381        let readonly_mode = original_mode & !0o222;
2382        fs_err::set_permissions(&path, std::fs::Permissions::from_mode(readonly_mode))?;
2383        Ok(Self {
2384            path,
2385            original_mode,
2386        })
2387    }
2388}
2389
2390#[cfg(unix)]
2391impl Drop for ReadOnlyDirectoryGuard {
2392    fn drop(&mut self) {
2393        use std::os::unix::fs::PermissionsExt;
2394        let _ = fs_err::set_permissions(
2395            &self.path,
2396            std::fs::Permissions::from_mode(self.original_mode),
2397        );
2398    }
2399}
2400
2401/// Utility macro to return the name of the current function.
2402///
2403/// https://stackoverflow.com/a/40234666/3549270
2404#[doc(hidden)]
2405#[macro_export]
2406macro_rules! function_name {
2407    () => {{
2408        fn f() {}
2409        fn type_name_of_val<T>(_: T) -> &'static str {
2410            std::any::type_name::<T>()
2411        }
2412        let mut name = type_name_of_val(f).strip_suffix("::f").unwrap_or("");
2413        while let Some(rest) = name.strip_suffix("::{{closure}}") {
2414            name = rest;
2415        }
2416        name
2417    }};
2418}
2419
2420/// Run [`assert_cmd_snapshot!`], with default filters or with custom filters.
2421///
2422/// By default, the filters will search for the generally windows-only deps colorama and tzdata,
2423/// filter them out and decrease the package counts by one for each match.
2424#[macro_export]
2425macro_rules! uv_snapshot {
2426    ($spawnable:expr, @$snapshot:literal) => {{
2427        uv_snapshot!($crate::INSTA_FILTERS.to_vec(), $spawnable, @$snapshot)
2428    }};
2429    ($filters:expr, $spawnable:expr, @$snapshot:literal) => {{
2430        // Take a reference for backwards compatibility with the vec-expecting insta filters.
2431        let (snapshot, output) = $crate::run_and_format($spawnable, &$filters, $crate::function_name!(), Some($crate::WindowsFilters::Platform), None);
2432        ::insta::assert_snapshot!(snapshot, @$snapshot);
2433        output
2434    }};
2435    ($filters:expr, $spawnable:expr, input=$input:expr, @$snapshot:literal) => {{
2436        // Take a reference for backwards compatibility with the vec-expecting insta filters.
2437        let (snapshot, output) = $crate::run_and_format($spawnable, &$filters, $crate::function_name!(), Some($crate::WindowsFilters::Platform), Some($input));
2438        ::insta::assert_snapshot!(snapshot, @$snapshot);
2439        output
2440    }};
2441    ($filters:expr, windows_filters=false, $spawnable:expr, @$snapshot:literal) => {{
2442        // Take a reference for backwards compatibility with the vec-expecting insta filters.
2443        let (snapshot, output) = $crate::run_and_format($spawnable, &$filters, $crate::function_name!(), None, None);
2444        ::insta::assert_snapshot!(snapshot, @$snapshot);
2445        output
2446    }};
2447    ($filters:expr, universal_windows_filters=true, $spawnable:expr, @$snapshot:literal) => {{
2448        // Take a reference for backwards compatibility with the vec-expecting insta filters.
2449        let (snapshot, output) = $crate::run_and_format($spawnable, &$filters, $crate::function_name!(), Some($crate::WindowsFilters::Universal), None);
2450        ::insta::assert_snapshot!(snapshot, @$snapshot);
2451        output
2452    }};
2453}