Невозможно запросить диалоговое окно сохранения для загрузки zip-файла в MVC - PullRequest
0 голосов
/ 22 марта 2012

В моем представлении MVC есть jqgrid, который отображает количество доступных файлов. Пользователь может загрузить один файл или несколько файлов в формате zip, установив флажок в каждой строке jqGrid. Загрузка одного файла работает нормально и может предложить пользователю сохранить файл, но когда я загружаю файлы в формате zip, я не получаю никакого запроса на сохранение файла на клиентском компьютере. Zip файл создается в папке нормально, но не требует сохранения. Я не знаю, где я делаю неправильно. Пожалуйста, посмотрите следующий код и помогите мне в этом вопросе ....

    **Controller**
    [HttpGet]
    public ActionResult DownloadZip(String[] filesToZip)
    {
        //checking if there any file to zip
        if (filesToZip == null || filesToZip.Length < 1 || filesToZip.Count() == 0)
            return (new EmptyResult());

        //creating dynamic zip file name
        var downloadFileName = string.Format("Test_{0}.zip", DateTime.Now.ToString("yyyy-MM-dd-HH_mm_ss"));

        //zipping the files
        using (ZipOutputStream zipos = new ZipOutputStream(System.IO.File.Create(Path.Combine(Server.MapPath(uploadLocation), downloadFileName))))
        {
            // 0-9, 9 being the highest compression
            zipos.SetLevel(9);

            //temp buffer to hold 4gb data max
            byte[] buffer = new byte[4096];

            foreach (string file in filesToZip)
            {
                ZipEntry newEntry = new ZipEntry(Path.GetFileName(file));
                zipos.PutNextEntry(newEntry);

                using (FileStream fs = System.IO.File.OpenRead(file))
                {
                    int sourceBytes;
                    do
                    {
                        sourceBytes = fs.Read(buffer, 0, buffer.Length);
                        zipos.Write(buffer, 0, sourceBytes);
                    }
                    while (sourceBytes > 0);
                }
            }//end files loop
        }


        System.IO.FileInfo zipFile = new System.IO.FileInfo(Path.Combine(Server.MapPath(uploadLocation), downloadFileName));

        // clear the current output content from the buffer
        Response.Clear();

        // add the header that specifies the default filename for the 
        // Download/SaveAs dialog 
        Response.AddHeader("Content-Disposition", "attachment; filename=" + downloadFileName);

        // add the header that specifies the file size, so that the browser
        // can show the download progress
        Response.AddHeader("Content-Length", zipFile.Length.ToString());

        // specify that the response is a stream that cannot be read by the
        // client and must be downloaded
        Response.ContentType = "application/zip";
        // send the file stream to the client
        Response.WriteFile(zipFile.FullName);


        //ControllerContext.HttpContext.Response.AddHeader("content-disposition", "attachment; filename=" + downloadFileName);
        //return File(Path.Combine(Server.MapPath(uploadLocation), downloadFileName), "application/zip", downloadFileName);

        return (new EmptyResult());
   }

   **View**

            $("#btnDownloadZip").click(function () {

                var files = $("#list").jqGrid('getGridParam', 'selarrrow').toString();

                if (files == '') {
                    alert('Please select a file to download...');
                    return;
                }

                var fileList = files.split(",");

                $.post('<%= Url.Action("DownloadZip") %>', { filesToZip: fileList }, handleSuccess);

                //$.getJSON("/Home/DownloadZip/", { filesToZip: fileList });
            });
     function handleSuccess()
     {
     }

1 Ответ

0 голосов
/ 22 марта 2012

Asp.Net MVC имеет имя функции Файл , которую можно использовать для возврата файлов из действия контроллера.

См. этот вопрос, который показывает, как вернуть файл

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