Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Basic implementation for cargo install --dry-run #13598

Closed
wants to merge 5 commits into from
Closed
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Jump to
Jump to file
Failed to load files.
Diff view
Diff view
6 changes: 6 additions & 0 deletions crates/cargo-test-support/src/compare.rs
Original file line number Diff line number Diff line change
Expand Up @@ -222,6 +222,12 @@ fn substitute_macros(input: &str) -> String {
("[REPLACING]", " Replacing"),
("[UNPACKING]", " Unpacking"),
("[SUMMARY]", " Summary"),
("[DESTINATION]", " Destination"),
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Please add these in the commit where they are used

("[INSTALL]", " Install"),
("[UPGRADE]", " Upgrade"),
("[DOWNGRADE]", " Downgrade"),
("[UPTODATE]", " Up-to-date"),
("[REINSTALL]", " Re-install"),
Comment on lines +226 to +230
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

imo the dry-run should generally match the regular behavior.

If we want to improve the cargo install output, that is a change on its own to be evaluated.

("[FIXED]", " Fixed"),
("[FIXING]", " Fixing"),
("[EXE]", env::consts::EXE_SUFFIX),
Expand Down
11 changes: 11 additions & 0 deletions src/bin/cargo/commands/install.rs
Original file line number Diff line number Diff line change
Expand Up @@ -74,6 +74,13 @@ pub fn cli() -> Command {
"list",
"List all installed packages and their versions",
))
.arg(
flag(
"dry-run",
"Display what would be installed without actually performing anything (unstable)",
)
.short('n'),
)
Comment on lines +77 to +83
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

FYI

fn arg_dry_run(self, dry_run: &'static str) -> Self {
self._arg(flag("dry-run", dry_run).short('n'))
}

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Ah yes, didn't see that one, thanks!

