Skip to content

Commit 401209f

Browse files
committed
Auto merge of #2405 - gkoz:reinstall, r=alexcrichton
Add `--force` flag to cargo install Close #2082. Adding `--force` (`-f`) instructs cargo to overwrite existing binaries (updating the metadata accordingly). This allows updating crates via `cargo install -f <crate>`. Installation happens in two stages now: binaries are copied into a temporary subdirectory of the destination first, then moved into destination. This should catch some errors earlier. In case of installation error cargo will remove new binaries but won't attempt to undo successful overwrites.
2 parents 2d84f3e + 9f0fa24 commit 401209f

File tree

4 files changed

+302
-44
lines changed

4 files changed

+302
-44
lines changed

src/bin/install.rs

+8-2
Original file line numberDiff line numberDiff line change
@@ -15,6 +15,7 @@ pub struct Options {
1515
flag_color: Option<String>,
1616
flag_root: Option<String>,
1717
flag_list: bool,
18+
flag_force: bool,
1819

1920
arg_crate: Option<String>,
2021
flag_vers: Option<String>,
@@ -46,6 +47,7 @@ Build and install options:
4647
-h, --help Print this message
4748
-j N, --jobs N The number of jobs to run in parallel
4849
--features FEATURES Space-separated list of features to activate
50+
-f, --force Force overwriting existing crates or binaries
4951
--no-default-features Do not build the `default` feature
5052
--debug Build in debug mode instead of release mode
5153
--bin NAME Only install the binary NAME
@@ -55,7 +57,7 @@ Build and install options:
5557
-q, --quiet Less output printed to stdout
5658
--color WHEN Coloring: auto, always, never
5759
58-
This command manages Cargo's local set of install binary crates. Only packages
60+
This command manages Cargo's local set of installed binary crates. Only packages
5961
which have [[bin]] targets can be installed, and all binaries are installed into
6062
the installation root's `bin` folder. The installation root is determined, in
6163
order of precedence, by `--root`, `$CARGO_INSTALL_ROOT`, the `install.root`
@@ -75,6 +77,10 @@ crate has multiple binaries, the `--bin` argument can selectively install only
7577
one of them, and if you'd rather install examples the `--example` argument can
7678
be used as well.
7779
80+
By default cargo will refuse to overwrite existing binaries. The `--force` flag
81+
enables overwriting existing binaries. Thus you can reinstall a crate with
82+
`cargo install --force <crate>`.
83+
7884
As a special convenience, omitting the <crate> specification entirely will
7985
install the crate in the current directory. That is, `install` is equivalent to
8086
the more explicit `install --path .`.
@@ -130,7 +136,7 @@ pub fn execute(options: Options, config: &Config) -> CliResult<Option<()>> {
130136
if options.flag_list {
131137
try!(ops::install_list(root, config));
132138
} else {
133-
try!(ops::install(root, krate, &source, vers, &compile_opts));
139+
try!(ops::install(root, krate, &source, vers, &compile_opts, options.flag_force));
134140
}
135141
Ok(None)
136142
}

src/cargo/ops/cargo_install.rs

+151-39
Original file line numberDiff line numberDiff line change
@@ -32,6 +32,12 @@ struct Transaction {
3232
bins: Vec<PathBuf>,
3333
}
3434

35+
impl Transaction {
36+
fn success(mut self) {
37+
self.bins.clear();
38+
}
39+
}
40+
3541
impl Drop for Transaction {
3642
fn drop(&mut self) {
3743
for bin in self.bins.iter() {
@@ -44,7 +50,8 @@ pub fn install(root: Option<&str>,
4450
krate: Option<&str>,
4551
source_id: &SourceId,
4652
vers: Option<&str>,
47-
opts: &ops::CompileOptions) -> CargoResult<()> {
53+
opts: &ops::CompileOptions,
54+
force: bool) -> CargoResult<()> {
4855
let config = opts.config;
4956
let root = try!(resolve_root(root, config));
5057
let (pkg, source) = if source_id.is_git() {
@@ -77,7 +84,7 @@ pub fn install(root: Option<&str>,
7784
let metadata = try!(metadata(config, &root));
7885
let list = try!(read_crate_list(metadata.file()));
7986
let dst = metadata.parent().join("bin");
80-
try!(check_overwrites(&dst, &pkg, &opts.filter, &list));
87+
try!(check_overwrites(&dst, &pkg, &opts.filter, &list, force));
8188
}
8289

8390
let mut td_opt = None;
@@ -102,40 +109,122 @@ pub fn install(root: Option<&str>,
102109
human(format!("failed to compile `{}`, intermediate artifacts can be \
103110
found at `{}`", pkg, target_dir.display()))
104111
}));
112+
let binaries: Vec<(&str, &Path)> = try!(compile.binaries.iter().map(|bin| {
113+
let name = bin.file_name().unwrap();
114+
if let Some(s) = name.to_str() {
115+
Ok((s, bin.as_ref()))
116+
} else {
117+
bail!("Binary `{:?}` name can't be serialized into string", name)
118+
}
119+
}).collect::<CargoResult<_>>());
105120

106121
let metadata = try!(metadata(config, &root));
107122
let mut list = try!(read_crate_list(metadata.file()));
108123
let dst = metadata.parent().join("bin");
109-
try!(check_overwrites(&dst, &pkg, &opts.filter, &list));
124+
let duplicates = try!(check_overwrites(&dst, &pkg, &opts.filter, &list, force));
110125

111-
let mut t = Transaction { bins: Vec::new() };
112126
try!(fs::create_dir_all(&dst));
113-
for bin in compile.binaries.iter() {
114-
let dst = dst.join(bin.file_name().unwrap());
127+
128+
// Copy all binaries to a temporary directory under `dst` first, catching
129+
// some failure modes (e.g. out of space) before touching the existing
130+
// binaries. This directory will get cleaned up via RAII.
131+
let staging_dir = try!(TempDir::new_in(&dst, "cargo-install"));
132+
for &(bin, src) in binaries.iter() {
133+
let dst = staging_dir.path().join(bin);
134+
// Try to move if `target_dir` is transient.
135+
if !source_id.is_path() {
136+
if fs::rename(src, &dst).is_ok() {
137+
continue
138+
}
139+
}
140+
try!(fs::copy(src, &dst).chain_error(|| {
141+
human(format!("failed to copy `{}` to `{}`", src.display(),
142+
dst.display()))
143+
}));
144+
}
145+
146+
let (to_replace, to_install): (Vec<&str>, Vec<&str>) =
147+
binaries.iter().map(|&(bin, _)| bin)
148+
.partition(|&bin| duplicates.contains_key(bin));
149+
150+
let mut installed = Transaction { bins: Vec::new() };
151+
152+
// Move the temporary copies into `dst` starting with new binaries.
153+
for bin in to_install.iter() {
154+
let src = staging_dir.path().join(bin);
155+
let dst = dst.join(bin);
115156
try!(config.shell().status("Installing", dst.display()));
116-
try!(fs::copy(&bin, &dst).chain_error(|| {
117-
human(format!("failed to copy `{}` to `{}`", bin.display(),
157+
try!(fs::rename(&src, &dst).chain_error(|| {
158+
human(format!("failed to move `{}` to `{}`", src.display(),
118159
dst.display()))
119160
}));
120-
t.bins.push(dst);
161+
installed.bins.push(dst);
162+
}
163+
164+
// Repeat for binaries which replace existing ones but don't pop the error
165+
// up until after updating metadata.
166+
let mut replaced_names = Vec::new();
167+
let result = {
168+
let mut try_install = || -> CargoResult<()> {
169+
for &bin in to_replace.iter() {
170+
let src = staging_dir.path().join(bin);
171+
let dst = dst.join(bin);
172+
try!(config.shell().status("Replacing", dst.display()));
173+
try!(fs::rename(&src, &dst).chain_error(|| {
174+
human(format!("failed to move `{}` to `{}`", src.display(),
175+
dst.display()))
176+
}));
177+
replaced_names.push(bin);
178+
}
179+
Ok(())
180+
};
181+
try_install()
182+
};
183+
184+
// Update records of replaced binaries.
185+
for &bin in replaced_names.iter() {
186+
if let Some(&Some(ref p)) = duplicates.get(bin) {
187+
if let Some(set) = list.v1.get_mut(p) {
188+
set.remove(bin);
189+
}
190+
}
191+
list.v1.entry(pkg.package_id().clone())
192+
.or_insert_with(|| BTreeSet::new())
193+
.insert(bin.to_string());
194+
}
195+
196+
// Remove empty metadata lines.
197+
let pkgs = list.v1.iter()
198+
.filter_map(|(p, set)| if set.is_empty() { Some(p.clone()) } else { None })
199+
.collect::<Vec<_>>();
200+
for p in pkgs.iter() {
201+
list.v1.remove(p);
121202
}
122203

204+
// If installation was successful record newly installed binaries.
205+
if result.is_ok() {
206+
list.v1.entry(pkg.package_id().clone())
207+
.or_insert_with(|| BTreeSet::new())
208+
.extend(to_install.iter().map(|s| s.to_string()));
209+
}
210+
211+
let write_result = write_crate_list(metadata.file(), list);
212+
match write_result {
213+
// Replacement error (if any) isn't actually caused by write error
214+
// but this seems to be the only way to show both.
215+
Err(err) => try!(result.chain_error(|| err)),
216+
Ok(_) => try!(result),
217+
}
218+
219+
// Reaching here means all actions have succeeded. Clean up.
220+
installed.success();
123221
if !source_id.is_path() {
124222
// Don't bother grabbing a lock as we're going to blow it all away
125223
// anyway.
126224
let target_dir = target_dir.into_path_unlocked();
127225
try!(fs::remove_dir_all(&target_dir));
128226
}
129227

130-
list.v1.entry(pkg.package_id().clone()).or_insert_with(|| {
131-
BTreeSet::new()
132-
}).extend(t.bins.iter().map(|t| {
133-
t.file_name().unwrap().to_string_lossy().into_owned()
134-
}));
135-
try!(write_crate_list(metadata.file(), list));
136-
137-
t.bins.truncate(0);
138-
139228
// Print a warning that if this directory isn't in PATH that they won't be
140229
// able to run these commands.
141230
let path = env::var_os("PATH").unwrap_or(OsString::new());
@@ -225,38 +314,61 @@ fn one<I, F>(mut i: I, f: F) -> CargoResult<Option<I::Item>>
225314
fn check_overwrites(dst: &Path,
226315
pkg: &Package,
227316
filter: &ops::CompileFilter,
228-
prev: &CrateListingV1) -> CargoResult<()> {
317+
prev: &CrateListingV1,
318+
force: bool) -> CargoResult<BTreeMap<String, Option<PackageId>>> {
319+
if let CompileFilter::Everything = *filter {
320+
// If explicit --bin or --example flags were passed then those'll
321+
// get checked during cargo_compile, we only care about the "build
322+
// everything" case here
323+
if pkg.targets().iter().filter(|t| t.is_bin()).next().is_none() {
324+
bail!("specified package has no binaries")
325+
}
326+
}
327+
let duplicates = find_duplicates(dst, pkg, filter, prev);
328+
if force || duplicates.is_empty() {
329+
return Ok(duplicates)
330+
}
331+
// Format the error message.
332+
let mut msg = String::new();
333+
for (ref bin, p) in duplicates.iter() {
334+
msg.push_str(&format!("binary `{}` already exists in destination", bin));
335+
if let Some(p) = p.as_ref() {
336+
msg.push_str(&format!(" as part of `{}`\n", p));
337+
} else {
338+
msg.push_str("\n");
339+
}
340+
}
341+
msg.push_str("Add --force to overwrite");
342+
Err(human(msg))
343+
}
344+
345+
fn find_duplicates(dst: &Path,
346+
pkg: &Package,
347+
filter: &ops::CompileFilter,
348+
prev: &CrateListingV1) -> BTreeMap<String, Option<PackageId>> {
229349
let check = |name| {
230350
let name = format!("{}{}", name, env::consts::EXE_SUFFIX);
231351
if fs::metadata(dst.join(&name)).is_err() {
232-
return Ok(())
233-
}
234-
let mut msg = format!("binary `{}` already exists in destination", name);
235-
if let Some((p, _)) = prev.v1.iter().find(|&(_, v)| v.contains(&name)) {
236-
msg.push_str(&format!(" as part of `{}`", p));
352+
None
353+
} else if let Some((p, _)) = prev.v1.iter().find(|&(_, v)| v.contains(&name)) {
354+
Some((name, Some(p.clone())))
355+
} else {
356+
Some((name, None))
237357
}
238-
Err(human(msg))
239358
};
240359
match *filter {
241360
CompileFilter::Everything => {
242-
// If explicit --bin or --example flags were passed then those'll
243-
// get checked during cargo_compile, we only care about the "build
244-
// everything" case here
245-
if pkg.targets().iter().filter(|t| t.is_bin()).next().is_none() {
246-
bail!("specified package has no binaries")
247-
}
248-
249-
for target in pkg.targets().iter().filter(|t| t.is_bin()) {
250-
try!(check(target.name()));
251-
}
361+
pkg.targets().iter()
362+
.filter(|t| t.is_bin())
363+
.filter_map(|t| check(t.name()))
364+
.collect()
252365
}
253366
CompileFilter::Only { bins, examples, .. } => {
254-
for bin in bins.iter().chain(examples) {
255-
try!(check(bin));
256-
}
367+
bins.iter().chain(examples)
368+
.filter_map(|t| check(t))
369+
.collect()
257370
}
258371
}
259-
Ok(())
260372
}
261373

262374
fn read_crate_list(mut file: &File) -> CargoResult<CrateListingV1> {

tests/support/mod.rs

+1
Original file line numberDiff line numberDiff line change
@@ -672,3 +672,4 @@ pub static UPLOADING: &'static str = " Uploading";
672672
pub static VERIFYING: &'static str = " Verifying";
673673
pub static ARCHIVING: &'static str = " Archiving";
674674
pub static INSTALLING: &'static str = " Installing";
675+
pub static REPLACING: &'static str = " Replacing";

0 commit comments

Comments
 (0)