web-dev-qa-db-ja.com

webClient.DownloadFile()のタイムアウトを設定します

webClient.DownloadFile()を使用してファイルをダウンロードしていますが、ファイルにアクセスできない場合に時間がかからないようにタイムアウトを設定できますか?

90
UnkwnTech

WebClient.DownloadFileAsync()を試してください。タイマーを使用して、独自のタイムアウトでCancelAsync()を呼び出すことができます。

41
abatishchev

私の答えは here

ベースWebRequestクラスのタイムアウトプロパティを設定する派生クラスを作成できます。

using System;
using System.Net;

public class WebDownload : WebClient
{
    /// <summary>
    /// Time in milliseconds
    /// </summary>
    public int Timeout { get; set; }

    public WebDownload() : this(60000) { }

    public WebDownload(int timeout)
    {
        this.Timeout = timeout;
    }

    protected override WebRequest GetWebRequest(Uri address)
    {
        var request = base.GetWebRequest(address);
        if (request != null)
        {
            request.Timeout = this.Timeout;
        }
        return request;
    }
}

基本のWebClientクラスと同じように使用できます。

253
Beniamin

これを同期的に行いたいと仮定すると、WebClient.OpenRead(...)メソッドを使用し、それが返すStreamのタイムアウトを設定すると、望ましい結果が得られます。

using (var webClient = new WebClient())
using (var stream = webClient.OpenRead(streamingUri))
{
     if (stream != null)
     {
          stream.ReadTimeout = Timeout.Infinite;
          using (var reader = new StreamReader(stream, Encoding.UTF8, false))
          {
               string line;
               while ((line = reader.ReadLine()) != null)
               {
                    if (line != String.Empty)
                    {
                        Console.WriteLine("Count {0}", count++);
                    }
                    Console.WriteLine(line);
               }
          }
     }
}

WebClientから派生し、GetWebRequest(...)をオーバーライドして@Beniaminが提案したタイムアウトを設定しましたが、私にとってはうまくいきませんでしたが、これはうまくいきました。

3
jeffrymorris