누군가 jQuery 파일 업로드 플러그인을 구현하는 방법을 설명 할 수 있습니까?


116

수정 (2019 년 10 월) :

6 년이 지난 지금도 jQuery 파일 업로드는 여전히 사람들을 미치게 만들고 있습니다. 여기에 대한 답변에서 약간의 위안을 찾고 있다면 NPM 에서 현대적인 대안을 찾아 보십시오 . 번거로울 가치가 없습니다. 약속합니다.

이전 편집에서 Uploadify를 권장했지만 댓글 작성자가 지적했듯이 더 이상 무료 버전을 제공하지 않는 것 같습니다. Uploadify이었다 그래서 어쨌든 2013.


편집하다:

여전히 교통 체증이있는 것 같아서 제가 뭘했는지 설명하겠습니다. 결국 수락 된 답변의 자습서를 따라 플러그인이 작동했습니다. 그러나 jQuery 파일 업로드는 정말 번거롭고 더 간단한 파일 업로드 플러그인을 찾고 있다면 Uploadify를 적극 권장 합니다. 답변에서 지적했듯이 비상업적 용도로만 무료입니다.


배경

사용자가 파일을 업로드 할 수 있도록 blueimp의 jQuery 파일 업로드 를 사용하려고 합니다. 기본적으로 설정 지침에 따라 완벽하게 작동합니다 . 하지만 내 웹 사이트에서 실제로 사용하기 위해 몇 가지 작업을 수행 할 수 있기를 원합니다.

  • 내 기존 페이지에 업 로더 포함
  • 업로드 된 파일의 디렉토리 변경

플러그인의 모든 파일은 루트 아래의 폴더에 있습니다.

난 노력 했어...

  • 데모 페이지를 루트로 이동하고 필요한 스크립트에 대한 경로 업데이트
  • 여기에 제안 된대로 UploadHandler.php 파일에서 'upload_dir'및 'upload_url'옵션을 변경합니다 .
  • 데모 자바 스크립트의 두 번째 줄에서 URL 변경

모든 경우에 미리보기가 표시되고 진행률 표시 줄이 실행되지만 파일이 업로드되지 않고 콘솔에 다음 오류가 표시됩니다 Uncaught TypeError: Cannot read property 'files' of undefined.. 플러그인의 모든 부분이 어떻게 작동하는지 이해하지 못해 디버깅이 어렵습니다.

암호

데모 페이지의 자바 스크립트 :

$(function () {
'use strict';
// Change this to the location of your server-side upload handler:
var url = 'file_upload/server/php/UploadHandler.php',
    uploadButton = $('<button/>')
        .addClass('btn')
        .prop('disabled', true)
        .text('Processing...')
        .on('click', function () {
            var $this = $(this),
                data = $this.data();
            $this
                .off('click')
                .text('Abort')
                .on('click', function () {
                    $this.remove();
                    data.abort();
                });
            data.submit().always(function () {
                $this.remove();
            });
        });
$('#fileupload').fileupload({
    url: url,
    dataType: 'json',
    autoUpload: false,
    acceptFileTypes: /(\.|\/)(gif|jpe?g|png)$/i,
    maxFileSize: 5000000, // 5 MB
    // Enable image resizing, except for Android and Opera,
    // which actually support image resizing, but fail to
    // send Blob objects via XHR requests:
    disableImageResize: /Android(?!.*Chrome)|Opera/
        .test(window.navigator.userAgent),
    previewMaxWidth: 100,
    previewMaxHeight: 100,
    previewCrop: true
}).on('fileuploadadd', function (e, data) {
    data.context = $('<div/>').appendTo('#files');
    $.each(data.files, function (index, file) {
        var node = $('<p/>')
                .append($('<span/>').text(file.name));
        if (!index) {
            node
                .append('<br>')
                .append(uploadButton.clone(true).data(data));
        }
        node.appendTo(data.context);
    });
}).on('fileuploadprocessalways', function (e, data) {
    var index = data.index,
        file = data.files[index],
        node = $(data.context.children()[index]);
    if (file.preview) {
        node
            .prepend('<br>')
            .prepend(file.preview);
    }
    if (file.error) {
        node
            .append('<br>')
            .append(file.error);
    }
    if (index + 1 === data.files.length) {
        data.context.find('button')
            .text('Upload')
            .prop('disabled', !!data.files.error);
    }
}).on('fileuploadprogressall', function (e, data) {
    var progress = parseInt(data.loaded / data.total * 100, 10);
    $('#progress .bar').css(
        'width',
        progress + '%'
    );
}).on('fileuploaddone', function (e, data) {
    $.each(data.result.files, function (index, file) {
        var link = $('<a>')
            .attr('target', '_blank')
            .prop('href', file.url);
        $(data.context.children()[index])
            .wrap(link);
    });
}).on('fileuploadfail', function (e, data) {
    $.each(data.result.files, function (index, file) {
        var error = $('<span/>').text(file.error);
        $(data.context.children()[index])
            .append('<br>')
            .append(error);
    });
}).prop('disabled', !$.support.fileInput)
    .parent().addClass($.support.fileInput ? undefined : 'disabled');
});