.arg_ignore_rust_version()
.arg_message_format()
.arg_silent_suggestion()
Expand Down Expand Up @@ -201,6 +208,9 @@ pub fn exec(gctx: &mut GlobalContext, args: &ArgMatches) -> CliResult {
if args.flag("list") {
ops::install_list(root, gctx)?;
} else {
if args.flag("dry-run") {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

FYI

fn dry_run(&self) -> bool {
self.flag("dry-run")
}

gctx.cli_unstable().fail_if_stable_opt("--dry-run", 11123)?;
}
ops::install(
gctx,
root,
Expand All @@ -210,6 +220,7 @@ pub fn exec(gctx: &mut GlobalContext, args: &ArgMatches) -> CliResult {
&compile_opts,
args.flag("force"),
args.flag("no-track"),
args.flag("dry-run"),
)?;
}
Ok(())
Expand Down
214 changes: 180 additions & 34 deletions src/cargo/ops/cargo_install.rs
Original file line number Diff line number Diff line change
@@ -1,3 +1,4 @@
use std::cmp::Ordering;
use std::collections::{BTreeMap, BTreeSet, HashMap, HashSet};
use std::path::{Path, PathBuf};
use std::sync::Arc;
Expand All @@ -15,7 +16,7 @@ use crate::{drop_println, ops};

use anyhow::{bail, Context as _};
use cargo_util::paths;
use cargo_util_schemas::core::PartialVersion;
use cargo_util_schemas::core::{PartialVersion, SourceKind};
use itertools::Itertools;
use semver::VersionReq;
use tempfile::Builder as TempFileBuilder;
Expand Down Expand Up @@ -619,6 +620,7 @@ pub fn install(
opts: &ops::CompileOptions,
force: bool,
no_track: bool,
dry_run: bool,
) -> CargoResult<()> {
let root = resolve_root(root, gctx)?;
let dst = root.join("bin").into_path_unlocked();
Expand All @@ -639,7 +641,7 @@ pub fn install(
.unwrap_or((None, None));
let installable_pkg = InstallablePackage::new(
gctx,
root,
root.clone(),
map,
krate,
source_id,
Expand All @@ -651,11 +653,59 @@ pub fn install(
true,
current_rust_version.as_ref(),
)?;
let mut installed_anything = true;
if let Some(installable_pkg) = installable_pkg {
installed_anything = installable_pkg.install_one()?;
if dry_run {
match installable_pkg {
Some(installable_pkg) => dry_run_report(
Comment on lines +656 to +658
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

If this is indeed required, I'll see what I can do to rework this and go into the more fine-grained compilation steps to have a proper dry-run. It might take some time though, as it is almost starting from scratch.

@rustbot author

gctx,
&root,
dst.as_path(),
&[(
&krate
.unwrap_or_else(|| installable_pkg.pkg.name().as_str())
.to_owned(),
installable_pkg,
)],
&[],
&[],
)?,
None => dry_run_report(
gctx,
&root,
dst.as_path(),
&[],
&[krate.map_or_else(
|| -> CargoResult<&str> {
// `krate` is `None` usually for a Git source at
// this point. Select the package again in order to
// be able to retrieve its name.
if let SourceKind::Git(_) = source_id.kind() {
Ok(select_pkg(
&mut GitSource::new(source_id, gctx)?,
None,
|git_src| git_src.read_packages(),
gctx,
current_rust_version.as_ref(),
)?
.name()
.as_str())
} else {
Ok("")
}
},
|kr| Ok(kr),
)?],
Comment on lines +676 to +696
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This feels hackish to me, but I couldn't find a better way. If you have one, I would be glad to integrate it instead.

&[],
)?,
}

(false, false)
} else {
let mut installed_anything = true;
if let Some(installable_pkg) = installable_pkg {
installed_anything = installable_pkg.install_one()?;
}
(installed_anything, false)
}
(installed_anything, false)
} else {
let mut succeeded = vec![];
let mut failed = vec![];
Expand Down Expand Up @@ -702,40 +752,52 @@ pub fn install(
})
.collect();

let install_results: Vec<_> = pkgs_to_install
.into_iter()
.map(|(krate, installable_pkg)| (krate, installable_pkg.install_one()))
.collect();
if dry_run {
dry_run_report(
gctx,
&root,
dst.as_path(),
&pkgs_to_install,
&succeeded,
&failed,
)?;
(false, !failed.is_empty())
} else {
let install_results: Vec<_> = pkgs_to_install
.into_iter()
.map(|(krate, installable_pkg)| (krate, installable_pkg.install_one()))
.collect();

for (krate, result) in install_results {
match result {
Ok(installed) => {
if installed {
succeeded.push(krate);
for (krate, result) in install_results {
match result {
Ok(installed) => {
if installed {
succeeded.push(krate);
}
}
Err(e) => {
crate::display_error(&e, &mut gctx.shell());
failed.push(krate);
}
}
Err(e) => {
crate::display_error(&e, &mut gctx.shell());
failed.push(krate);
}
}
}

let mut summary = vec![];
if !succeeded.is_empty() {
summary.push(format!("Successfully installed {}!", succeeded.join(", ")));
}
if !failed.is_empty() {
summary.push(format!(
"Failed to install {} (see error(s) above).",
failed.join(", ")
));
}
if !succeeded.is_empty() || !failed.is_empty() {
gctx.shell().status("Summary", summary.join(" "))?;
}
let mut summary = vec![];
if !succeeded.is_empty() {
summary.push(format!("Successfully installed {}!", succeeded.join(", ")));
}
if !failed.is_empty() {
summary.push(format!(
"Failed to install {} (see error(s) above).",
failed.join(", ")
));
}
if !succeeded.is_empty() || !failed.is_empty() {
gctx.shell().status("Summary", summary.join(" "))?;
}

(!succeeded.is_empty(), !failed.is_empty())
(!succeeded.is_empty(), !failed.is_empty())
}
};

if installed_anything {
Expand All @@ -760,6 +822,90 @@ pub fn install(
Ok(())
}

/// Sends to `gctx`'s shell status messages reporting an early dry-run of a
/// currently-ongoing installation.
///
/// * `pkgs_to_install`: The packages that need to be installed from scratch
/// or updated to match the requested requirements.
/// * `uptodate_pkgs`: The package names that are already up-to-date.
/// * `failed_pkgs`: The package names that had some kind of failure.
fn dry_run_report(
gctx: &GlobalContext,
root: &Filesystem,
dst: &Path,
pkgs_to_install: &[(&String, InstallablePackage<'_>)],
uptodate_pkgs: &[&str],
failed_pkgs: &[&str],
) -> CargoResult<()> {
let mut pkgs_needing_fresh_install = Vec::new();
let mut pkgs_needing_update = Vec::new();
let instld_pkg_vers_by_semi_ids = InstallTracker::load(gctx, root)?
.all_installed_bins()
.map(|(pkg_id, _)| ((pkg_id.name(), pkg_id.source_id()), pkg_id.version()))
.collect::<HashMap<_, _>>();

for (krate, instlbl_pkg) in pkgs_to_install {
let instlbl_pkg_id = instlbl_pkg.pkg.package_id();

if instld_pkg_vers_by_semi_ids
.contains_key(&(instlbl_pkg_id.name(), instlbl_pkg_id.source_id()))
{
&mut pkgs_needing_update
} else {
&mut pkgs_needing_fresh_install
}
.push((krate, instlbl_pkg));
}

let mut shell = gctx.shell();
shell.status("Summary", "dry-run")?;
shell.status("Destination", dst.display())?;

for (krate, instlbl_pkg) in pkgs_needing_fresh_install {
let instlbl_pkg_id = instlbl_pkg.pkg.package_id();
shell.status(
"Install",
format!(
"{krate}: to {} using {}",
instlbl_pkg_id.version(),
instlbl_pkg_id.source_id(),
),
)?;
}

for (krate, instlbl_pkg) in pkgs_needing_update {
let instlbl_pkg_id = instlbl_pkg.pkg.package_id();
let instlbl_pkg_id_ver = instlbl_pkg_id.version();
let instld_pkg_ver = instld_pkg_vers_by_semi_ids
.get(&(instlbl_pkg_id.name(), instlbl_pkg_id.source_id()))
.unwrap();

shell.status(
match instlbl_pkg_id_ver.cmp(&instld_pkg_ver) {
Ordering::Greater => "Upgrade",
Ordering::Equal => "Re-install",
Ordering::Less => "Downgrade",
},
format!(
"{krate}: from {} to {} using {}",
instld_pkg_ver,
instlbl_pkg_id_ver,
instlbl_pkg_id.source_id(),
),
)?;
}

for krate in uptodate_pkgs {
shell.status("Up-to-date", krate)?;
}

for krate in failed_pkgs {
shell.status("Failed", krate)?;
}

Ok(())
}

fn is_installed(
pkg: &Package,
gctx: &GlobalContext,
Expand Down
14 changes: 14 additions & 0 deletions src/doc/man/cargo-install.md
Original file line number Diff line number Diff line change
Expand Up @@ -137,6 +137,20 @@ protect against multiple concurrent invocations of Cargo installing at the
same time.
{{/option}}

{{#option "`-n`" "`--dry-run`" }}
(unstable) Cut the install operation short and display what it *would* have
usually done. The normal version check and crate downloads still occur exactly
like without the option flag, but the compilation and the actual installation
do not. Only the operation that would have been performed is displayed for each
requested package, one of:
* fresh install if the package is not installed yet,
* upgrade if it is already installed but a newer version exists,
* downgrade if it is already installed but an older version has been
explicitely requested,
* nothing if it is already installed and up-to-date,
* re-install if it is already installed and up-to-date but `--force` was set.
{{/option}}

{{#option "`--bin` _name_..." }}
Install only the specified binary.
{{/option}}
Expand Down
20 changes: 20 additions & 0 deletions src/doc/man/generated_txt/cargo-install.txt
Original file line number Diff line number Diff line change
Expand Up @@ -135,6 +135,26 @@ OPTIONS
multiple concurrent invocations of Cargo installing at the same
time.

-n, --dry-run
(unstable) Cut the install operation short and display what it would
have usually done. The normal version check and crate downloads
still occur exactly like without the option flag, but the
compilation and the actual installation do not. Only the operation
that would have been performed is displayed for each requested
package, one of:

o fresh install if the package is not installed yet,

o upgrade if it is already installed but a newer version exists,

o downgrade if it is already installed but an older version has
been explicitely requested,

o nothing if it is already installed and up-to-date,

o re-install if it is already installed and up-to-date but --force
was set.

--bin name…
Install only the specified binary.

Expand Down
17 changes: 17 additions & 0 deletions src/doc/src/commands/cargo-install.md
Original file line number Diff line number Diff line change
Expand Up @@ -141,6 +141,23 @@ protect against multiple concurrent invocations of Cargo installing at the
same time.</dd>


<dt class="option-term" id="option-cargo-install--n"><a class="option-anchor" href="#option-cargo-install--n"></a><code>-n</code></dt>
<dt class="option-term" id="option-cargo-install---dry-run"><a class="option-anchor" href="#option-cargo-install---dry-run"></a><code>--dry-run</code></dt>
<dd class="option-desc">(unstable) Cut the install operation short and display what it <em>would</em> have
usually done. The normal version check and crate downloads still occur exactly
like without the option flag, but the compilation and the actual installation
do not. Only the operation that would have been performed is displayed for each
requested package, one of:</p>
<ul>
<li>fresh install if the package is not installed yet,</li>
<li>upgrade if it is already installed but a newer version exists,</li>
<li>downgrade if it is already installed but an older version has been
explicitely requested,</li>
<li>nothing if it is already installed and up-to-date,</li>
<li>re-install if it is already installed and up-to-date but <code>--force</code> was set.</li>
</ul></dd>


<dt class="option-term" id="option-cargo-install---bin"><a class="option-anchor" href="#option-cargo-install---bin"></a><code>--bin</code> <em>name</em>…</dt>
<dd class="option-desc">Install only the specified binary.</dd>

Expand Down