3

我有用户控制,它有这样的方法

    public void DownloadFileAsync()
    {
        ThreadStart thread = DownloadFile;
        Thread downloadThread = new Thread(thread);

        downloadThread.Start();
    }

在表单中,我有 4 个用户控件。但是当我为每个控件调用用户控件 DownloadFileAsync() 时,只有其中两个开始下载。完成其中一个后,下一个开始下载。

有什么问题以及如何在每次下载时同时下载?

感谢您的关注。

    public void DownloadFile()
    {
        int byteRecieved = 0;
        byte[] bytes = new byte[_bufferSize];

        try
        {
            _webRequestDownloadFile = (HttpWebRequest)WebRequest.Create(_file.AddressURL);
            _webRequestDownloadFile.AddRange((int)_totalRecievedBytes);
            _webResponseDownloadFile = (HttpWebResponse)_webRequestDownloadFile.GetResponse();
            _fileSize = _webResponseDownloadFile.ContentLength;
            _streamFile = _webResponseDownloadFile.GetResponseStream();

            _streamLocalFile = new FileStream(_file.LocalDirectory, _totalRecievedBytes > 0 ? FileMode.Append : FileMode.Create);

            MessageBox.Show("Salam");
            _status = DownloadStatus.Inprogress;
            while ((byteRecieved = _streamFile.Read(bytes, 0, _bufferSize)) > 0 && _status == DownloadStatus.Inprogress)
            {

                _streamLocalFile.Write(bytes, 0, byteRecieved);

                _totalRecievedBytes += byteRecieved;

                if (_totalRecievedBytes >= _fileSize)
                {
                    argsCompleted.Status = DownloadStatus.Completed;
                    if (_fileDownloadCompleted != null)
                        _fileDownloadCompleted(_file, argsCompleted);
                    break;
                }

                argsProgress.UpdateEventArgument(DownloadStatus.Inprogress, _totalRecievedBytes);

                if (_fileDownloadProgress != null)
                    _fileDownloadProgress(_file, argsProgress);



            }
        }
        catch (Exception ex)
        {
            LogOperations.Log(ex.Message);
        }
        finally
        {
            _streamFile.Close();
            _streamFile.Close();
            _streamLocalFile.Close();
            _webResponseDownloadFile.Close();
        }
    }
4

1 回答 1

11

HTTP在很长一段时间内限制每个Web Origin 2 个连接,因此人们不会同时启动太多下载。这个限制已经解除,但是包括 HttpWebRequest 在内的许多实现仍然实现它。

来自draft-ietf-httpbis-p1-messaging

客户端(包括代理)应该限制他们维护到给定服务器(包括代理)的同时连接数。

以前的 HTTP 版本给出了一个特定的连接数作为上限,但发现这对于许多应用程序来说是不切实际的。因此,该规范没有规定特定的最大连接数,而是鼓励客户端在打开多个连接时保持保守。

您可以通过设置ConnectionLimit 属性来更改连接限制,如下所示:

HttpWebRequest httpWebRequest = (HttpWebRequest)webRequest;
httpWebRequest.ServicePoint.ConnectionLimit = 10;

不要将限制设置得太高,以免服务器过载。

此外,您应该考虑使用WebClient 类及其提供的异步方法(例如DownloadDataAsync 方法),而不是使用线程。有关如何在此处更改连接限制,请参阅如何以编程方式删除 WebClient 中的 2 个连接限制。

于 2012-06-30T19:57:59.870 回答