나는 문서의 부족에 놀랐다. 변경하는 것은 간단해야 할 것 같습니다. 누군가이 방법을 설명해 주시면 감사하겠습니다.


10
좋은 질문 형식입니다. 조직을 만나서 반갑습니다.
jdero

콘솔에서 오류 줄 바로 앞에 'e'와 '데이터'를 인쇄합니다. 값은 무엇입니까?
john 4d5 2013-08-02

3
Uploadi fy 는 MIT 라이선스입니다. 예를 들어 완전히 무료입니다. 그러나 동일한 개발 / 웹 사이트 의 Uploadi Five 는 사용량에 따라 $ 5- $ 100입니다
MartinJH 2015 년

2
2 년 동안 jQuery-File-Upload 문서는 더 나아지지 않았습니다. 아아.
Chuck Le Butt

1
@MartinJH 언젠가는 uploadify가 있었을 수 있지만 현재로서는 유료 uploadiFive 버전이 하나뿐입니다. 그리고 데모도 없습니다. 비디오 일뿐입니다. 불쌍한 형태.
Steve Horvath

답변:


72

며칠 전에 비슷한 기능을 찾고 있었고 tutorialzine에 대한 좋은 자습서를 보았습니다. 다음은 작동하는 예입니다. 전체 자습서는 여기 에서 찾을 수 있습니다 .

파일 업로드 대화 상자를 보관하는 간단한 형식 :

<form id="upload" method="post" action="upload.php" enctype="multipart/form-data">
  <input type="file" name="uploadctl" multiple />
  <ul id="fileList">
    <!-- The file list will be shown here -->
  </ul>
</form>

다음은 파일을 업로드하는 jQuery 코드입니다.

$('#upload').fileupload({

  // This function is called when a file is added to the queue
  add: function (e, data) {
    //This area will contain file list and progress information.
    var tpl = $('<li class="working">'+
                '<input type="text" value="0" data-width="48" data-height="48" data-fgColor="#0788a5" data-readOnly="1" data-bgColor="#3e4043" />'+
                '<p></p><span></span></li>' );

    // Append the file name and file size
    tpl.find('p').text(data.files[0].name)
                 .append('<i>' + formatFileSize(data.files[0].size) + '</i>');

    // Add the HTML to the UL element
    data.context = tpl.appendTo(ul);

    // Initialize the knob plugin. This part can be ignored, if you are showing progress in some other way.
    tpl.find('input').knob();

    // Listen for clicks on the cancel icon
    tpl.find('span').click(function(){
      if(tpl.hasClass('working')){
              jqXHR.abort();
      }
      tpl.fadeOut(function(){
              tpl.remove();
      });
    });

    // Automatically upload the file once it is added to the queue
    var jqXHR = data.submit();
  },
  progress: function(e, data){

        // Calculate the completion percentage of the upload
        var progress = parseInt(data.loaded / data.total * 100, 10);

        // Update the hidden input field and trigger a change
        // so that the jQuery knob plugin knows to update the dial
        data.context.find('input').val(progress).change();

        if(progress == 100){
            data.context.removeClass('working');
        }
    }
});
//Helper function for calculation of progress
function formatFileSize(bytes) {
    if (typeof bytes !== 'number') {
        return '';
    }

    if (bytes >= 1000000000) {
        return (bytes / 1000000000).toFixed(2) + ' GB';
    }

    if (bytes >= 1000000) {
        return (bytes / 1000000).toFixed(2) + ' MB';
    }
    return (bytes / 1000).toFixed(2) + ' KB';
}

