进度条与Vue和Axios

dom*_*91c 5 progress progress-bar axios vuejs2

我正在制作一个图像上传器,我想显示一个进度条,一旦选择了一个文件就会开始递增.

我正在使用Axios访问后端,并将其设置如下:

const BASE_URL = 'http://localhost:3000';

function uploadImage(data, listingId) {
  const url = `${BASE_URL}/listings/${listingId}/images`;
  let config = {
    onUploadProgress(progressEvent) {
      var percentCompleted = Math.round((progressEvent.loaded * 100) /
        progressEvent.total);
      return percentCompleted;
    },
  };
  return axios.post(url, data, config).
      then(x => x.request.response).
      catch(error => error);
}
Run Code Online (Sandbox Code Playgroud)

如何percentCompleted从下面的Vue侧访问?

inputDidChange(e) {
  let inputData = e.target.files[0];
  var formData = new FormData();
  formData.append('image', inputData);
  uploadImage(formData, this.listingId).
    then((x) => {
      var xParsed = JSON.parse(x);
      this.newFile = xParsed.image.image.url;
      this.files.push(this.newFile);
      console.log('success');
  });
},
Run Code Online (Sandbox Code Playgroud)

Ber*_*ert 7

将回调传递给您的uploadImage函数.

function uploadImage(data, listingId, onProgress){
  const url = `${BASE_URL}/listings/${listingId}/images`;
  let config = {
     onUploadProgress(progressEvent) {
      var percentCompleted = Math.round((progressEvent.loaded * 100) /
        progressEvent.total);

      // execute the callback
      if (onProgress) onProgress(percentCompleted)

      return percentCompleted;
    },
  };
  return axios.post(url, data, config).
      then(x => x.request.response).
      catch(error => error);
}
Run Code Online (Sandbox Code Playgroud)

然后传入Vue方法.

methods:{
  onProgress(percent){
    //update vue
  },
  inputDidChange(e) {
    let inputData = e.target.files[0];
    var formData = new FormData();
    formData.append('image', inputData);
    uploadImage(formData, this.listingId, this.onProgress).
      then((x) => {
        var xParsed = JSON.parse(x);
        this.newFile = xParsed.image.image.url;
        this.files.push(this.newFile);
        console.log('success');
    });
  },
}
Run Code Online (Sandbox Code Playgroud)