mirror of
https://github.com/cargo-bins/cargo-binstall.git
synced 2025-04-20 20:48:43 +00:00
Merge pull request #216 from NobodyXu/feature/batch-installation
Feature: Implement batch installation
This commit is contained in:
commit
3a30e870b0
8 changed files with 329 additions and 150 deletions
6
Cargo.lock
generated
6
Cargo.lock
generated
|
@ -144,9 +144,11 @@ dependencies = [
|
||||||
"futures-util",
|
"futures-util",
|
||||||
"guess_host_triple",
|
"guess_host_triple",
|
||||||
"home",
|
"home",
|
||||||
|
"jobserver",
|
||||||
"log",
|
"log",
|
||||||
"miette",
|
"miette",
|
||||||
"mimalloc",
|
"mimalloc",
|
||||||
|
"once_cell",
|
||||||
"reqwest",
|
"reqwest",
|
||||||
"scopeguard",
|
"scopeguard",
|
||||||
"semver",
|
"semver",
|
||||||
|
@ -951,9 +953,9 @@ dependencies = [
|
||||||
|
|
||||||
[[package]]
|
[[package]]
|
||||||
name = "once_cell"
|
name = "once_cell"
|
||||||
version = "1.12.0"
|
version = "1.13.0"
|
||||||
source = "registry+https://github.com/rust-lang/crates.io-index"
|
source = "registry+https://github.com/rust-lang/crates.io-index"
|
||||||
checksum = "7709cef83f0c1f58f666e746a08b21e0085f7440fa6a29cc194d68aac97a4225"
|
checksum = "18a6dbe30758c9f83eb00cbea4ac95966305f5a7772f3f42ebfc7fc7eddbd8e1"
|
||||||
|
|
||||||
[[package]]
|
[[package]]
|
||||||
name = "os_str_bytes"
|
name = "os_str_bytes"
|
||||||
|
|
|
@ -29,9 +29,11 @@ dirs = "4.0.0"
|
||||||
flate2 = { version = "1.0.24", features = ["zlib-ng"], default-features = false }
|
flate2 = { version = "1.0.24", features = ["zlib-ng"], default-features = false }
|
||||||
futures-util = { version = "0.3.21", default-features = false }
|
futures-util = { version = "0.3.21", default-features = false }
|
||||||
home = "0.5.3"
|
home = "0.5.3"
|
||||||
|
jobserver = "0.1.24"
|
||||||
log = "0.4.14"
|
log = "0.4.14"
|
||||||
miette = { version = "5.1.1", features = ["fancy-no-backtrace"] }
|
miette = { version = "5.1.1", features = ["fancy-no-backtrace"] }
|
||||||
mimalloc = { version = "0.1.29", default-features = false, optional = true }
|
mimalloc = { version = "0.1.29", default-features = false, optional = true }
|
||||||
|
once_cell = "1.13.0"
|
||||||
reqwest = { version = "0.11.11", features = ["rustls-tls", "stream"], default-features = false }
|
reqwest = { version = "0.11.11", features = ["rustls-tls", "stream"], default-features = false }
|
||||||
scopeguard = "1.1.0"
|
scopeguard = "1.1.0"
|
||||||
semver = "1.0.12"
|
semver = "1.0.12"
|
||||||
|
|
|
@ -6,9 +6,8 @@ bins="cargo-deb cargo-llvm-cov cargo-binstall"
|
||||||
test_bins="cargo-deb cargo-llvm-cov"
|
test_bins="cargo-deb cargo-llvm-cov"
|
||||||
|
|
||||||
# Install binaries using cargo-binstall
|
# Install binaries using cargo-binstall
|
||||||
for bin in $bins; do
|
# shellcheck disable=SC2086
|
||||||
"./$1" binstall --log-level debug --no-confirm "$bin"
|
"./$1" binstall --log-level debug --no-confirm $bins
|
||||||
done
|
|
||||||
|
|
||||||
# Test that the installed binaries can be run
|
# Test that the installed binaries can be run
|
||||||
for bin in $test_bins; do
|
for bin in $test_bins; do
|
||||||
|
|
|
@ -1,7 +1,9 @@
|
||||||
use std::fmt::Debug;
|
use std::fmt::Debug;
|
||||||
use std::fs;
|
use std::fs;
|
||||||
use std::io;
|
use std::io;
|
||||||
|
use std::num::NonZeroUsize;
|
||||||
use std::path::{Path, PathBuf};
|
use std::path::{Path, PathBuf};
|
||||||
|
use std::thread::available_parallelism;
|
||||||
|
|
||||||
use bytes::Bytes;
|
use bytes::Bytes;
|
||||||
use cargo_toml::Manifest;
|
use cargo_toml::Manifest;
|
||||||
|
@ -37,6 +39,29 @@ pub use tls_version::TLSVersion;
|
||||||
mod crate_name;
|
mod crate_name;
|
||||||
pub use crate_name::CrateName;
|
pub use crate_name::CrateName;
|
||||||
|
|
||||||
|
pub async fn await_task<T>(task: tokio::task::JoinHandle<miette::Result<T>>) -> miette::Result<T> {
|
||||||
|
match task.await {
|
||||||
|
Ok(res) => res,
|
||||||
|
Err(join_err) => Err(miette::miette!("Task failed to join: {}", join_err)),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn create_jobserver_client() -> Result<jobserver::Client, BinstallError> {
|
||||||
|
use jobserver::Client;
|
||||||
|
|
||||||
|
// Safety:
|
||||||
|
//
|
||||||
|
// Client::from_env is unsafe because from_raw_fd is unsafe.
|
||||||
|
// It doesn't do anything that is actually unsafe, like
|
||||||
|
// dereferencing pointer.
|
||||||
|
if let Some(client) = unsafe { Client::from_env() } {
|
||||||
|
Ok(client)
|
||||||
|
} else {
|
||||||
|
let ncore = available_parallelism().map(NonZeroUsize::get).unwrap_or(1);
|
||||||
|
Ok(Client::new(ncore)?)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
/// Load binstall metadata from the crate `Cargo.toml` at the provided path
|
/// Load binstall metadata from the crate `Cargo.toml` at the provided path
|
||||||
pub fn load_manifest_path<P: AsRef<Path>>(
|
pub fn load_manifest_path<P: AsRef<Path>>(
|
||||||
manifest_path: P,
|
manifest_path: P,
|
||||||
|
|
|
@ -2,7 +2,7 @@ use std::convert::Infallible;
|
||||||
use std::fmt;
|
use std::fmt;
|
||||||
use std::str::FromStr;
|
use std::str::FromStr;
|
||||||
|
|
||||||
#[derive(Debug)]
|
#[derive(Debug, Clone)]
|
||||||
pub struct CrateName {
|
pub struct CrateName {
|
||||||
pub name: String,
|
pub name: String,
|
||||||
pub version: Option<String>,
|
pub version: Option<String>,
|
||||||
|
|
421
src/main.rs
421
src/main.rs
|
@ -1,8 +1,11 @@
|
||||||
use std::{
|
use std::{
|
||||||
collections::BTreeSet,
|
collections::BTreeSet,
|
||||||
ffi::OsString,
|
ffi::OsString,
|
||||||
|
mem::take,
|
||||||
path::{Path, PathBuf},
|
path::{Path, PathBuf},
|
||||||
|
process,
|
||||||
process::{ExitCode, Termination},
|
process::{ExitCode, Termination},
|
||||||
|
sync::Arc,
|
||||||
time::{Duration, Instant},
|
time::{Duration, Instant},
|
||||||
};
|
};
|
||||||
|
|
||||||
|
@ -10,6 +13,7 @@ use cargo_toml::{Package, Product};
|
||||||
use clap::Parser;
|
use clap::Parser;
|
||||||
use log::{debug, error, info, warn, LevelFilter};
|
use log::{debug, error, info, warn, LevelFilter};
|
||||||
use miette::{miette, IntoDiagnostic, Result, WrapErr};
|
use miette::{miette, IntoDiagnostic, Result, WrapErr};
|
||||||
|
use reqwest::Client;
|
||||||
use simplelog::{ColorChoice, ConfigBuilder, TermLogger, TerminalMode};
|
use simplelog::{ColorChoice, ConfigBuilder, TermLogger, TerminalMode};
|
||||||
use tempfile::TempDir;
|
use tempfile::TempDir;
|
||||||
use tokio::{
|
use tokio::{
|
||||||
|
@ -35,7 +39,7 @@ struct Options {
|
||||||
///
|
///
|
||||||
/// This must be a crates.io package name.
|
/// This must be a crates.io package name.
|
||||||
#[clap(value_name = "crate")]
|
#[clap(value_name = "crate")]
|
||||||
crate_name: CrateName,
|
crate_names: Vec<CrateName>,
|
||||||
|
|
||||||
/// Semver filter to select the package version to install.
|
/// Semver filter to select the package version to install.
|
||||||
///
|
///
|
||||||
|
@ -167,10 +171,16 @@ impl Termination for MainExit {
|
||||||
}
|
}
|
||||||
|
|
||||||
fn main() -> MainExit {
|
fn main() -> MainExit {
|
||||||
|
// Create jobserver client
|
||||||
|
let jobserver_client = match create_jobserver_client() {
|
||||||
|
Ok(jobserver_client) => jobserver_client,
|
||||||
|
Err(binstall_err) => return MainExit::Error(binstall_err),
|
||||||
|
};
|
||||||
|
|
||||||
let start = Instant::now();
|
let start = Instant::now();
|
||||||
|
|
||||||
let rt = Runtime::new().unwrap();
|
let rt = Runtime::new().unwrap();
|
||||||
let handle = rt.spawn(entry());
|
let handle = rt.spawn(entry(jobserver_client));
|
||||||
let result = rt.block_on(handle);
|
let result = rt.block_on(handle);
|
||||||
drop(rt);
|
drop(rt);
|
||||||
|
|
||||||
|
@ -186,7 +196,7 @@ fn main() -> MainExit {
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn entry() -> Result<()> {
|
async fn entry(jobserver_client: jobserver::Client) -> Result<()> {
|
||||||
// Filter extraneous arg when invoked by cargo
|
// Filter extraneous arg when invoked by cargo
|
||||||
// `cargo run -- --help` gives ["target/debug/cargo-binstall", "--help"]
|
// `cargo run -- --help` gives ["target/debug/cargo-binstall", "--help"]
|
||||||
// `cargo binstall --help` gives ["/home/ryan/.cargo/bin/cargo-binstall", "binstall", "--help"]
|
// `cargo binstall --help` gives ["/home/ryan/.cargo/bin/cargo-binstall", "binstall", "--help"]
|
||||||
|
@ -197,11 +207,13 @@ async fn entry() -> Result<()> {
|
||||||
|
|
||||||
// Load options
|
// Load options
|
||||||
let mut opts = Options::parse_from(args);
|
let mut opts = Options::parse_from(args);
|
||||||
let cli_overrides = PkgOverride {
|
let cli_overrides = Arc::new(PkgOverride {
|
||||||
pkg_url: opts.pkg_url.take(),
|
pkg_url: opts.pkg_url.take(),
|
||||||
pkg_fmt: opts.pkg_fmt.take(),
|
pkg_fmt: opts.pkg_fmt.take(),
|
||||||
bin_dir: opts.bin_dir.take(),
|
bin_dir: opts.bin_dir.take(),
|
||||||
};
|
});
|
||||||
|
let crate_names = take(&mut opts.crate_names);
|
||||||
|
let opts = Arc::new(opts);
|
||||||
|
|
||||||
// Initialize reqwest client
|
// Initialize reqwest client
|
||||||
let client = create_reqwest_client(opts.secure, opts.min_tls_version.map(|v| v.into()))?;
|
let client = create_reqwest_client(opts.secure, opts.min_tls_version.map(|v| v.into()))?;
|
||||||
|
@ -220,15 +232,19 @@ async fn entry() -> Result<()> {
|
||||||
)
|
)
|
||||||
.unwrap();
|
.unwrap();
|
||||||
|
|
||||||
|
// Initialize UI thread
|
||||||
let mut uithread = UIThread::new(!opts.no_confirm);
|
let mut uithread = UIThread::new(!opts.no_confirm);
|
||||||
|
|
||||||
|
// Launch target detection
|
||||||
let desired_targets = get_desired_targets(&opts.targets);
|
let desired_targets = get_desired_targets(&opts.targets);
|
||||||
|
|
||||||
// Compute install directory
|
// Compute install directory
|
||||||
let install_path = get_install_path(opts.install_path.as_deref()).ok_or_else(|| {
|
let install_path: Arc<Path> = Arc::from(
|
||||||
error!("No viable install path found of specified, try `--install-path`");
|
get_install_path(opts.install_path.as_deref()).ok_or_else(|| {
|
||||||
miette!("No install path found or specified")
|
error!("No viable install path found of specified, try `--install-path`");
|
||||||
})?;
|
miette!("No install path found or specified")
|
||||||
|
})?,
|
||||||
|
);
|
||||||
debug!("Using install path: {}", install_path.display());
|
debug!("Using install path: {}", install_path.display());
|
||||||
|
|
||||||
// Create a temporary directory for downloads etc.
|
// Create a temporary directory for downloads etc.
|
||||||
|
@ -236,9 +252,162 @@ async fn entry() -> Result<()> {
|
||||||
.map_err(BinstallError::from)
|
.map_err(BinstallError::from)
|
||||||
.wrap_err("Creating a temporary directory failed.")?;
|
.wrap_err("Creating a temporary directory failed.")?;
|
||||||
|
|
||||||
info!("Installing package: '{}'", opts.crate_name);
|
let temp_dir_path: Arc<Path> = Arc::from(temp_dir.path());
|
||||||
|
|
||||||
let mut version = match (&opts.crate_name.version, &opts.version) {
|
let tasks: Vec<_> = if !opts.dry_run && !opts.no_confirm {
|
||||||
|
// Resolve crates
|
||||||
|
let tasks: Vec<_> = crate_names
|
||||||
|
.into_iter()
|
||||||
|
.map(|crate_name| {
|
||||||
|
tokio::spawn(resolve(
|
||||||
|
opts.clone(),
|
||||||
|
crate_name,
|
||||||
|
desired_targets.clone(),
|
||||||
|
cli_overrides.clone(),
|
||||||
|
temp_dir_path.clone(),
|
||||||
|
install_path.clone(),
|
||||||
|
client.clone(),
|
||||||
|
))
|
||||||
|
})
|
||||||
|
.collect();
|
||||||
|
|
||||||
|
// Confirm
|
||||||
|
let mut resolutions = Vec::with_capacity(tasks.len());
|
||||||
|
for task in tasks {
|
||||||
|
resolutions.push(await_task(task).await?);
|
||||||
|
}
|
||||||
|
|
||||||
|
uithread.confirm().await?;
|
||||||
|
|
||||||
|
// Install
|
||||||
|
resolutions
|
||||||
|
.into_iter()
|
||||||
|
.map(|resolution| {
|
||||||
|
tokio::spawn(install(
|
||||||
|
resolution,
|
||||||
|
opts.clone(),
|
||||||
|
desired_targets.clone(),
|
||||||
|
jobserver_client.clone(),
|
||||||
|
))
|
||||||
|
})
|
||||||
|
.collect()
|
||||||
|
} else {
|
||||||
|
// Resolve crates and install without confirmation
|
||||||
|
crate_names
|
||||||
|
.into_iter()
|
||||||
|
.map(|crate_name| {
|
||||||
|
let opts = opts.clone();
|
||||||
|
let temp_dir_path = temp_dir_path.clone();
|
||||||
|
let desired_target = desired_targets.clone();
|
||||||
|
let jobserver_client = jobserver_client.clone();
|
||||||
|
let desired_targets = desired_targets.clone();
|
||||||
|
let client = client.clone();
|
||||||
|
let cli_overrides = cli_overrides.clone();
|
||||||
|
let install_path = install_path.clone();
|
||||||
|
|
||||||
|
tokio::spawn(async move {
|
||||||
|
let resolution = resolve(
|
||||||
|
opts.clone(),
|
||||||
|
crate_name,
|
||||||
|
desired_targets.clone(),
|
||||||
|
cli_overrides,
|
||||||
|
temp_dir_path,
|
||||||
|
install_path,
|
||||||
|
client,
|
||||||
|
)
|
||||||
|
.await?;
|
||||||
|
|
||||||
|
install(resolution, opts, desired_target, jobserver_client).await
|
||||||
|
})
|
||||||
|
})
|
||||||
|
.collect()
|
||||||
|
};
|
||||||
|
|
||||||
|
for task in tasks {
|
||||||
|
await_task(task).await?;
|
||||||
|
}
|
||||||
|
|
||||||
|
if opts.no_cleanup {
|
||||||
|
// Consume temp_dir without removing it from fs.
|
||||||
|
temp_dir.into_path();
|
||||||
|
} else {
|
||||||
|
temp_dir.close().unwrap_or_else(|err| {
|
||||||
|
warn!("Failed to clean up some resources: {err}");
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
enum Resolution {
|
||||||
|
Fetch {
|
||||||
|
fetcher: Arc<dyn Fetcher>,
|
||||||
|
package: Package<Meta>,
|
||||||
|
name: String,
|
||||||
|
version: String,
|
||||||
|
bin_path: PathBuf,
|
||||||
|
bin_files: Vec<bins::BinFile>,
|
||||||
|
},
|
||||||
|
InstallFromSource {
|
||||||
|
package: Package<Meta>,
|
||||||
|
},
|
||||||
|
}
|
||||||
|
impl Resolution {
|
||||||
|
fn print(&self, opts: &Options) {
|
||||||
|
match self {
|
||||||
|
Resolution::Fetch {
|
||||||
|
fetcher, bin_files, ..
|
||||||
|
} => {
|
||||||
|
let fetcher_target = fetcher.target();
|
||||||
|
// Prompt user for confirmation
|
||||||
|
debug!(
|
||||||
|
"Found a binary install source: {} ({fetcher_target})",
|
||||||
|
fetcher.source_name()
|
||||||
|
);
|
||||||
|
|
||||||
|
if fetcher.is_third_party() {
|
||||||
|
warn!(
|
||||||
|
"The package will be downloaded from third-party source {}",
|
||||||
|
fetcher.source_name()
|
||||||
|
);
|
||||||
|
} else {
|
||||||
|
info!(
|
||||||
|
"The package will be downloaded from {}",
|
||||||
|
fetcher.source_name()
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
info!("This will install the following binaries:");
|
||||||
|
for file in bin_files {
|
||||||
|
info!(" - {}", file.preview_bin());
|
||||||
|
}
|
||||||
|
|
||||||
|
if !opts.no_symlinks {
|
||||||
|
info!("And create (or update) the following symlinks:");
|
||||||
|
for file in bin_files {
|
||||||
|
info!(" - {}", file.preview_link());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
Resolution::InstallFromSource { .. } => {
|
||||||
|
warn!("The package will be installed from source (with cargo)",)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
async fn resolve(
|
||||||
|
opts: Arc<Options>,
|
||||||
|
crate_name: CrateName,
|
||||||
|
desired_targets: DesiredTargets,
|
||||||
|
cli_overrides: Arc<PkgOverride>,
|
||||||
|
temp_dir: Arc<Path>,
|
||||||
|
install_path: Arc<Path>,
|
||||||
|
client: Client,
|
||||||
|
) -> Result<Resolution> {
|
||||||
|
info!("Installing package: '{}'", crate_name);
|
||||||
|
|
||||||
|
let mut version = match (&crate_name.version, &opts.version) {
|
||||||
(Some(version), None) => version.to_string(),
|
(Some(version), None) => version.to_string(),
|
||||||
(None, Some(version)) => version.to_string(),
|
(None, Some(version)) => version.to_string(),
|
||||||
(Some(_), Some(_)) => Err(BinstallError::DuplicateVersionReq)?,
|
(Some(_), Some(_)) => Err(BinstallError::DuplicateVersionReq)?,
|
||||||
|
@ -259,7 +428,7 @@ async fn entry() -> Result<()> {
|
||||||
// TODO: support git-based fetches (whole repo name rather than just crate name)
|
// TODO: support git-based fetches (whole repo name rather than just crate name)
|
||||||
let manifest = match opts.manifest_path.clone() {
|
let manifest = match opts.manifest_path.clone() {
|
||||||
Some(manifest_path) => load_manifest_path(manifest_path.join("Cargo.toml"))?,
|
Some(manifest_path) => load_manifest_path(manifest_path.join("Cargo.toml"))?,
|
||||||
None => fetch_crate_cratesio(&client, &opts.crate_name.name, &version).await?,
|
None => fetch_crate_cratesio(&client, &crate_name.name, &version).await?,
|
||||||
};
|
};
|
||||||
|
|
||||||
let package = manifest.package.unwrap();
|
let package = manifest.package.unwrap();
|
||||||
|
@ -301,7 +470,7 @@ async fn entry() -> Result<()> {
|
||||||
fetchers.add(QuickInstall::new(&client, &fetcher_data).await);
|
fetchers.add(QuickInstall::new(&client, &fetcher_data).await);
|
||||||
}
|
}
|
||||||
|
|
||||||
match fetchers.first_available().await {
|
let resolution = match fetchers.first_available().await {
|
||||||
Some(fetcher) => {
|
Some(fetcher) => {
|
||||||
// Build final metadata
|
// Build final metadata
|
||||||
let fetcher_target = fetcher.target();
|
let fetcher_target = fetcher.target();
|
||||||
|
@ -311,9 +480,7 @@ async fn entry() -> Result<()> {
|
||||||
meta.merge(&cli_overrides);
|
meta.merge(&cli_overrides);
|
||||||
|
|
||||||
// Generate temporary binary path
|
// Generate temporary binary path
|
||||||
let bin_path = temp_dir
|
let bin_path = temp_dir.join(format!("bin-{}", crate_name.name));
|
||||||
.path()
|
|
||||||
.join(format!("bin-{}", opts.crate_name.name));
|
|
||||||
debug!("Using temporary binary path: {}", bin_path.display());
|
debug!("Using temporary binary path: {}", bin_path.display());
|
||||||
|
|
||||||
let bin_files = collect_bin_files(
|
let bin_files = collect_bin_files(
|
||||||
|
@ -322,74 +489,24 @@ async fn entry() -> Result<()> {
|
||||||
meta,
|
meta,
|
||||||
binaries,
|
binaries,
|
||||||
bin_path.clone(),
|
bin_path.clone(),
|
||||||
install_path,
|
install_path.to_path_buf(),
|
||||||
)?;
|
)?;
|
||||||
|
|
||||||
// Prompt user for confirmation
|
Resolution::Fetch {
|
||||||
debug!(
|
fetcher,
|
||||||
"Found a binary install source: {} ({fetcher_target})",
|
|
||||||
fetcher.source_name()
|
|
||||||
);
|
|
||||||
|
|
||||||
if fetcher.is_third_party() {
|
|
||||||
warn!(
|
|
||||||
"The package will be downloaded from third-party source {}",
|
|
||||||
fetcher.source_name()
|
|
||||||
);
|
|
||||||
} else {
|
|
||||||
info!(
|
|
||||||
"The package will be downloaded from {}",
|
|
||||||
fetcher.source_name()
|
|
||||||
);
|
|
||||||
}
|
|
||||||
|
|
||||||
info!("This will install the following binaries:");
|
|
||||||
for file in &bin_files {
|
|
||||||
info!(" - {}", file.preview_bin());
|
|
||||||
}
|
|
||||||
|
|
||||||
if !opts.no_symlinks {
|
|
||||||
info!("And create (or update) the following symlinks:");
|
|
||||||
for file in &bin_files {
|
|
||||||
info!(" - {}", file.preview_link());
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
if !opts.dry_run {
|
|
||||||
uithread.confirm().await?;
|
|
||||||
}
|
|
||||||
|
|
||||||
install_from_package(
|
|
||||||
fetcher.as_ref(),
|
|
||||||
opts,
|
|
||||||
package,
|
package,
|
||||||
temp_dir,
|
name: crate_name.name,
|
||||||
version,
|
version,
|
||||||
&bin_path,
|
bin_path,
|
||||||
&bin_files,
|
bin_files,
|
||||||
)
|
|
||||||
.await
|
|
||||||
}
|
|
||||||
None => {
|
|
||||||
if !opts.no_cleanup {
|
|
||||||
temp_dir.close().unwrap_or_else(|err| {
|
|
||||||
warn!("Failed to clean up some resources: {err}");
|
|
||||||
});
|
|
||||||
}
|
}
|
||||||
|
|
||||||
let target = desired_targets
|
|
||||||
.first()
|
|
||||||
.ok_or_else(|| miette!("No viable targets found, try with `--targets`"))?;
|
|
||||||
|
|
||||||
// Prompt user for source install
|
|
||||||
warn!("The package will be installed from source (with cargo)",);
|
|
||||||
if !opts.dry_run {
|
|
||||||
uithread.confirm().await?;
|
|
||||||
}
|
|
||||||
|
|
||||||
install_from_source(opts, package, target).await
|
|
||||||
}
|
}
|
||||||
}
|
None => Resolution::InstallFromSource { package },
|
||||||
|
};
|
||||||
|
|
||||||
|
resolution.print(&opts);
|
||||||
|
|
||||||
|
Ok(resolution)
|
||||||
}
|
}
|
||||||
|
|
||||||
fn collect_bin_files(
|
fn collect_bin_files(
|
||||||
|
@ -435,20 +552,61 @@ fn collect_bin_files(
|
||||||
Ok(bin_files)
|
Ok(bin_files)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
async fn install(
|
||||||
|
resolution: Resolution,
|
||||||
|
opts: Arc<Options>,
|
||||||
|
desired_targets: DesiredTargets,
|
||||||
|
jobserver_client: jobserver::Client,
|
||||||
|
) -> Result<()> {
|
||||||
|
match resolution {
|
||||||
|
Resolution::Fetch {
|
||||||
|
fetcher,
|
||||||
|
package,
|
||||||
|
name,
|
||||||
|
version,
|
||||||
|
bin_path,
|
||||||
|
bin_files,
|
||||||
|
} => {
|
||||||
|
let cvs = metafiles::CrateVersionSource {
|
||||||
|
name,
|
||||||
|
version: package.version.parse().into_diagnostic()?,
|
||||||
|
source: metafiles::Source::cratesio_registry(),
|
||||||
|
};
|
||||||
|
|
||||||
|
install_from_package(fetcher, opts, cvs, version, bin_path, bin_files).await
|
||||||
|
}
|
||||||
|
Resolution::InstallFromSource { package } => {
|
||||||
|
let desired_targets = desired_targets.get().await;
|
||||||
|
let target = desired_targets
|
||||||
|
.first()
|
||||||
|
.ok_or_else(|| miette!("No viable targets found, try with `--targets`"))?;
|
||||||
|
|
||||||
|
if !opts.dry_run {
|
||||||
|
install_from_source(package, target, jobserver_client).await
|
||||||
|
} else {
|
||||||
|
info!(
|
||||||
|
"Dry-run: running `cargo install {} --version {} --target {target}`",
|
||||||
|
package.name, package.version
|
||||||
|
);
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
async fn install_from_package(
|
async fn install_from_package(
|
||||||
fetcher: &dyn Fetcher,
|
fetcher: Arc<dyn Fetcher>,
|
||||||
opts: Options,
|
opts: Arc<Options>,
|
||||||
package: Package<Meta>,
|
cvs: metafiles::CrateVersionSource,
|
||||||
temp_dir: TempDir,
|
|
||||||
version: String,
|
version: String,
|
||||||
bin_path: &Path,
|
bin_path: PathBuf,
|
||||||
bin_files: &[bins::BinFile],
|
bin_files: Vec<bins::BinFile>,
|
||||||
) -> Result<()> {
|
) -> Result<()> {
|
||||||
// Download package
|
// Download package
|
||||||
if opts.dry_run {
|
if opts.dry_run {
|
||||||
info!("Dry run, not downloading package");
|
info!("Dry run, not downloading package");
|
||||||
} else {
|
} else {
|
||||||
fetcher.fetch_and_extract(bin_path).await?;
|
fetcher.fetch_and_extract(&bin_path).await?;
|
||||||
}
|
}
|
||||||
|
|
||||||
#[cfg(incomplete)]
|
#[cfg(incomplete)]
|
||||||
|
@ -465,7 +623,7 @@ async fn install_from_package(
|
||||||
debug!("Fetching signature file: {sig_url}");
|
debug!("Fetching signature file: {sig_url}");
|
||||||
|
|
||||||
// Download signature file
|
// Download signature file
|
||||||
let sig_path = temp_dir.path().join(format!("{pkg_name}.sig"));
|
let sig_path = temp_dir.join(format!("{pkg_name}.sig"));
|
||||||
download(&sig_url, &sig_path).await?;
|
download(&sig_url, &sig_path).await?;
|
||||||
|
|
||||||
// TODO: do the signature check
|
// TODO: do the signature check
|
||||||
|
@ -480,36 +638,20 @@ async fn install_from_package(
|
||||||
return Ok(());
|
return Ok(());
|
||||||
}
|
}
|
||||||
|
|
||||||
let cvs = metafiles::CrateVersionSource {
|
|
||||||
name: opts.crate_name.name,
|
|
||||||
version: package.version.parse().into_diagnostic()?,
|
|
||||||
source: metafiles::Source::Registry(
|
|
||||||
url::Url::parse("https://github.com/rust-lang/crates.io-index").unwrap(),
|
|
||||||
),
|
|
||||||
};
|
|
||||||
|
|
||||||
info!("Installing binaries...");
|
info!("Installing binaries...");
|
||||||
block_in_place(|| {
|
block_in_place(|| {
|
||||||
for file in bin_files {
|
for file in &bin_files {
|
||||||
file.install_bin()?;
|
file.install_bin()?;
|
||||||
}
|
}
|
||||||
|
|
||||||
// Generate symlinks
|
// Generate symlinks
|
||||||
if !opts.no_symlinks {
|
if !opts.no_symlinks {
|
||||||
for file in bin_files {
|
for file in &bin_files {
|
||||||
file.install_link()?;
|
file.install_link()?;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
if opts.no_cleanup {
|
let bins: BTreeSet<String> = bin_files.into_iter().map(|bin| bin.base_name).collect();
|
||||||
let _ = temp_dir.into_path();
|
|
||||||
} else {
|
|
||||||
temp_dir.close().unwrap_or_else(|err| {
|
|
||||||
warn!("Failed to clean up some resources: {err}");
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
let bins: BTreeSet<String> = bin_files.iter().map(|bin| bin.base_name.clone()).collect();
|
|
||||||
|
|
||||||
{
|
{
|
||||||
debug!("Writing .crates.toml");
|
debug!("Writing .crates.toml");
|
||||||
|
@ -522,7 +664,7 @@ async fn install_from_package(
|
||||||
debug!("Writing .crates2.json");
|
debug!("Writing .crates2.json");
|
||||||
let mut c2 = metafiles::v2::Crates2Json::load().unwrap_or_default();
|
let mut c2 = metafiles::v2::Crates2Json::load().unwrap_or_default();
|
||||||
c2.insert(
|
c2.insert(
|
||||||
cvs.clone(),
|
cvs,
|
||||||
metafiles::v2::CrateInfo {
|
metafiles::v2::CrateInfo {
|
||||||
version_req: Some(version),
|
version_req: Some(version),
|
||||||
bins,
|
bins,
|
||||||
|
@ -539,41 +681,40 @@ async fn install_from_package(
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn install_from_source(opts: Options, package: Package<Meta>, target: &str) -> Result<()> {
|
async fn install_from_source(
|
||||||
if opts.dry_run {
|
package: Package<Meta>,
|
||||||
info!(
|
target: &str,
|
||||||
"Dry-run: running `cargo install {} --version {} --target {target}`",
|
jobserver_client: jobserver::Client,
|
||||||
package.name, package.version
|
) -> Result<()> {
|
||||||
);
|
debug!(
|
||||||
|
"Running `cargo install {} --version {} --target {target}`",
|
||||||
|
package.name, package.version
|
||||||
|
);
|
||||||
|
let mut command = process::Command::new("cargo");
|
||||||
|
jobserver_client.configure(&mut command);
|
||||||
|
|
||||||
|
let mut child = Command::from(command)
|
||||||
|
.arg("install")
|
||||||
|
.arg(package.name)
|
||||||
|
.arg("--version")
|
||||||
|
.arg(package.version)
|
||||||
|
.arg("--target")
|
||||||
|
.arg(&*target)
|
||||||
|
.spawn()
|
||||||
|
.into_diagnostic()
|
||||||
|
.wrap_err("Spawning cargo install failed.")?;
|
||||||
|
debug!("Spawned command pid={:?}", child.id());
|
||||||
|
|
||||||
|
let status = child
|
||||||
|
.wait()
|
||||||
|
.await
|
||||||
|
.into_diagnostic()
|
||||||
|
.wrap_err("Running cargo install failed.")?;
|
||||||
|
if status.success() {
|
||||||
|
info!("Cargo finished successfully");
|
||||||
Ok(())
|
Ok(())
|
||||||
} else {
|
} else {
|
||||||
debug!(
|
error!("Cargo errored! {status:?}");
|
||||||
"Running `cargo install {} --version {} --target {target}`",
|
Err(miette!("Cargo install error"))
|
||||||
package.name, package.version
|
|
||||||
);
|
|
||||||
let mut child = Command::new("cargo")
|
|
||||||
.arg("install")
|
|
||||||
.arg(package.name)
|
|
||||||
.arg("--version")
|
|
||||||
.arg(package.version)
|
|
||||||
.arg("--target")
|
|
||||||
.arg(target)
|
|
||||||
.spawn()
|
|
||||||
.into_diagnostic()
|
|
||||||
.wrap_err("Spawning cargo install failed.")?;
|
|
||||||
debug!("Spawned command pid={:?}", child.id());
|
|
||||||
|
|
||||||
let status = child
|
|
||||||
.wait()
|
|
||||||
.await
|
|
||||||
.into_diagnostic()
|
|
||||||
.wrap_err("Running cargo install failed.")?;
|
|
||||||
if status.success() {
|
|
||||||
info!("Cargo finished successfully");
|
|
||||||
Ok(())
|
|
||||||
} else {
|
|
||||||
error!("Cargo errored! {status:?}");
|
|
||||||
Err(miette!("Cargo install error"))
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,6 +1,7 @@
|
||||||
use std::{fmt, str::FromStr};
|
use std::{fmt, str::FromStr};
|
||||||
|
|
||||||
use miette::Diagnostic;
|
use miette::Diagnostic;
|
||||||
|
use once_cell::sync::Lazy;
|
||||||
use semver::Version;
|
use semver::Version;
|
||||||
use serde::{Deserialize, Deserializer, Serialize, Serializer};
|
use serde::{Deserialize, Deserializer, Serialize, Serializer};
|
||||||
use thiserror::Error;
|
use thiserror::Error;
|
||||||
|
@ -20,6 +21,15 @@ pub enum Source {
|
||||||
Registry(Url),
|
Registry(Url),
|
||||||
}
|
}
|
||||||
|
|
||||||
|
impl Source {
|
||||||
|
pub fn cratesio_registry() -> Source {
|
||||||
|
static CRATESIO: Lazy<Url, fn() -> Url> =
|
||||||
|
Lazy::new(|| url::Url::parse("https://github.com/rust-lang/crates.io-index").unwrap());
|
||||||
|
|
||||||
|
Self::Registry(CRATESIO.clone())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
impl FromStr for CrateVersionSource {
|
impl FromStr for CrateVersionSource {
|
||||||
type Err = CvsParseError;
|
type Err = CvsParseError;
|
||||||
fn from_str(s: &str) -> Result<Self, Self::Err> {
|
fn from_str(s: &str) -> Result<Self, Self::Err> {
|
||||||
|
|
|
@ -8,18 +8,18 @@ use tokio::sync::OnceCell;
|
||||||
/// Compiled target triple, used as default for binary fetching
|
/// Compiled target triple, used as default for binary fetching
|
||||||
pub const TARGET: &str = env!("TARGET");
|
pub const TARGET: &str = env!("TARGET");
|
||||||
|
|
||||||
#[derive(Debug)]
|
#[derive(Debug, Clone)]
|
||||||
enum DesiredTargetsInner {
|
enum DesiredTargetsInner {
|
||||||
AutoDetect(Arc<OnceCell<Vec<String>>>),
|
AutoDetect(Arc<OnceCell<Vec<String>>>),
|
||||||
Initialized(Vec<String>),
|
Initialized(Arc<Vec<String>>),
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Debug)]
|
#[derive(Debug, Clone)]
|
||||||
pub struct DesiredTargets(DesiredTargetsInner);
|
pub struct DesiredTargets(DesiredTargetsInner);
|
||||||
|
|
||||||
impl DesiredTargets {
|
impl DesiredTargets {
|
||||||
fn initialized(targets: Vec<String>) -> Self {
|
fn initialized(targets: Vec<String>) -> Self {
|
||||||
Self(DesiredTargetsInner::Initialized(targets))
|
Self(DesiredTargetsInner::Initialized(Arc::new(targets)))
|
||||||
}
|
}
|
||||||
|
|
||||||
fn auto_detect() -> Self {
|
fn auto_detect() -> Self {
|
||||||
|
|
Loading…
Add table
Reference in a new issue