다음은 데이터를 처리하는 PHP 코드 샘플입니다.

if($_POST) {
    $allowed = array('jpg', 'jpeg');

    if(isset($_FILES['uploadctl']) && $_FILES['uploadctl']['error'] == 0){

        $extension = pathinfo($_FILES['uploadctl']['name'], PATHINFO_EXTENSION);

        if(!in_array(strtolower($extension), $allowed)){
            echo '{"status":"error"}';
            exit;
        }

        if(move_uploaded_file($_FILES['uploadctl']['tmp_name'], "/yourpath/." . $extension)){
            echo '{"status":"success"}';
            exit;
        }
        echo '{"status":"error"}';
    }
    exit();
}

위의 코드는 기존 양식에 추가 할 수 있습니다. 이 프로그램은 이미지가 추가되면 자동으로 업로드합니다. 이 기능은 변경 될 수 있으며 기존 양식을 제출하는 동안 이미지를 제출할 수 있습니다.

실제 코드로 내 대답을 업데이트했습니다. 모든 크레딧은 코드의 원저자에게 있습니다.

출처 : http://tutorialzine.com/2013/05/mini-ajax-file-upload-form/


2
이 튜토리얼의 중요한 부분을 여기에 복사 할 수 있으므로 그것이 사라지더라도 답변이 여전히 유용합니까?

1
하지만 조심하지 표절에 수
tacaswell

1
주의 : PHP 코드 조각을 사용하는 모든 사람은 if($_POST) 문을 제거하십시오 . POST는 파일 내용이 $_FILES['upfile']['tmp_name']. 바라건대 이것은 누군가 시간을 절약 할 수 있기를 바랍니다.
Edward


누구든지 위의 스크립트를 실행하는 데 필요한 js / jquery 파일이 무엇인지 제게 제안 할 수
있습니까?

28

저는 jQuery 업로드와 싸우는 데 2 ​​시간을 보냈지 만 종속성의 양 때문에 포기했습니다.

좀 더 검색을했고 종속성이없는 Dropzone.js 라는 깔끔한 프로젝트를 발견했습니다 .

저자는 또한 jQuery 파일 업로드 플러그인에서 영감을 얻은 부트 스트랩 데모 를 만들었습니다 .

나는 이것이 다른 누군가의 시간을 절약하기를 바랍니다.


1
주의해야 할 중요한 사항 : Dropzone.js는 멋지게 보이지만 IE10 이상에서만 지원합니다. IE6에서 jQuery 파일 업로드 지원;)
Nickvda

11
jQuery 파일 업로드는 작동하기가 불가능합니다 ... 아주 좋은 기능이있어서 많은 시간을 보냈지 만 마지막 순간에 내 영혼은 고통으로 가득 차있었습니다 !!! 이 얼마나 절망 !!! 그런 다음 Dropzone.js 에 대한 귀하의 게시물을 보았고 5 분 만에 내가 원하는 방식으로 작동하도록 만들었습니다! 당신은 ... 저를 저장
RIGON

충분히 감사 할 수 없습니다. jQuery-FIle-Upload가 원하는 방식으로 작동하도록하는 데 거의 12 시간을 보냈고 마침내이 질문을 발견했습니다. 넌 나를 구했다.
ndd

다음은 데이터베이스 기반 jquery 파일 업로드 예입니다. github.com/CodeHeight/ImageLibrary
JoshYates1980

