programing

React를 사용하여 파일 구성 요소 업로드JS

batch 2023. 4. 6. 21:21
반응형

React를 사용하여 파일 구성 요소 업로드JS

React 내에서 설정한 엔드포인트로 파일을 업로드하는 것을 관리하는 데 도움이 되는 컴포넌트를 만드는 데 도움이 되는 도움을 찾고 있습니다.

fieldropjs를 통합하는 것을 포함한 수많은 옵션을 시도했습니다.DOM에 설정되어 있는 요소를 컨트롤 할 수 없기 때문에 반대 결정을 내렸습니다.new FileDrop('zone', options);

지금까지 제가 알아낸 건 다음과 같습니다.

module.exports =  React.createClass({
displayName: "Upload",
handleChange: function(e){

    formData = this.refs.uploadForm.getDOMNode();

    jQuery.ajax({
        url: 'http://example.com',
        type : 'POST',
        xhr: function(){
            var myXhr = $.ajaxSettings.xhr();
            if(myXhr.upload){
                myXhr.upload.addEventListener('progress',progressHandlingFunction, false);
            }
            return myXhr;
        },
        data: formData,
        cache: false,
        contentType: false,
        processData: false,
        success: function(data){
            alert(data);
        }
    });

},
render: function(){

        return (
            <form ref="uploadForm" className="uploader" encType="multipart/form-data" onChange={this.handleChange}>
                <input ref="file" type="file" name="file" className="upload-file"/>
            </form>
        );
   }

 });



},
render: function(){

    console.log(this.props.content);

    if(this.props.content != ""){
        return (
            <img src={this.props.content} />
        );
    } else {
        return (
            <form className="uploader" encType="multipart/form-data" onChange={this.handleChange}>
                <input ref="file" type="file" name="file" className="upload-file"/>
            </form>
        );
    }
}
});

만약 누군가가 나를 올바른 방향으로 인도해 준다면 나는 가상 포옹을 보낼 것이다.꽤 광범위하게 연구해 왔습니다.가까이 있는 것 같긴 한데, 거기까지는 아닌 것 같아요.

감사합니다!

이것도 꽤 오랫동안 작업했습니다.이게 내가 생각해낸 거야

A Dropzonesuperagent 사용 시 컴포넌트가 결합됩니다.

// based on https://github.com/paramaggarwal/react-dropzone, adds image preview    
const React = require('react');
const _ = require('lodash');

var Dropzone = React.createClass({
  getInitialState: function() {
    return {
      isDragActive: false
    }
  },

  propTypes: {
    onDrop: React.PropTypes.func.isRequired,
    size: React.PropTypes.number,
    style: React.PropTypes.object
  },

  onDragLeave: function(e) {
    this.setState({
      isDragActive: false
    });
  },

  onDragOver: function(e) {
    e.preventDefault();
    e.dataTransfer.dropEffect = 'copy';

    this.setState({
      isDragActive: true
    });
  },

  onDrop: function(e) {
    e.preventDefault();

    this.setState({
      isDragActive: false
    });

    var files;
    if (e.dataTransfer) {
      files = e.dataTransfer.files;
    } else if (e.target) {
      files = e.target.files;
    }

    _.each(files, this._createPreview);
  },

  onClick: function () {
    this.refs.fileInput.getDOMNode().click();
  },

  _createPreview: function(file){
    var self = this
      , newFile
      , reader = new FileReader();

    reader.onloadend = function(e){
      newFile = {file:file, imageUrl:e.target.result};
      if (self.props.onDrop) {
        self.props.onDrop(newFile);
      }
    };

    reader.readAsDataURL(file);
  },

  render: function() {

    var className = 'dropzone';
    if (this.state.isDragActive) {
      className += ' active';
    };

    var style = {
      width: this.props.size || 100,
      height: this.props.size || 100,
      borderStyle: this.state.isDragActive ? 'solid' : 'dashed'
    };

    return (
      <div className={className} onClick={this.onClick} onDragLeave={this.onDragLeave} onDragOver={this.onDragOver} onDrop={this.onDrop}>
        <input style={{display: 'none' }} type='file' multiple ref='fileInput' onChange={this.onDrop} />
        {this.props.children}
      </div>
    );
  }

});

