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
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
#![forbid(future_incompatible)]
#![warn(warnings)]
extern crate quicli;
use quicli::prelude::*;
extern crate fs_extra;
use std::{env, fs, str};
use std::ffi::OsString;
use std::path::{Path, PathBuf};
use std::process::{Command, ExitStatus};
#[derive(Debug, StructOpt)]
#[structopt(raw(bin_name = r#""cargo""#))]
enum CargoArgs {
    #[structopt(name = "ghp-upload")] GhpUpload(Args),
}
#[derive(Debug, StructOpt)]
struct Args {
    
    #[structopt(long = "deploy", default_value = "gh-pages")]
    deploy_branch: String,
    
    #[structopt(long = "branch", default_value = "master")]
    publish_branch: Vec<String>,
    
    #[structopt(short = "r", long = "publish-tags")]
    publish_tags: bool,
    
    #[structopt(long = "token", help = "GitHub Personal Access token [default: $GH_TOKEN]")]
    token: Option<String>,
    
    #[structopt(long = "message", default_value = "ghp-upload script")]
    message: String,
    
    #[structopt(long = "directory", parse(from_os_str), default_value = "./target/doc")]
    upload_directory: PathBuf,
    #[structopt(long = "remove-index", help = "Remove `branch/index.html` if it exists")]
    clobber_index: bool,
    #[structopt(long = "verbose", short = "v", parse(from_occurrences),
                help = "Enable more verbose logging [repeatable (max 4)]")]
    verbosity: u8,
}
#[derive(Debug, Default)]
struct Context {
    branch: Option<String>,
    tag: Option<String>,
    origin: Option<String>,
    pull_request: bool,
}
fn get_context(args: &Args) -> Result<Context> {
    let mut context = Context::default();
    if env::var_os("CI").is_some() {
        info!("CI detected; running CI-exclusive features");
        if env::var_os("TRAVIS").is_some() {
            info!("Travis CI detected");
            if args.token.is_some() && env::var("TRAVIS_SECURE_ENV_VARS")? == "false" {
                
                
                
                error!("***************************************************");
                error!("* WARNING * WARNING * WARNING * WARNING * WARNING *");
                error!("*                                                 *");
                error!("*   GitHub Token found but is likely NOT SECURE   *");
                error!("*    A GitHub Token in plain text in your repo    *");
                error!("*      or in Travis ENV without being hidden      *");
                error!("*  should be considered compromised and replaced  *");
                error!("*                                                 *");
                error!("* WARNING * WARNING * WARNING * WARNING * WARNING *");
                error!("***************************************************");
                error!("(If this is a false positive, open an issue for us)");
                bail!("Insecure environment found; stopping");
            }
            let tag = env::var("TRAVIS_TAG")?;
            if !tag.is_empty() {
                context.tag = Some(tag);
            }
            context.branch = Some(env::var("TRAVIS_BRANCH")?);
            context.pull_request = env::var("TRAVIS_PULL_REQUEST")? != "false";
            let repo_slug = env::var("TRAVIS_REPO_SLUG")?;
            context.origin = Some(if let Some(ref token) = args.token {
                format!("https://{}@github.com/{}.git", token, repo_slug)
            } else {
                warn!("No GitHub Personal Access Token was provided");
                warn!("Falling back to using the SSH endpoint");
                format!("git@github.com:{}.git", repo_slug)
            })
        } else {
            warn!("Unsupported CI detected; no CI features were run")
        }
    } else {
        info!("No CI detected; collecting relevant information from Git")
    }
    context.branch = context.branch.or_else(|| {
        let abbrev_ref = Command::new("git")
            .args(&["rev-parse", "--abbrev-ref", "HEAD"])
            .output()
            .ok()?
            .stdout;
        Some(
            str::from_utf8(&abbrev_ref)
                .expect("Invalid UTF8 from Git")
                .trim()
                .to_owned(),
        )
    });
    context.origin = context.origin.or_else(|| {
        if let Ok(upstream) = Command::new("git")
            .args(&["rev-parse", "--abbrev-ref", "HEAD@{upstream}"])
            .output()
        {
            let upstream: &str = str::from_utf8(&upstream.stdout)
                .expect("Invalid UTF8 from Git")
                .split('/')
                .next()
                .unwrap();
            let origin = Command::new("git")
                .args(&["remote", "get-url"])
                .arg(upstream)
                .output()
                .ok()?
                .stdout;
            let origin = str::from_utf8(&origin)
                .expect("Invalid UTF8 from Git")
                .trim();
            if let Some(ref token) = args.token {
                let github_loc = origin.find("github.com").expect("Non-GitHub remote");
                let dot_git_loc = origin.rfind(".git").unwrap();
                let repo_slug = &origin[(github_loc + "github.com".len() + 1)..dot_git_loc];
                Some(format!("https://{}@github.com/{}.git", token, repo_slug))
            } else {
                Some(origin.to_owned())
            }
        } else {
            None
        }
    });
    Ok(context)
}
fn require_success(status: ExitStatus) -> Result<()> {
    if status.success() {
        Ok(())
    } else {
        bail!("Child process failed: {}", status)
    }
}
fn ghp_upload(branch: &str, origin: &str, args: &Args) -> Result<()> {
    let ghp_dir = Path::new("target/ghp");
    if !ghp_dir.exists() {
        
        
        let status = Command::new("git")
            .args(&["clone", "--verbose"])
            .args(&["--branch", &args.deploy_branch])
            .args(&["--depth", "1"])
            .args(&[origin, ghp_dir.to_str().unwrap()])
            .status()?;
        if !status.success() {
            
            
            require_success(Command::new("git").arg("init").arg(ghp_dir).status()?)?;
            require_success(Command::new("git")
                .current_dir(ghp_dir)
                .arg("checkout")
                .args(&["-b", &args.deploy_branch])
                .status()?)?;
        }
    }
    let ghp_branch_dir = ghp_dir.join(branch);
    fs::create_dir(&ghp_branch_dir).ok(); 
    for entry in ghp_branch_dir.read_dir()? {
        let dir = entry?;
        
        
        if args.clobber_index || dir.file_name() != OsString::from("index.hmtl") {
            let path = dir.path();
            fs::remove_dir_all(&path).ok();
            fs::remove_file(path).ok();
        }
    }
    let upload_dir = PathBuf::from(&args.upload_directory);
    eprintln!("Copying documentation...");
    let mut last_progress = 0;
    fs_extra::copy_items_with_progress(
        &upload_dir
            .read_dir()?
            .map(|entry| entry.unwrap().path())
            .collect(),
        ghp_branch_dir,
        &fs_extra::dir::CopyOptions::new(),
        |info| {
            
            
            if info.copied_bytes >> 20 > last_progress {
                last_progress = info.copied_bytes >> 20;
                eprintln!(
                    "~ {}/{} MiB",
                    info.copied_bytes >> 20,
                    info.total_bytes >> 20
                );
            }
            fs_extra::dir::TransitProcessResult::ContinueOrAbort
        },
    )?;
    
    require_success(Command::new("git")
        .current_dir(ghp_dir)
        .args(&["add", "--verbose", "--all"])
        .status()?)?;
    
    
    let commit_status = Command::new("git")
        .current_dir(ghp_dir)
        .args(&["commit", "--verbose"])
        .args(&["-m", &args.message])
        .status()?;
    if commit_status.success() {
        require_success(Command::new("git")
            .current_dir(ghp_dir)
            .args(&["push", origin, &args.deploy_branch])
            .status()?)?;
        println!("Successfully updated documentation.");
    } else {
        println!("Documentation already up-to-date.");
    }
    Ok(())
}
fn run() -> Result<()> {
    let CargoArgs::GhpUpload(args) = CargoArgs::from_args();
    let args = Args {
        token: args.token.or_else(|| env::var("GH_TOKEN").ok()),
        ..args
    };
    LoggerBuiler::new()
        .filter(
            None,
            match args.verbosity {
                0 => LogLevel::Error,
                1 => LogLevel::Warn,
                2 => LogLevel::Info,
                3 => LogLevel::Debug,
                _ => LogLevel::Trace,
            }.to_level_filter(),
        )
        .try_init()?;
    debug!("Args");
    debug!("  deploy branch: {}", args.deploy_branch);
    debug!("  publish branches: {:?}", args.publish_branch);
    debug!(
        "  token: {}",
        if args.token.is_none() {
            "None"
        } else {
            "[REDACTED]"
        }
    );
    debug!("  message: {}", args.message);
    debug!("  upload directory: {:?}", args.upload_directory);
    debug!("  clobber index: {}", args.clobber_index);
    debug!("  verbosity: {}", args.verbosity);
    let context = get_context(&args)?;
    debug!("Context");
    debug!("  branch: {:?}", context.branch);
    debug!("  tag: {:?}", context.tag);
    debug!(
        "  origin: {:?}",
        context
            .origin
            .as_ref()
            .map(|it| if let Some(ref token) = args.token {
                it.replace(token, "[REDACTED]")
            } else {
                it.clone()
            })
    );
    debug!("  pull request: {}", context.pull_request);
    let branch = context
        .branch
        .as_ref()
        .ok_or_else(|| err_msg("No branch/tag determined"))?;
    let origin = context
        .origin
        .as_ref()
        .ok_or_else(|| err_msg("No origin determined"))?;
    if context.pull_request {
        eprintln!("Skipping Pull Request build");
    } else if (args.publish_tags && context.tag.is_some()) || args.publish_branch.contains(branch) {
        ghp_upload(branch, origin, &args)?;
    } else {
        eprintln!("Skipping build; not configured to build {}", branch)
    }
    Ok(())
}
fn main() {
    match run() {
        Ok(_) => {}
        Err(e) => {
            error!("{}", e);
            ::std::process::exit(1);
        }
    }
}