我正在编写一个bash脚本,以使用LFTP从FTP服务器下载文件。我想根据第二个输入参数删除文件。
#!/bin/bash
cd $1
lftp -u found,e48RgK7s sftp://ftp.xxx.org << EOF
set xfer:clobber on
mget *.xml
if [ $2 = "prod"]; then
echo "Production mode. Deleting files"
mrm *.xml
else
echo "Non-prod mode. Keeping files"
fi
EOF
但是,如果在EOF之前不允许在LFTP块中进行语句。
Unknown command `if'.
Unknown command `then'.
Usage: rm [-r] [-f] files...
Unknown command `else'.
如果语句在这样的块中如何嵌入?
命令替换会做:
#!/bin/bash
cd "$1" || exit
mode=$2
lftp -u found,e48RgK7s sftp://ftp.xxx.org << EOF
set xfer:clobber on
mget *.xml
$(
if [ "$mode" = "prod" ]; then
echo "Production mode. Deleting." >&2 # this is logging (because of >&2)
echo "mrm *.xml" # this is substituted into the heredoc
else
echo "Non-prod mode. Keeping files" >&2
fi
)
EOF
请注意,在Heredoc的替换内,我们将日志消息路由到STDERR而不是Stdout。这是必不可少的,因为Stdout上的所有内容都变成了发送给lftp
的Heredoc的命令。
其他需要替换的警告也适用:它们在子壳中运行,因此在命令中进行的任务不适用,并且启动它们的性能成本。
一种更有效的方法是将条件组件存储在变量中,并将其扩展在Heredoc中:
case $mode in
prod)
echo "Production mode. Deleting files" >&2
post_get_command='mget *.xml'
;;
*)
echo "Non-production mode. Keeping files" >&2
post_get_command=
;;
esac
lftp ... <<EOF
set xfer:clobber on
mget *.xml
$post_get_command
EOF