使用 ReactJS 上传文件组件

IT技术 jquery ajax reactjs
2021-04-10 15:51:11

我一直在寻找有关制作组件以帮助管理从 React 内部上传文件到我设置的端点的一些帮助。

我尝试了很多选项,包括集成filedropjs我决定反对它,因为我无法控制它在 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>
        );
    }
}
});

如果有人能给我指出正确的方向,我会发送一些虚拟的拥抱。我一直在做这方面的工作。我觉得我已经接近了,但还没有完全到位。

谢谢!

4个回答

我也在这方面工作了一段时间。这是我想出的。

一个Dropzone组件,加上使用superagent

// 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"/>

要上传文件,请获取文件列表并通过超级代理发送它们。我使用的是flux,所以我从那家商店得到了图像列表。

  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');
        });
    }
我所指的代码块(我的部分问题)是自下而上的一切request = require('superagent-bluebird-promise')
2021-05-26 15:51:11
@JoeMcBride 陷阱。但是它应该做什么?它总是给我newImageAction is not defined
2021-05-31 15:51:11
@frogbandit 第二个代码块是使用superagent. newImageAction是通量作用。executeAction除非您使用fluxible,否则您不必使用。您可以使用创建的对象newFile,并对其进行任何您想做的事情。
2021-06-01 15:51:11
@frogbanditthis.executeAction()来自雅虎的 Fluxible 框架。fluxible.io - 你指的是什么最终代码块?
2021-06-05 15:51:11
this.executeAction(newImageAction, newFile);做什么?newImageAction 不应该被什么东西取代吗?另外,最终的代码块应该放在哪里——在 Dropzone 组件中还是在 Store 中?
2021-06-09 15:51:11

这可能有帮助

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 请求发送 FormData 对象?

从 React 0.14 开始,“this.refs.file”DOM 节点,因此不推荐使用 getDOMNode。fd.append 行变为:<code>fd.append('file', this.refs.file.files[0]);</code>
2021-06-06 15:51:11
这太棒了!在我能想到的所有浏览器上都能完美运行。谢谢!
2021-06-19 15:51:11

我面临的任务是获得类似 facebook 或 gmail 的行为,一旦用户开始将文件拖到窗口上的任何位置,您的放置目标就会突出显示。我找不到现成的 React 拖放解决方案。所以,我做了一个。

它旨在成为准系统,为您提供自定义和风格的基础。它提供了许多钩子来使您能够做到这一点。但也有一个演示,为您提供了一个示例。

检查一下:https : //www.npmjs.com/package/react-file-drop

演示:http : //sarink.github.io/react-file-drop/demo/

@KabirSarin react-file-drop 有文件删除功能吗?
2021-05-23 15:51:11
@KabirSarin 还可以自定义我想接受的文件类型吗?
2021-06-05 15:51:11

这个https://www.npmjs.com/package/react-dropzone有一个 Dropzone npm 包

okonet.ru/react-dropzone只接受图像?我需要指定类型的文件拖放。是否可以 ?
2021-06-19 15:51:11