module.exports = Dropzone

사용방법Dropzone.

    <Dropzone onDrop={this.onAddFile}>
      <p>Drag &amp; drop files here or click here to browse for files.</p>
    </Dropzone>

파일이 드롭 존에 추가되면 업로드할 파일 목록에 추가합니다.플럭스 스토어에 추가합니다.

  onAddFile: function(res){
    var newFile = {
      id:uuid(),
      name:res.file.name,
      size: res.file.size,
      altText:'',
      caption: '',
      file:res.file,
      url:res.imageUrl
    };
    this.executeAction(newImageAction, newFile);
  }

imageUrl을 사용하여 파일 미리보기를 표시할 수 있습니다.

  <img ref="img" src={this.state.imageUrl} width="120" height="120"/>

파일을 업로드하려면 파일 목록을 가져와 슈퍼에이전트를 통해 전송합니다.플럭스를 사용하고 있기 때문에, 그 가게에서 이미지 리스트를 입수할 수 있습니다.

  request = require('superagent-bluebird-promise')
  Promise = require('bluebird')

    upload: function(){
      var images = this.getStore(ProductsStore).getNewImages();
      var csrf = this.getStore(ApplicationStore).token;
      var url = '/images/upload';
      var requests = [];
      var promise;
      var self = this;
      _.each(images, function(img){

        if(!img.name || img.name.length == 0) return;

        promise = request
          .post(url)
          .field('name', img.name)
          .field('altText', img.altText)
          .field('caption', img.caption)
          .field('size', img.size)
          .attach('image', img.file, img.file.name)
          .set('Accept', 'application/json')
          .set('x-csrf-token', csrf)
          .on('progress', function(e) {
            console.log('Percentage done: ', e.percent);
          })
          .promise()
          .then(function(res){
            var newImg = res.body.result;
            newImg.id = img.id;
            self.executeAction(savedNewImageAction, newImg);
          })
          .catch(function(err){
            self.executeAction(savedNewImageErrorAction, err.res.body.errors);
          });
        requests.push(promise);
      });

      Promise
        .all(requests)
        .then(function(){
          console.log('all done');
        })
        .catch(function(){
          console.log('done with errors');
        });
    }

이것이 도움이 될 수 있다

var FormUpload = React.createClass({
    uploadFile: function (e) {
        var fd = new FormData();    
        fd.append('file', this.refs.file.getDOMNode().files[0]);

        $.ajax({
            url: 'http://localhost:51218/api/Values/UploadFile',
            data: fd,
            processData: false,
            contentType: false,
            type: 'POST',
            success: function(data){
                alert(data);
            } 
        });
        e.preventDefault()
    },
    render: function() {
        return (
            <div>                
               <form ref="uploadForm" className="uploader" encType="multipart/form-data" >
                   <input ref="file" type="file" name="file" className="upload-file"/>
                   <input type="button" ref="button" value="Upload" onClick={this.uploadFile} />
               </form>                
            </div>
        );
    }
});

여기서 빌린 JQuery에서 Ajax-requests를 사용하여 FormData 객체를 전송하는 방법

사용자가 파일을 창 밖으로 끌기 시작하자마자 드롭 타깃이 강조되는 페이스북이나 지메일 같은 동작을 해야 하는 과제에 직면했습니다.기성 Respect 드래그 앤 드롭 솔루션을 찾을 수 없었습니다.그래서 만들었어요.

베어본으로 커스터마이즈 및 스타일링을 할 수 있는 베이스를 제공합니다.이를 가능하게 하는 많은 후크가 있습니다.하지만 실례를 들 수 있는 데모도 있습니다.

https://www.npmjs.com/package/react-file-drop에서 확인하세요.

데모: http://sarink.github.io/react-file-drop/demo/

이 https://www.npmjs.com/package/react-dropzone에는 Dropzone npm 패키지가 있습니다.

언급URL : https://stackoverflow.com/questions/28750489/upload-file-component-with-reactjs

반응형