xtask/tasks/
git_hooks.rs

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
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
// Copyright (c) Microsoft Corporation.
// Licensed under the MIT License.

use crate::Xtask;
use anyhow::Context;
use clap::Parser;
use clap::ValueEnum;
use serde::Deserialize;
use serde::Serialize;
use std::io::BufRead;
use std::path::Path;

/// Xtask to install git hooks back into `xtask`.
///
/// Must be installed alongside [`RunGitHook`] as a top-level `hook` subcommand.
#[derive(Parser)]
#[clap(
    about = "Install git pre-commit / pre-push hooks",
    disable_help_subcommand = true
)]
pub struct InstallGitHooks {
    /// Install the pre-commit hook (only runs quick checks)
    #[clap(long)]
    pre_commit: bool,

    /// Install the pre-push hook
    #[clap(long)]
    pre_push: bool,

    /// Run formatting checks as part of the hook
    #[clap(long, default_value = "yes")]
    with_fmt: YesNo,
}

#[derive(Clone, ValueEnum)]
enum YesNo {
    Yes,
    No,
}

const CONFIG_HEREDOC: &str = "XTASK_HOOK_CONFIG";

// This bit of bash script is the "minimum-viable-glue" required to do 2 things:
//
// 1. Invoke `cargo xtask hook <hook-kind>`.
// 2. Encode the CONFIG blob that gets passed to the xtask (which contains
//    user-customizable hook configuration, generated based on what args were
//    passed to `install-git-hooks`)
const TEMPLATE: &str = r#"
#!/bin/sh

set -e

###############################################################################
#          ANY MODIFICATIONS MADE TO THIS FILE WILL GET OVERWRITTEN!          #
###############################################################################

# This file is generated (and re-generated) by `cargo xtask`.
#
# To opt-out of automatic updates, it is sufficient to delete the following
# CONFIG variable, and `cargo xtask` will no longer overwrite this file.

CONFIG=$(cat << <<CONFIG_HEREDOC>>
<<CONFIG>>
<<CONFIG_HEREDOC>>
)

# The rest of the script is the "minimum-viable-bash" required to do 2 things:
#
# 1. Invoke `cargo xtask hook <hook-kind>`.
# 2. Encode the $CONFIG blob that gets passed to the xtask, which contains the
#    user-specified hook configuration (as specified via `install-git-hooks`)
#
# Any future additions to `xtask`-driven hooks should be done in Rust (as
# opposed to extending this bash script)

cd "${GIT_DIR-$(git rev-parse --git-dir)}/.."

XTASK="cargo xtask"

USE_PREBUILT_XTASK="<<USE_PREBUILT_XTASK>>"
if [ -n "$USE_PREBUILT_XTASK" ] && [ -f "<<XTASK_PATH_FILE>>" ]; then
    XTASK=$(cat "<<XTASK_PATH_FILE>>")
fi

$XTASK hook <<HOOK_KIND>> $CONFIG

"#;

fn install_hook(
    root: &Path,
    config: HookConfig,
    kind: &str,
    rebuild: bool,
    quiet: bool,
) -> anyhow::Result<()> {
    let script = TEMPLATE;
    let script = script.replace("<<CONFIG_HEREDOC>>", CONFIG_HEREDOC);
    let script = script.replace("<<CONFIG>>", &serde_json::to_string(&config)?);
    let script = script.replace("<<USE_PREBUILT_XTASK>>", if !rebuild { "1" } else { "" });
    let script = script.replace("<<XTASK_PATH_FILE>>", crate::XTASK_PATH_FILE);
    let script = script.replace("<<HOOK_KIND>>", kind);
    let script = script.trim();

    let path = root.join(".git").join("hooks").join(kind);
    let already_exists = path.exists();

    fs_err::write(&path, script)?;

    // enable exec on unix systems
    #[cfg(unix)]
    {
        use std::os::unix::fs::PermissionsExt;
        let mut perms = fs_err::metadata(&path)?.permissions();
        perms.set_mode(perms.mode() | 0o100);
        fs_err::set_permissions(&path, perms)?;
    }

    let lvl = {
        if quiet {
            log::Level::Debug
        } else {
            log::Level::Info
        }
    };

    if already_exists {
        log::log!(lvl, "updated {}", path.display());
    } else {
        log::log!(lvl, "installed {}", path.display());
    }

    Ok(())
}

