在 powershell 中,如果文件尚不存在,如何在一定时间后重试下载

在 powershell 中,如果文件尚不存在,如何在一定时间后重试下载

我有一个 powershell 脚本,可以下载如下文件:

powershell -Command `$progressPreference = 'silentlyContinue'; Invoke-WebRequest https://ftp.ncep.noaa.gov/data/nccf/com/cfs/prod/cfs/cfs.$m2/$m21z/6hrly_grib_04/pgbf$m2h.04.$m2h.grb2 -OutFile C:\OpenGrADS-2.2\data\cfs\cfs001.grb2`

是否可以在下载之前检查文件是否存在,如果存在,则下载,如果不存在,则等待一段时间再重试。

答案1

以下 PowerShell 脚本完成该作业。

这篇文章是从帖子里复制过来的 下载远程文件并支持重试

# $ErrorActionPreference = "Stop"
 
function DownloadWithRetry([string] $url, [string] $downloadLocation, [int] $retries)
{
    while($true)
    {
        try
        {
            Invoke-WebRequest $url -OutFile $downloadLocation
            break
        }
        catch
        {
            $exceptionMessage = $_.Exception.Message
            Write-Host "Failed to download '$url': $exceptionMessage"
            if ($retries -gt 0) {
                $retries--
                Write-Host "Waiting 10 seconds before retrying. Retries left: $retries"
                Start-Sleep -Seconds 10
 
            }
            else
            {
                $exception = $_.Exception
                throw $exception
            }
        }
    }
}
 
#
# Usage
DownloadWithRetry -url "http://example.com/file.zip" -downloadLocation "C:\Downloads\file.zip" -retries 6

相关内容