我正在编写一个bash包装器,用于scp进入某个主机并使用某个用户名,例如:
johny@bonjour:~/bin$ cat scpphcl
#!/bin/bash
download=false
upload=false
local=""
remote=""
usage()
{
echo "Usage: $0 -d[-u] -l <LocalPath> -r <RemotePath>"
exit 1
}
while getopts "h?dul:r:" opt; do
case "$opt" in
h|\?)
usage
;;
d)
download=true
upload=false
;;
u)
download=false
upload=true
;;
l)
local=$OPTARG
;;
r)
remote=$OPTARG
;;
esac
done
if [[ -z $local || -z $remote ]]; then
echo "Need to provide local and remote path."
usage
fi
if $download; then
scp somebody@somehost:"$remote" $local
elif $upload; then
scp $local somebody@somehost:"$remote"
else
echo "Neither download nor upload?"
exit 1
fi
if [[ $? -ne 0 ]]; then
echo "Something wrong happened in the scp process."
exit 1
fi
exit 0
它适用于通常的文件名,但如果本地文件名字段中有任何通配符,则无效。
johny@bonjour:~/test$ scpphcl -u -l * -r /u/somebody/temp
Need to provide local and remote path.
Usage: /Users/johny/bin/scpphcl -d[-u] -l <LocalPath> -r <RemotePath>
如果有一个通配符,可以在本地文件参数周围使用sinqle引号:
johny@bonjour:~/test$ scpphcl -u -l '*' -r /u/somebody/temp
但是,如果命令是在文件夹test
之外发出的话,即使这种解决方法也行不通:
johny@bonjour:~/test$ cd ..
johny@bonjour:~$ scpphcl -u -l 'test/*' -r /u/somebody/temp
这不起作用,将在scp进程中挂起。
有关如何使用bash包装器在本地文件名中传递通配符的任何帮助吗?
答案 0 :(得分:1)
最好不要求用户引用通配符模式。在选项参数之后,我改为将程序的界面更改为接受任意数量的本地路径:
echo "Usage: $0 [-d|-u] [-r <RemotePath>] <LocalPath>..."
阅读选项时,请使用shift
消费它们:
while getopts "h?dur:" opt; do
case "$opt" in
h|\?)
usage
exit 0
;;
d)
download=true
upload=false
;;
u)
download=false
upload=true
;;
r)
remote="$OPTARG"
;;
*)
usage >&2
exit 1
;;
esac
done
shift $((OPTIND-1))
现在剩下的位置参数是本地文件名(可以使用"$@"
访问 - 请注意那里最重要的双引号):
if test -z "$*" # no LocalPath arguments!
then usage >&2; exit 1
elif $download
then exec scp somebody@somehost:"$remote" "$@"
elif $upload
then exec scp "$@" somebody@somehost:"$remote"
fi