summary refs log tree commit diff
path: root/pkgs/test/nixpkgs-check-by-name/src/references.rs
blob: 16dc60729c420c771ab9d6b56bf216e2230cf085 (plain) (blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
use crate::structure::Nixpkgs;
use crate::utils;
use crate::utils::{ErrorWriter, LineIndex};

use anyhow::Context;
use rnix::{Root, SyntaxKind::NODE_PATH};
use std::ffi::OsStr;
use std::fs::read_to_string;
use std::io;
use std::path::{Path, PathBuf};

/// Small helper so we don't need to pass in the same arguments to all functions
struct PackageContext<'a, W: io::Write> {
    error_writer: &'a mut ErrorWriter<W>,
    /// The package directory relative to Nixpkgs, such as `pkgs/by-name/fo/foo`
    relative_package_dir: &'a PathBuf,
    /// The absolute package directory
    absolute_package_dir: &'a PathBuf,
}

/// Check that every package directory in pkgs/by-name doesn't link to outside that directory.
/// Both symlinks and Nix path expressions are checked.
pub fn check_references<W: io::Write>(
    error_writer: &mut ErrorWriter<W>,
    nixpkgs: &Nixpkgs,
) -> anyhow::Result<()> {
    // Check the directories for each package separately
    for package_name in &nixpkgs.package_names {
        let relative_package_dir = Nixpkgs::relative_dir_for_package(package_name);
        let mut context = PackageContext {
            error_writer,
            relative_package_dir: &relative_package_dir,
            absolute_package_dir: &nixpkgs.path.join(&relative_package_dir),
        };

        // The empty argument here is the subpath under the package directory to check
        // An empty one means the package directory itself
        check_path(&mut context, Path::new("")).context(format!(
            "While checking the references in package directory {}",
            relative_package_dir.display()
        ))?;
    }
    Ok(())
}

/// Checks for a specific path to not have references outside
fn check_path<W: io::Write>(context: &mut PackageContext<W>, subpath: &Path) -> anyhow::Result<()> {
    let path = context.absolute_package_dir.join(subpath);

    if path.is_symlink() {
        // Check whether the symlink resolves to outside the package directory
        match path.canonicalize() {
            Ok(target) => {
                // No need to handle the case of it being inside the directory, since we scan through the
                // entire directory recursively anyways
                if let Err(_prefix_error) = target.strip_prefix(context.absolute_package_dir) {
                    context.error_writer.write(&format!(
                        "{}: Path {} is a symlink pointing to a path outside the directory of that package.",
                        context.relative_package_dir.display(),
                        subpath.display(),
                    ))?;
                }
            }
            Err(e) => {
                context.error_writer.write(&format!(
                    "{}: Path {} is a symlink which cannot be resolved: {e}.",
                    context.relative_package_dir.display(),
                    subpath.display(),
                ))?;
            }
        }
    } else if path.is_dir() {
        // Recursively check each entry
        for entry in utils::read_dir_sorted(&path)? {
            let entry_subpath = subpath.join(entry.file_name());
            check_path(context, &entry_subpath)
                .context(format!("Error while recursing into {}", subpath.display()))?
        }
    } else if path.is_file() {
        // Only check Nix files
        if let Some(ext) = path.extension() {
            if ext == OsStr::new("nix") {
                check_nix_file(context, subpath).context(format!(
                    "Error while checking Nix file {}",
                    subpath.display()
                ))?
            }
        }
    } else {
        // This should never happen, git doesn't support other file types
        anyhow::bail!("Unsupported file type for path {}", subpath.display());
    }
    Ok(())
}

/// Check whether a nix file contains path expression references pointing outside the package
/// directory
fn check_nix_file<W: io::Write>(
    context: &mut PackageContext<W>,
    subpath: &Path,
) -> anyhow::Result<()> {
    let path = context.absolute_package_dir.join(subpath);
    let parent_dir = path.parent().context(format!(
        "Could not get parent of path {}",
        subpath.display()
    ))?;

    let contents =
        read_to_string(&path).context(format!("Could not read file {}", subpath.display()))?;

    let root = Root::parse(&contents);
    if let Some(error) = root.errors().first() {
        context.error_writer.write(&format!(
            "{}: File {} could not be parsed by rnix: {}",
            context.relative_package_dir.display(),
            subpath.display(),
            error,
        ))?;
        return Ok(());
    }

    let line_index = LineIndex::new(&contents);

    for node in root.syntax().descendants() {
        // We're only interested in Path expressions
        if node.kind() != NODE_PATH {
            continue;
        }

        let text = node.text().to_string();
        let line = line_index.line(node.text_range().start().into());

        // Filters out ./foo/${bar}/baz
        // TODO: We can just check ./foo
        if node.children().count() != 0 {
            context.error_writer.write(&format!(
                "{}: File {} at line {line} contains the path expression \"{}\", which is not yet supported and may point outside the directory of that package.",
                context.relative_package_dir.display(),
                subpath.display(),
                text
            ))?;
            continue;
        }

        // Filters out search paths like <nixpkgs>
        if text.starts_with('<') {
            context.error_writer.write(&format!(
                "{}: File {} at line {line} contains the nix search path expression \"{}\" which may point outside the directory of that package.",
                context.relative_package_dir.display(),
                subpath.display(),
                text
            ))?;
            continue;
        }

        // Resolves the reference of the Nix path
        // turning `../baz` inside `/foo/bar/default.nix` to `/foo/baz`
        match parent_dir.join(Path::new(&text)).canonicalize() {
            Ok(target) => {
                // Then checking if it's still in the package directory
                // No need to handle the case of it being inside the directory, since we scan through the
                // entire directory recursively anyways
                if let Err(_prefix_error) = target.strip_prefix(context.absolute_package_dir) {
                    context.error_writer.write(&format!(
                        "{}: File {} at line {line} contains the path expression \"{}\" which may point outside the directory of that package.",
                        context.relative_package_dir.display(),
                        subpath.display(),
                        text,
                    ))?;
                }
            }
            Err(e) => {
                context.error_writer.write(&format!(
                    "{}: File {} at line {line} contains the path expression \"{}\" which cannot be resolved: {e}.",
                    context.relative_package_dir.display(),
                    subpath.display(),
                    text,
                ))?;
            }
        };
    }

    Ok(())
}