One of your problems is that you left out the double quotes around the command substitution, so the output from the date
command was split at spaces. See Why does my shell script choke on whitespace or other special characters? This is a valid command:
cp -a /home/bpacheco/Test1 "/home/bpacheco/Test2-$(date +"%m-%d-%y-%r")"
If you want to append to the original file name, you need to have that in a variable.
source=/home/bpacheco/Test1
cp -a -- "$source" "$source-$(date +"%m-%d-%y-%r")"
If you're using bash, you can use brace expansion instead.
cp -a /home/bpacheco/Test1{,"-$(date +"%m-%d-%y-%r")"}
If you want to copy the file to a different directory, and append the timestamp to the original file name, you can do it this way — ${source##*/}
expands to the value of source
without the part up to the last /
(it removes the longest prefix matching the pattern */
):
source=/home/bpacheco/Test1
cp -a -- "$source" "/destination/directory/${source##*/}-$(date +"%m-%d-%y-%r")"
If Test1
is a directory, it's copied recursively, and the files inside the directory keep their name: only the toplevel directory gets a timestamp appended (e.g. Test1/foo
is copied to Test1-05-10-15-07:19:42 PM
). If you want to append a timestamp to all the file names, that's a different problem.
Your choice of timestamp format is a bad idea: it's hard to read for humans and hard to sort. You should use a format that's easier to read and that can be sorted easily, i.e. with parts in decreasing order of importance: year, month, day, hour, minute, second, and with a separation between the date part and the time part.
cp -a /home/bpacheco/Test1 "/home/bpacheco/Test2-$(date +"%Y%m%d-%H%M%S")"
cp -a /home/bpacheco/Test1 "/home/bpacheco/Test2-$(date +"%Y-%m-%dT%H%M%S%:z")"
date +"%m-%d-%y-%I:%M:%S_%p"
– don_crissti May 10 '15 at 19:15"newfile_$(date '+%Y-%m-%d_%H-%M-%S%z(%Z)')"
– jave.web Jan 31 '21 at 22:57