我正在编写脚本,需要tar
动态构建命令。
这里有两个例子来说明我正在尝试做的事情:
#!/bin/bash
TAR_ME="/tmp"
EXCLUDE=("/tmp/hello hello" "/tmp/systemd*" "/tmp/Temp*")
_tar="tar "`printf -- '--exclude="%s" ' "${EXCLUDE[@]}"`" -zcf tmp.tar.gz"
echo COMMAND: "${_tar}"
${_tar} "$TAR_ME"
echo -e "\n\nNEXT:\n\n"
EXCLUDE=("--exclude=/tmp/hello\ hello" "--exclude=/tmp/systemd*" "--exclude=/tmp/Temp*")
_tar="tar "`printf -- '%s ' "${EXCLUDE[@]}"`" -zcf test.tar.gz"
echo COMMAND: "${_tar}"
${_tar} "$TAR_ME"
我希望能够用作_tar
命令,我已经能够使其与经典路径一起使用,但我需要它与文件夹名称中的空格一起使用。每次我都会遇到如下错误:
COMMAND: tar --exclude="/tmp/hello hello" --exclude="/tmp/systemd*" --exclude="/tmp/Temp*" -zcf tmp.tar.gz /tmp
tar: hello": Cannot stat: No such file or directory
COMMAND: tar --exclude=/tmp/hello\ hello --exclude=/tmp/systemd* --exclude=/tmp/Temp* -zcf test.tar.gz
tar: hello: Cannot stat: No such file or directory
您需要知道的一件事是,我需要我的脚本在非常旧的机器上运行,这意味着我无法使用最新的 bash 功能。
答案1
不要尝试创建可执行字符串。相反,在数组中构建参数并在调用时使用该参数tar
(您已经正确使用了数组EXCLUDE
):
#!/bin/bash
directory=/tmp
exclude=( "hello hello" "systemd*" "Temp*" )
# Now build the list of "--exclude" options from the "exclude" array:
for elem in "${exclude[@]}"; do
exclude_opts+=( --exclude="$directory/$elem" )
done
# Run tar
tar -cz -f tmp.tar.gz "${exclude_opts[@]}" "$directory"
和/bin/sh
:
#!/bin/sh
directory=/tmp
set -- "hello hello" "systemd*" "Temp*"
# Now build the list of "--exclude" options from the "$@" list
# (overwriting the values in $@ while doing so):
for elem do
set -- "$@" --exclude="$directory/$elem"
shift
done
# Run tar
tar -cz -f tmp.tar.gz "$@" "$directory"
$@
请注意代码中对 的引用sh
以及代码中对${exclude[@]}
和的引用。这可确保列表扩展到单独引用的元素。${exclude_opts[@]}
bash
有关的:
答案2
mix(){
p=$1; shift; q=$1; shift; c=
i=1; for a; do c="$c $q \"\${$i}\""; i=$((i+1)); done
eval "${p%\%*}$c${p#*\%}"
}
mix 'tar % -zcf tmp.tar.gz' --exclude "/tmp/hello hello" "/tmp/systemd*" "/tmp/Temp*"
EXCLUDE=("/tmp/hello hello" "/tmp/systemd*" "/tmp/Temp*")
mix 'tar % -zcf tmp.tar.gz' --exclude "${EXCLUDE[@]}"
扩展答案这里。这不依赖于任何 bashisms,它也可以与 debian/bin/sh
和busybox
.