nushell/crates/nu-command/src/filesystem/cp.rs

211 lines
7.7 KiB
Rust
Raw Normal View History

2021-10-05 21:55:46 +02:00
use std::env::current_dir;
use std::path::PathBuf;
use super::util::get_interactive_confirmation;
2021-10-05 23:13:23 +02:00
use nu_engine::CallExt;
2021-10-05 21:55:46 +02:00
use nu_path::canonicalize_with;
use nu_protocol::ast::Call;
2021-10-25 18:58:58 +02:00
use nu_protocol::engine::{Command, EngineState, Stack};
use nu_protocol::{Category, PipelineData, ShellError, Signature, SyntaxShape};
2021-10-05 21:55:46 +02:00
use crate::filesystem::util::FileStructure;
2021-10-25 06:01:02 +02:00
#[derive(Clone)]
2021-10-05 21:55:46 +02:00
pub struct Cp;
2021-10-14 23:14:59 +02:00
#[allow(unused_must_use)]
2021-10-05 21:55:46 +02:00
impl Command for Cp {
fn name(&self) -> &str {
"cp"
}
fn usage(&self) -> &str {
"Copy files."
}
fn signature(&self) -> Signature {
Signature::build("cp")
.required("source", SyntaxShape::GlobPattern, "the place to copy from")
.required("destination", SyntaxShape::Filepath, "the place to copy to")
.switch(
"recursive",
"copy recursively through subdirectories",
Some('r'),
)
2021-10-14 19:54:51 +02:00
.switch("force", "suppress error when no file", Some('f'))
2021-10-14 00:29:08 +02:00
.switch("interactive", "ask user to confirm action", Some('i'))
.category(Category::FileSystem)
2021-10-05 21:55:46 +02:00
}
fn run(
&self,
2021-10-25 08:31:39 +02:00
engine_state: &EngineState,
stack: &mut Stack,
2021-10-05 21:55:46 +02:00
call: &Call,
2021-10-25 06:01:02 +02:00
_input: PipelineData,
) -> Result<PipelineData, ShellError> {
2021-10-25 08:31:39 +02:00
let source: String = call.req(engine_state, stack, 0)?;
let destination: String = call.req(engine_state, stack, 1)?;
2021-10-14 00:29:08 +02:00
let interactive = call.has_flag("interactive");
2021-10-14 19:54:51 +02:00
let force = call.has_flag("force");
2021-10-05 21:55:46 +02:00
let path: PathBuf = current_dir().unwrap();
let source = path.join(source.as_str());
let destination = path.join(destination.as_str());
2021-10-14 19:54:51 +02:00
let mut sources =
2021-10-05 21:55:46 +02:00
glob::glob(&source.to_string_lossy()).map_or_else(|_| Vec::new(), Iterator::collect);
if sources.is_empty() {
return Err(ShellError::FileNotFound(call.positional[0].span));
}
if sources.len() > 1 && !destination.is_dir() {
return Err(ShellError::MoveNotPossible {
source_message: "Can't move many files".to_string(),
source_span: call.positional[0].span,
destination_message: "into single file".to_string(),
destination_span: call.positional[1].span,
});
}
let any_source_is_dir = sources.iter().any(|f| matches!(f, Ok(f) if f.is_dir()));
2021-10-07 23:36:47 +02:00
let recursive: bool = call.has_flag("recursive");
2021-10-05 21:55:46 +02:00
if any_source_is_dir && !recursive {
return Err(ShellError::MoveNotPossibleSingle(
"Directories must be copied using \"--recursive\"".to_string(),
call.positional[0].span,
));
}
2021-10-14 19:54:51 +02:00
if interactive && !force {
let mut remove: Vec<usize> = vec![];
2021-10-14 19:54:51 +02:00
for (index, file) in sources.iter().enumerate() {
let prompt = format!(
"Are you shure that you want to copy {} to {}?",
file.as_ref()
.unwrap()
.file_name()
.unwrap()
.to_str()
.unwrap(),
destination.file_name().unwrap().to_str().unwrap()
);
let input = get_interactive_confirmation(prompt)?;
2021-10-14 19:54:51 +02:00
if !input {
remove.push(index);
2021-10-14 19:54:51 +02:00
}
}
remove.reverse();
for index in remove {
2021-10-14 19:54:51 +02:00
sources.remove(index);
}
2021-10-15 17:12:17 +02:00
if sources.is_empty() {
2021-10-14 19:54:51 +02:00
return Err(ShellError::NoFileToBeCopied());
}
}
for entry in sources.into_iter().flatten() {
let mut sources = FileStructure::new();
sources.walk_decorate(&entry)?;
if entry.is_file() {
let sources = sources.paths_applying_with(|(source_file, _depth_level)| {
if destination.is_dir() {
let mut dest = canonicalize_with(&destination, &path)?;
if let Some(name) = entry.file_name() {
dest.push(name);
}
Ok((source_file, dest))
} else {
Ok((source_file, destination.clone()))
}
})?;
for (src, dst) in sources {
if src.is_file() {
std::fs::copy(&src, dst).map_err(|e| {
ShellError::MoveNotPossibleSingle(
format!(
"failed to move containing file \"{}\": {}",
src.to_string_lossy(),
e
),
call.positional[0].span,
)
})?;
}
}
} else if entry.is_dir() {
let destination = if !destination.exists() {
destination.clone()
} else {
match entry.file_name() {
Some(name) => destination.join(name),
None => {
return Err(ShellError::FileNotFoundCustom(
format!("containing \"{:?}\" is not a valid path", entry),
call.positional[0].span,
))
}
}
};
std::fs::create_dir_all(&destination).map_err(|e| {
ShellError::MoveNotPossibleSingle(
format!("failed to recursively fill destination: {}", e),
call.positional[1].span,
)
})?;
let sources = sources.paths_applying_with(|(source_file, depth_level)| {
let mut dest = destination.clone();
let path = canonicalize_with(&source_file, &path)?;
2021-10-06 00:09:51 +02:00
let components = path
.components()
.map(|fragment| fragment.as_os_str())
.rev()
2021-10-06 00:09:51 +02:00
.take(1 + depth_level);
2021-10-06 00:09:51 +02:00
components.for_each(|fragment| dest.push(fragment));
Ok((PathBuf::from(&source_file), dest))
})?;
for (src, dst) in sources {
if src.is_dir() && !dst.exists() {
std::fs::create_dir_all(&dst).map_err(|e| {
ShellError::MoveNotPossibleSingle(
format!(
"failed to create containing directory \"{}\": {}",
dst.to_string_lossy(),
e
),
call.positional[1].span,
)
})?;
}
if src.is_file() {
std::fs::copy(&src, &dst).map_err(|e| {
ShellError::MoveNotPossibleSingle(
format!(
"failed to move containing file \"{}\": {}",
src.to_string_lossy(),
e
),
call.positional[0].span,
)
})?;
}
}
}
}
2021-10-05 21:55:46 +02:00
Ok(PipelineData::new(call.head))
2021-10-05 21:55:46 +02:00
}
}