curl --ftp-ssl 抓取远程目录中的所有文件

curl --ftp-ssl 抓取远程目录中的所有文件

是否可以使用 curl 获取目录中的所有文件?这是我目前的字符串:

curl --ftp-ssl -k ftp://user:pass@IP

这将列出用户 FTP 目录中的文件,我如何调整此字符串以获取(RETR)远程目录中的所有文件?

答案1

据我所知,没有这样的选项可以使用 下载目录curl,因此您必须先获取列表,然后curl通过管道将其传输到 以逐个文件下载,如下所示:

$ curl -s ftp://user:pass@IP/path/to/folder/ | \
    grep -e '^-' | awk '{ print $9 }' | \
        while read f; do \
            curl -O ftp://user:pass@IP/path/to/folder/$f; \
        done

答案2

您还可以通过以下方式并行化该过程xargs

curl -s "ftp://user:pass@IP/path/to/folder/" \
    | grep -e '^-' \
    | awk '{ print $9 }' \
    | xargs -I {} -P ${#procs} curl -O "ftp://user:pass@IP/path/to/folder/{}"

答案3

下面是实现 quantum 的 curl|pipe|while 解决方案的更多可重复使用的脚本:

#!/bin/bash
#
# Use cURL to download the files in a given FTPS directory (FTP over SSL)
# eg:
# curl_get_ftp_dir -u myUserName -p myPassword -d ftps://ftpserver.com/dir1/dir2
# Optionally, use:
#    -k - to ignore bad SSL certificates
#    --config userPassFile - to use the contents of a file including myUserName:myPassword in place of command line arguments
#    --silent - to silently download (otherwise cURL will display stats per file)

while [[ $# -gt 1 ]]
do
key="$1"

case $key in
    -u|--username)
    user="$2"
    shift 
    ;;
    -p|--password)
    pass="$2"
    shift 
    ;;
    -d|--dir|--directory)
    ftpDir="$2"
    shift 
    ;;
    -k|--ignoreSSL|--ignoreBadSSLCertificate)
    ignoreBadSSLCertificate="-k"
    ;;
    -s|--silent)
    silent="-s"
    ;;
    -K|--config|--configFile)
    config="$2"
    shift 
    ;;
    *)
        echo "Unknown Option!"
    ;;
esac
shift 
done

if [ -z "${config+x}" ]; then 
    CURL_OPTS="$silent --ftp-ssl $ignoreBadSSLCertificate -u $user:$pass"
else
    #CURL_OPTS="$silent --ftp-ssl $ignoreBadSSLCertificate --config $config"
    #Originally intended to be a curl config file - for simplicity, now just a file with username:password in it
    #Be sure to chmod this file to either 700, 400, or 500
    CURL_OPTS="$silent --ftp-ssl $ignoreBadSSLCertificate -u $(cat $config)"
fi

curl $CURL_OPTS $ftpDir | \
grep -e '^-' | awk '{ print $9 }' | \
    while read f; do \
        curl -O $CURL_OPTS $ftpDir/$f; \
    done

相关内容