나는 3 일 동안하지만, 난 여전히 사용자 자신의 코드 수 없습니다
월 날씨 VN

4

나는 또한 이것으로 어려움을 겪었지만 UploadHandler.php에서 경로가 어떻게 작동하는지 알아 냈을 때 작동하게되었습니다. upload_dir 및 upload_url은 작동하도록하는 유일한 설정에 관한 것입니다. 또한 서버 오류 로그에서 디버깅 정보를 확인하십시오.


3

dropper jquery 플러그인을 사용하여 이미지 미리보기가있는 이미지 드래그 앤 드롭 업 로더를 확인하세요.

HTML

<div class="target" width="78" height="100"><img /></div>

JS

$(".target").dropper({
    action: "upload.php",

}).on("start.dropper", onStart);
function onStart(e, files){
console.log(files[0]);

    image_preview(files[0].file).then(function(res){
$('.dropper-dropzone').empty();
//$('.dropper-dropzone').css("background-image",res.data);
 $('#imgPreview').remove();        
$('.dropper-dropzone').append('<img id="imgPreview"/><span style="display:none">Drag and drop files or click to select</span>');
var widthImg=$('.dropper-dropzone').attr('width');
        $('#imgPreview').attr({width:widthImg});
    $('#imgPreview').attr({src:res.data});

    })

}

function image_preview(file){
    var def = new $.Deferred();
    var imgURL = '';
    if (file.type.match('image.*')) {
        //create object url support
        var URL = window.URL || window.webkitURL;
        if (URL !== undefined) {
            imgURL = URL.createObjectURL(file);
            URL.revokeObjectURL(file);
            def.resolve({status: 200, message: 'OK', data:imgURL, error: {}});
        }
        //file reader support
        else if(window.File && window.FileReader)
        {
            var reader = new FileReader();
            reader.readAsDataURL(file);
            reader.onloadend = function () {
                imgURL = reader.result;
                def.resolve({status: 200, message: 'OK', data:imgURL, error: {}});
            }
        }
        else {
            def.reject({status: 1001, message: 'File uploader not supported', data:imgURL, error: {}});
        }
    }
    else
        def.reject({status: 1002, message: 'File type not supported', error: {}});
    return def.promise();
}

$('.dropper-dropzone').mouseenter(function() {
 $( '.dropper-dropzone>span' ).css("display", "block");
});

$('.dropper-dropzone').mouseleave(function() {
 $( '.dropper-dropzone>span' ).css("display", "none");
});

CSS

.dropper-dropzone{
    width:78px;
padding:3px;
    height:100px;
position: relative;
}
.dropper-dropzone>img{
    width:78px;
    height:100px;
margin-top=0;
}

.dropper-dropzone>span {
    position: absolute;
    right: 10px;
    top: 20px;
color:#ccc;


}

.dropper .dropper-dropzone{

padding:3px !important    
}

데모 Jsfiddle


이것은 매우 간단한 솔루션입니다.
Miron

2

이것은 파일 업로드를위한 좋은 Angular 플러그인이며 무료입니다!

각도 파일 업로드


2
안녕하세요. 링크를 답변으로 게시하지 마십시오. 사이트가 오프라인 상태가되거나 링크가 변경되면 답변이 쓸모 없게됩니다. 대신 사이트의 정보를 사용하여 답변을 작성하고 링크를 참조 용으로 만 사용하십시오. 감사.
Cthulhu

1

나는 Rails에서 잠시 동안이 플러그인으로 고생 한 후 누군가 내가 만든 모든 코드를 쓸모 없게 만들었습니다.

Rails에서 이것을 사용하지 않는 것처럼 보이지만 누군가 사용하고 있다면 this gem을 확인하십시오 . 소스는 여기에 있습니다-> jQueryFileUpload Rails .

최신 정보:

댓글 작성자를 만족시키기 위해 내 답변을 업데이트했습니다. 본질적으로 " use this gem , 여기에 소스 코드가 있습니다. "만약 그것이 사라지면 먼 길을 가십시오.