fn install_pre_commit(root: &Path, config: HookConfig, quiet: bool) -> anyhow::Result<()> {
    install_hook(root, config, "pre-commit", false, quiet)
}

fn install_pre_push(root: &Path, config: HookConfig, quiet: bool) -> anyhow::Result<()> {
    install_hook(root, config, "pre-push", true, quiet)
}

impl Xtask for InstallGitHooks {
    fn run(self, ctx: crate::XtaskCtx) -> anyhow::Result<()> {
        if ![self.pre_commit, self.pre_push].into_iter().any(|x| x) {
            log::warn!("no hooks installed! pass at least one of [--pre-commit, --pre-push]")
        }

        if self.pre_commit {
            install_pre_commit(
                &ctx.root,
                HookConfig {
                    with_fmt: matches!(self.with_fmt, YesNo::Yes),
                },
                false,
            )?;
        }

        if self.pre_push {
            install_pre_push(
                &ctx.root,
                HookConfig {
                    with_fmt: matches!(self.with_fmt, YesNo::Yes),
                },
                false,
            )?;
        }

        Ok(())
    }
}

#[derive(Default, Serialize, Deserialize)]
struct HookConfig {
    with_fmt: bool,
}

#[derive(Debug)]
enum HookError {
    Missing,
    Custom,
    MalformedConfig,
}

fn extract_config(path: &Path) -> Result<HookConfig, HookError> {
    let f = fs_err::File::open(path).map_err(|_| HookError::Missing)?;
    let f = std::io::BufReader::new(f);
    let mut found_config = false;
    for ln in f.lines() {
        // is a line isn't UTF-8, assume this is a custom hook
        let ln = ln.map_err(|_| HookError::Custom)?;

        if !found_config {
            if ln.ends_with(CONFIG_HEREDOC) {
                found_config = true;
            }
            continue;
        }

        return serde_json::from_str(&ln).map_err(|_| HookError::MalformedConfig);
    }

    // if we couldn't find the config, assume this is a custom git hook
    Err(HookError::Custom)
}

/// Keeps any installed hooks up to date.
pub fn update_hooks(root: &Path) -> anyhow::Result<()> {
    let base_path = root.join(".git").join("hooks");

    let update_hook_inner =
        |hook: &str,
         install_fn: fn(root: &Path, config: HookConfig, quiet: bool) -> anyhow::Result<()>,
         quiet: bool|
         -> anyhow::Result<()> {
            match extract_config(&base_path.join(hook)) {
                Ok(config) => (install_fn)(root, config, quiet)?,
                Err(HookError::MalformedConfig) => {
                    log::warn!("detected malformed {hook} hook!");
                    log::warn!("please rerun `cargo xtask install-git-hooks --{hook}`!");
                }
                Err(e) => {
                    log::debug!("could not update {hook} hook: {:?}", e)
                }
            }

            Ok(())
        };

    update_hook_inner("pre-commit", install_pre_commit, true)?;
    update_hook_inner("pre-push", install_pre_push, true)?;

    Ok(())
}

/// Private subcommand to run hooks (invoked via `git`).
///
/// This subcommand should be marked as `#[clap(hide = true)]`, as it shouldn't
/// be invoked by end-users. It is an internal implementation detail of the
/// `xtask` git hook infrastructure.
#[derive(Parser)]
pub struct RunGitHook {
    hook: HookVariety,
    config: String,
}

#[derive(Clone, ValueEnum)]
enum HookVariety {
    PreCommit,
    PrePush,
}

impl Xtask for RunGitHook {
    fn run(self, ctx: crate::XtaskCtx) -> anyhow::Result<()> {
        let config: HookConfig =
            serde_json::from_str(&self.config).context("invalid hook config")?;

        match self.hook {
            // pre-commit should only do quick checks on modified files
            HookVariety::PreCommit => {
                log::info!("running pre-commit hook");

                if config.with_fmt {
                    const FMT_CMD: &str = "fmt --only-diffed --pass rustfmt --pass house-rules";
                    crate::tasks::Fmt::parse_from(FMT_CMD.split(' ')).run(ctx)?;
                }
            }
            // pre-push should do all "heavier" checks
            HookVariety::PrePush => {
                log::info!("running pre-push hook");

                if config.with_fmt {
                    const FMT_CMD: &str = "";
                    crate::tasks::Fmt::parse_from(FMT_CMD.split(' ')).run(ctx)?;
                }
            }
        }

        log::info!("hook completed successfully\n");

        Ok(())
    }
}