Загрузка большого файла - Сброс соединения с сервером - PullRequest
3 голосов
/ 09 октября 2008

У меня есть сайт asp.net, который позволяет пользователю загружать большие файлы - от 30 до 60 МБ. Иногда загрузка работает нормально, но часто происходит сбой в какой-то момент, прежде чем загрузка заканчивается сообщением о том, что соединение с сервером было сброшено.

Первоначально я просто использовал Server.TransmitFile, но, прочитав немного, теперь я использую код, размещенный ниже. Я также устанавливаю значение Server.ScriptTimeout равным 3600 в событии Page_Init.

private void DownloadFile(string fname, bool forceDownload)
        {
            string path = MapPath(fname);
            string name = Path.GetFileName(path);
            string ext = Path.GetExtension(path);
            string type = "";

            // set known types based on file extension  

            if (ext != null)
            {
                switch (ext.ToLower())
                {
                    case ".mp3":
                        type = "audio/mpeg";
                        break;

                    case ".htm":
                    case ".html":
                        type = "text/HTML";
                        break;

                    case ".txt":
                        type = "text/plain";
                        break;

                    case ".doc":
                    case ".rtf":
                        type = "Application/msword";
                        break;
                }
            }

            if (forceDownload)
            {
                Response.AppendHeader("content-disposition",
                    "attachment; filename=" + name.Replace(" ", "_"));
            }

            if (type != "")
            {
                Response.ContentType = type;
            }
            else
            {
                Response.ContentType = "application/x-msdownload";
            }

            System.IO.Stream iStream = null;

            // Buffer to read 10K bytes in chunk:
            byte[] buffer = new Byte[10000];

            // Length of the file:
            int length;

            // Total bytes to read:
            long dataToRead;

            try
            {
                // Open the file.
                iStream = new System.IO.FileStream(path, System.IO.FileMode.Open,
                            System.IO.FileAccess.Read, System.IO.FileShare.Read);


                // Total bytes to read:
                dataToRead = iStream.Length;

                //Response.ContentType = "application/octet-stream";
                //Response.AddHeader("Content-Disposition", "attachment; filename=" + filename);

                // Read the bytes.
                while (dataToRead > 0)
                {
                    // Verify that the client is connected.
                    if (Response.IsClientConnected)
                    {
                        // Read the data in buffer.
                        length = iStream.Read(buffer, 0, 10000);

                        // Write the data to the current output stream.
                        Response.OutputStream.Write(buffer, 0, length);

                        // Flush the data to the HTML output.
                        Response.Flush();

                        buffer = new Byte[10000];
                        dataToRead = dataToRead - length;
                    }
                    else
                    {
                        //prevent infinite loop if user disconnects
                        dataToRead = -1;
                    }
                }
            }
            catch (Exception ex)
            {
                // Trap the error, if any.
                Response.Write("Error : " + ex.Message);
            }
            finally
            {
                if (iStream != null)
                {
                    //Close the file.
                    iStream.Close();
                }
                Response.Close();
            }

        }

Ответы [ 4 ]

2 голосов
/ 19 мая 2010

У меня была похожая проблема, когда я использовал FileUpload Control, и я загружал файл размером> 4 МБ. Я использовал, чтобы получить страницу с сообщением об ошибке. И вот шаги, которые я выполнил, чтобы решить проблему:

Перейдите в файл web.config и установите ограничение размера, соответствующее типам файлов, которые вы ожидаете загрузить. Предельный размер по умолчанию составляет 4096 килобайт (КБ) или 4 мегабайта (МБ). Вы можете разрешить загрузку файлов большего размера, установив атрибут maxRequestLength элемента httpRuntime. Чтобы увеличить максимально допустимый размер файла для всего приложения, установите атрибут maxRequestLength в файле Web.config.

Например, чтобы разрешить 10 МБ (10240 КБ) файла. Я использовал (ЗАМЕНИТЕ [['с' <'и'] 'с'> ')

[Конфигурация]
[System.web]
[httpRuntime maxRequestLength = "10240" /]
[/system.web]
[/ Конфигурация]

2 голосов
/ 09 октября 2008

Будет

<configuration>
  <system.web>
    <httpRuntime executionTimeout="3600"/>
  </system.web>
</configuration>

помочь чем-нибудь?

Внутренний цикл, который записывает данные, кажется немного запутанным, я бы по крайней мере изменил его на:

int length;
while(  Response.IsClientConnected && 
       (length=iStream.Read(buffer,0,buffer.Length))>0 ) 
{
  Response.OutputStream.Write(buffer,0,length);
  Response.Flush();
}

Нет необходимости перераспределять буфер каждый раунд в цикле, вы можете просто повторно использовать его после записи в выходной файл.

Еще одним улучшением было бы использование асинхронного ввода-вывода, но это на другой день.

0 голосов
/ 12 октября 2012

В итоге у меня сработало создание Response.End, а также использование оператора с потоком файлов. Вот код, который у меня есть:

public partial class ssl_Report_StreamReport : BaseReportPage
{
    protected void Page_Load(object sender, EventArgs e)
    {
        //Get the parameters
        string reportName = Utils.ParseStringRequest(Request, "reportName") ?? string.Empty;
        string reportGuid = Session["reportGuid"].ToString();
        string path = Path.Combine(ReportPath(), Utils.GetSessionReportName(reportName, reportGuid));

        using (var fileStream = File.Open(path, FileMode.Open))
        {
            Response.ClearHeaders();
            Response.Clear();
            Response.ContentType = "application/octet-stream";
            Response.AddHeader("Content-Disposition", "attachment; filename=\"" + reportName + "\"");
            Response.AddHeader("Content-Length", fileStream.Length.ToString(CultureInfo.InvariantCulture));
            StreamHelper.CopyStream(fileStream, Response.OutputStream);
            Response.Flush();
            Response.End();
        }

        ReportProcessor.ClearReport(Session.SessionID, path);
    }
}


public static class StreamHelper
{
    public static void CopyStream(Stream input, Stream output)
    {
        byte[] buffer = new byte[32768];
        int read;
        while ((read = input.Read(buffer, 0, buffer.Length)) > 0)
        {
            output.Write(buffer, 0, read);
        }
    }
}
0 голосов
/ 04 декабря 2008

Последним решением этой проблемы было внесение изменений в файл web.config. Мне просто нужно было изменить sessionState mode = "InProc" на sessionState mode = "StateServer".

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...