1

Droply.js 는 이것에 완벽합니다. 간단하고 즉시 작동하는 데모 사이트가 미리 패키지로 제공됩니다.


0

uploadify 를 사용할 수 있습니다. 이것은 내가 사용한 최고의 multiupload jquery 플러그인입니다.

구현이 쉽고 브라우저 지원이 완벽합니다.


7
플래시를 필요로 ... :(
에바

2
HTML 5 버전을 사용할 수 있습니다. :)
CORSAIR

5
내가 착각하지 않았다면 uploadify의 html5 버전은 무료가 아닙니다. 비용은 $ 5입니다. uploadify.com/download
0112

2
그러나 이것은 500이 아니라 5 $에 불과합니다.
CORSAIR 2014

7
상업용으로 uploadify를 사용하려면 상업용 라이선스 ($ 100)를 구입해야합니다. uploadify.com/download/download-uploadifive-commercial
Tim

0

UI 플러그인의 경우 jsp 페이지 및 Spring MVC ..

샘플 html . id 속성이 fileupload 인 양식 요소 내에 있어야합니다.

    <!-- The fileupload-buttonbar contains buttons to add/delete files and start/cancel the upload -->
<div class="fileupload-buttonbar">
    <div>
        <!-- The fileinput-button span is used to style the file input field as button -->
        <span class="btn btn-success fileinput-button">
            <i class="glyphicon glyphicon-plus"></i>
            <span>Add files</span>
            <input id="fileuploadInput" type="file" name="files[]" multiple>
        </span>
        <%-- https://stackoverflow.com/questions/925334/how-is-the-default-submit-button-on-an-html-form-determined --%>
        <button type="button" class="btn btn-primary start">
            <i class="glyphicon glyphicon-upload"></i>
            <span>Start upload</span>
        </button>
        <button type="reset" class="btn btn-warning cancel">
            <i class="glyphicon glyphicon-ban-circle"></i>
            <span>Cancel upload</span>
        </button>
        <!-- The global file processing state -->
        <span class="fileupload-process"></span>
    </div>
    <!-- The global progress state -->
    <div class="fileupload-progress fade">
        <!-- The global progress bar -->
        <div class="progress progress-striped active" role="progressbar" aria-valuemin="0" aria-valuemax="100">
            <div class="progress-bar progress-bar-success" style="width:0%;"></div>
        </div>
        <!-- The extended global progress state -->
        <div class="progress-extended">&nbsp;</div>
    </div>
</div>
<!-- The table listing the files available for upload/download -->
<table role="presentation" class="table table-striped"><tbody class="files"></tbody></table>

<link rel="stylesheet" type="text/css" href="${pageContext.request.contextPath}/js/jquery-file-upload-9.14.2/css/jquery.fileupload.css">
<link rel="stylesheet" type="text/css" href="${pageContext.request.contextPath}/js/jquery-file-upload-9.14.2/css/jquery.fileupload-ui.css">

<script type="text/javascript" src="${pageContext.request.contextPath}/js/jquery-file-upload-9.14.2/js/vendor/jquery.ui.widget.js"></script>
<script type="text/javascript" src="${pageContext.request.contextPath}/js/jquery-file-upload-9.14.2/js/jquery.iframe-transport.js"></script>
<script type="text/javascript" src="${pageContext.request.contextPath}/js/jquery-file-upload-9.14.2/js/jquery.fileupload.js"></script>
<script type="text/javascript" src="${pageContext.request.contextPath}/js/jquery-file-upload-9.14.2/js/jquery.fileupload-process.js"></script>
<script type="text/javascript" src="${pageContext.request.contextPath}/js/jquery-file-upload-9.14.2/js/jquery.fileupload-validate.js"></script>
<script type="text/javascript" src="${pageContext.request.contextPath}/js/jquery-file-upload-9.14.2/js/jquery.fileupload-ui.js"></script>

