如何让 WebClient 等到上一次下载完成?

How to make WebClient wait until previous download is finished?

我正在使用 DownloadFileAsyncTask 方法下载文件。但是,当我在循环中执行它时,出现异常,告诉我不支持并发操作。我试过这样修复它:

  public async Task<string> Download(string uri, string path)
    {
        if (uri == null) return;

        //manually wait for previous task to complete
        while (Client.IsBusy)
        {
            await Task.Delay(10);
        }

        await Client.DownloadFileTaskAsync(new Uri(absoluteUri), path);

        return path;
    }

有时它会工作,当迭代次数不大(1-5)时,当它运行 10 次或更多次时,我会收到此错误。 Client 这是一个 WebClient 我创建了一次。我不会在每次迭代时都生成新的 Clients,因为它会产生开销。 回到我刚才说的,如何让 WebClient 在之前的下载完成之前等待?这里还有一个问题是为什么 IsBusy 适用于少量下载。 我使用的代码:

 public IEnumerable<Task<string>> GetPathById(IEnumerable<Photo> photos)
    {
        return photos?.Select(
                     async photo =>
                     {
                         var path = await Download(Uri, Path);
                         return path;
                     });
    }

我想下载很多文件,不要阻止我的 Ui 线程。也许还有其他方法可以做到这一点?

您遗漏了很多必要的代码来帮助您解决问题,因此我编写了这个快速示例来向您展示我认为您可能想要尝试的内容。它在 .NET Core 中,但本质上是相同的,只是将 HttpClient 换成 WebClient。

    static void Main(string[] args)
{
    Task.Run(async () =>
    {
        var toDownload = new string[] { "http://google.com", "http://microsoft.com", "http://apple.com" };
        var client = new HttpClient();

        var downloadedItems = await DownloadItems(client, toDownload);

        Console.WriteLine("This is async");

        foreach (var item in downloadedItems)
        {
            Console.WriteLine(item);
        }

        Console.ReadLine();
    }).Wait();
}

static async Task<IEnumerable<string>> DownloadItems(HttpClient client, string[] uris)
{
    // This sets up each page to be downloaded using the same HttpClient.
    var items = new List<string>(); 
    foreach (var uri in uris)
    {
        var item = await Download(client, uri);
        items.Add(item);
    }
    return items;
}

static async Task<string> Download(HttpClient client, string uri)
{
    // This download the page and returns the content.
    if (string.IsNullOrEmpty(uri)) return null;

    var content = await client.GetStringAsync(uri);
    return content;
}