Как сделать асинхронную (AJAX) загрузку файлов с помощью iframe? - PullRequest
50 голосов
/ 26 мая 2010

Я пытаюсь загрузить файл ajax.Я читал, что это невозможно сделать без использования iframe.
. Я писал:

<iframe id="uploadTrg" name="uploadTrg" height="0" width="0" frameborder="0" scrolling="yes"></iframe>
<form id="myForm" action="file-component" method="post" enctype="multipart/form-data"  target="uploadTrg">
File: <input type="file" name="file">
<input type="submit" value="Submit" id="submitBtn"/>
</form>

и использования плагина формы jquery:

$('#myForm').ajaxForm({
    dataType:  'json',
    success:   function(data){
        alert(data.toSource());
    }
});

.Результат:

файл успешно загружен, и я вижу загруженный файл, но появляется диалоговое окно:

alt text

, так как я отправляю обратноjson результат для отображения имени файла + размер и т. д.

Мой вопрос: Как я могу использовать iFrame, чтобы иметь возможность "загрузки файла ajax".

Примечание:

  1. Я не предпочитаю использовать специальный плагин для загрузки файла, если есть более подходящие / более простые решения.
  2. Я использую jsp / servlets в качестве языка на стороне сервера... но я думаю, что не имеет смысла, какой язык я использую.

Спасибо

Ответы [ 2 ]

95 голосов
/ 26 мая 2010

Я отвечу на мой вопрос, я думаю, что нашел решение. Вот шаги, которые я выполнил для достижения цели:

  1. Сделать атрибут " target " формы , указывающим на " iframe ".
  2. Используйте обычный HTML-запрос (не асинхронный / Ajax-запрос) для отправки формы.
  3. Поскольку целевым фреймом является iframe, вся страница не будет обновлена ​​- только фрейм.
  4. Как только произойдет событие iframe onload (захватите это событие с помощью Javascript), тогда делайте, что хотите, например, Вы можете отправить запрос на отображение информации о последних загруженных файлах.

Окончательный код выглядит так:

    <!-- Attach a file -->

    <iframe id="uploadTrg" name="uploadTrg" height="0" width="0" frameborder="0" scrolling="yes"></iframe>

    <form id="myForm" action="http://example.com/file-upload-service" method="post" enctype="multipart/form-data"  target="uploadTrg">

        File: <input type="file" name="file">
        <input type="submit" value="Submit" id="submitBtn"/>

    </form>

    <div id="ajaxResultTest"></div>

javascript:

$("iframe").load(function(){
    // ok , now you know that the file is uploaded , you can do what you want , for example tell the user that the file is uploaded 
    alert("The file is uploaded");

    // or you can has your own technique to display the uploaded file name + id ? 
    $.post('http://example.com/file-upload-service?do=getLastFile',null,function(attachment){

       // add the last uploaded file , so the user can see the uploaded files
       $("#ajaxResultTest").append("<h4>" + attachment.name + ":" + attachment.id "</h4>");

    },'json');
});
4 голосов
/ 07 мая 2014

Этот пример взят из BugKiller. полный рабочий пример, который позволяет загрузить логотип и сразу увидеть его на html-странице, после чего значение загрузки очищается:

HTML:

<form id="uploadForm" method="post" enctype="multipart/form-data"  target="uploadTrg">
  <div id="fileUploadWrapper"><input type="file" name="file" id="fileUpload"></div>
  <input type="submit" value="Upload" id="submitBtn"/>
</form>
<iframe id="uploadTrg" name="uploadTrg" height="0" width="0" frameborder="0" scrolling="no" style="display:none"></iframe>
<img id="imgLogo" style="border-width:0px;" />

JavaScript:

$(document).ready(function () {
  var companynumber = '12345'; //get this from the database
  var logoUploadUrl = 'UploadHandler.aspx?logoupload=true&companynumber=' + companynumber ;
  $("#uploadForm").attr("action", logoUploadUrl);

  $("#uploadTrg").load(function () {
    //upload complete

    //only way to reset contents of file upload control is to recreate it
    $("#fileUploadWrapper").html('<input type="file" name="file" id="fileUpload">');

    //reload the logo url, add ticks on the end so browser reloads it
    var ticks = ((new Date().getTime() * 10000) + 621355968000000000);
    var logoUrl = 'images/clients/' + companynumber + '/client.gif?' + ticks;
    $("#imgLogo").attr('src', logoUrl);
  });
});

загрузить код обработчика позади (C #):

namespace MyWebApp {
    public partial class UploadHandler : System.Web.UI.Page {

        protected void Page_Load(object sender, EventArgs e) {
          if (Request.Params["logoupload"] != null) {
            string companynumber = Request.Params["companynumber"];
            string savePath = Server.MapPath("\\images") + "\\clients\\" + companynumber + "\\client.gif";
            if (File.Exists(savePath))
                File.Delete(savePath);
            //save the file to the server 
            Request.Files[0].SaveAs(savePath);

            Response.Write("OK");
            Response.Flush();
            Response.End();
          }
       }
}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...