<script type="text/javascript">
    $(document).ready(function () {
            var maxFileSizeBytes = ${maxFileSizeBytes};
        if (maxFileSizeBytes < 0) {
            //-1 or any negative value means no size limit
            //set to undefined
            ///programming/5795936/how-to-set-a-javascript-var-as-undefined
            maxFileSizeBytes = void 0;
        }

        //https://github.com/blueimp/jQuery-File-Upload/wiki/Options
        ///programming/34063348/jquery-file-upload-basic-plus-ui-and-i18n
        ///programming/11337897/how-to-customize-upload-download-template-of-blueimp-jquery-file-upload
        $('#fileupload').fileupload({
            url: '${pageContext.request.contextPath}/app/uploadResources.do',
            fileInput: $('#fileuploadInput'),
            acceptFileTypes: /(\.|\/)(jrxml|png|jpe?g)$/i,
            maxFileSize: maxFileSizeBytes,
            messages: {
                acceptFileTypes: '${fileTypeNotAllowedText}',
                maxFileSize: '${fileTooLargeMBText}'
            },
            filesContainer: $('.files'),
            uploadTemplateId: null,
            downloadTemplateId: null,
            uploadTemplate: function (o) {
                var rows = $();
                $.each(o.files, function (index, file) {
                    var row = $('<tr class="template-upload fade">' +
                            '<td><p class="name"></p>' +
                            '<strong class="error text-danger"></strong>' +
                            '</td>' +
                            '<td><p class="size"></p>' +
                            '<div class="progress progress-striped active" role="progressbar" aria-valuemin="0" aria-valuemax="100" aria-valuenow="0">' +
                            '<div class="progress-bar progress-bar-success" style="width:0%;"></div></div>' +
                            '</td>' +
                            '<td>' +
                            (!index && !o.options.autoUpload ?
                                    '<button class="btn btn-primary start" disabled>' +
                                    '<i class="glyphicon glyphicon-upload"></i> ' +
                                    '<span>${startText}</span>' +
                                    '</button>' : '') +
                            (!index ? '<button class="btn btn-warning cancel">' +
                                    '<i class="glyphicon glyphicon-ban-circle"></i> ' +
                                    '<span>${cancelText}</span>' +
                                    '</button>' : '') +
                            '</td>' +
                            '</tr>');
                    row.find('.name').text(file.name);
                    row.find('.size').text(o.formatFileSize(file.size));
                    if (file.error) {
                        row.find('.error').text(file.error);
                    }
                    rows = rows.add(row);
                });
                return rows;
            },
            downloadTemplate: function (o) {
                var rows = $();
                $.each(o.files, function (index, file) {
                    var row = $('<tr class="template-download fade">' +
                            '<td><p class="name"></p>' +
                            (file.error ? '<strong class="error text-danger"></strong>' : '') +
                            '</td>' +
                            '<td><span class="size"></span></td>' +
                            '<td>' +
                            (file.deleteUrl ? '<button class="btn btn-danger delete">' +
                                    '<i class="glyphicon glyphicon-trash"></i> ' +
                                    '<span>${deleteText}</span>' +
                                    '</button>' : '') +
                            '<button class="btn btn-warning cancel">' +
                            '<i class="glyphicon glyphicon-ban-circle"></i> ' +
                            '<span>${clearText}</span>' +
                            '</button>' +
                            '</td>' +
                            '</tr>');
                    row.find('.name').text(file.name);
                    row.find('.size').text(o.formatFileSize(file.size));
                    if (file.error) {
                        row.find('.error').text(file.error);
                    }
                    if (file.deleteUrl) {
                        row.find('button.delete')
                                .attr('data-type', file.deleteType)
                                .attr('data-url', file.deleteUrl);
                    }
                    rows = rows.add(row);
                });
                return rows;
            }
        });

    });
</script>

샘플 업로드 및 삭제 요청 핸들러

    @PostMapping("/app/uploadResources")
public @ResponseBody
Map<String, List<FileUploadResponse>> uploadResources(MultipartHttpServletRequest request,
        Locale locale) {
    //https://github.com/jdmr/fileUpload/blob/master/src/main/java/org/davidmendoza/fileUpload/web/ImageController.java
    //https://github.com/blueimp/jQuery-File-Upload/wiki/Setup#using-jquery-file-upload-ui-version-with-a-custom-server-side-upload-handler
    Map<String, List<FileUploadResponse>> response = new HashMap<>();
    List<FileUploadResponse> fileList = new ArrayList<>();

    String deleteUrlBase = request.getContextPath() + "/app/deleteResources.do?filename=";

    //http://docs.spring.io/spring/docs/current/javadoc-api/org/springframework/web/multipart/MultipartRequest.html
    Iterator<String> itr = request.getFileNames();
    while (itr.hasNext()) {
        String htmlParamName = itr.next();
        MultipartFile file = request.getFile(htmlParamName);
        FileUploadResponse fileDetails = new FileUploadResponse();
        String filename = file.getOriginalFilename();
        fileDetails.setName(filename);
        fileDetails.setSize(file.getSize());
        try {
            String message = saveFile(file);
            if (message != null) {
                String errorMessage = messageSource.getMessage(message, null, locale);
                fileDetails.setError(errorMessage);
            } else {
                //save successful
                String encodedFilename = URLEncoder.encode(filename, "UTF-8");
                String deleteUrl = deleteUrlBase + encodedFilename;
                fileDetails.setDeleteUrl(deleteUrl);
            }
        } catch (IOException ex) {
            logger.error("Error", ex);
            fileDetails.setError(ex.getMessage());
        }

        fileList.add(fileDetails);
    }

    response.put("files", fileList);

    return response;
}

@PostMapping("/app/deleteResources")
public @ResponseBody
Map<String, List<Map<String, Boolean>>> deleteResources(@RequestParam("filename") List<String> filenames) {
    Map<String, List<Map<String, Boolean>>> response = new HashMap<>();
    List<Map<String, Boolean>> fileList = new ArrayList<>();

    String templatesPath = Config.getTemplatesPath();
    for (String filename : filenames) {
        Map<String, Boolean> fileDetails = new HashMap<>();

        String cleanFilename = ArtUtils.cleanFileName(filename);
        String filePath = templatesPath + cleanFilename;

        File file = new File(filePath);
        boolean deleted = file.delete();

        if (deleted) {
            fileDetails.put(cleanFilename, true);
        } else {
            fileDetails.put(cleanFilename, false);
        }

        fileList.add(fileDetails);
    }

    response.put("files", fileList);

    return response;
}

필수 json 응답을 생성하기위한 샘플 클래스

    public class FileUploadResponse {
    //https://github.com/blueimp/jQuery-File-Upload/wiki/Setup#using-jquery-file-upload-ui-version-with-a-custom-server-side-upload-handler

    private String name;
    private long size;
    private String error;
    private String deleteType = "POST";
    private String deleteUrl;

    /**
     * @return the name
     */
    public String getName() {
        return name;
    }

    /**
     * @param name the name to set
     */
    public void setName(String name) {
        this.name = name;
    }

    /**
     * @return the size
     */
    public long getSize() {
        return size;
    }

    /**
     * @param size the size to set
     */
    public void setSize(long size) {
        this.size = size;
    }

    /**
     * @return the error
     */
    public String getError() {
        return error;
    }

    /**
     * @param error the error to set
     */
    public void setError(String error) {
        this.error = error;
    }

    /**
     * @return the deleteType
     */
    public String getDeleteType() {
        return deleteType;
    }

    /**
     * @param deleteType the deleteType to set
     */
    public void setDeleteType(String deleteType) {
        this.deleteType = deleteType;
    }

    /**
     * @return the deleteUrl
     */
    public String getDeleteUrl() {
        return deleteUrl;
    }

    /**
     * @param deleteUrl the deleteUrl to set
     */
    public void setDeleteUrl(String deleteUrl) {
        this.deleteUrl = deleteUrl;
    }

}

참조 https://pitipata.blogspot.co.ke/2017/01/using-jquery-file-upload-ui.html를

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.