我正在使用canvas.toBlob()回调方法将图像文件转换为blob。但是我看到toBlob与Microsoft Edge浏览器不兼容。

我尝试检测浏览器,并基于使用toBlob()的浏览器。对于Edge,我们有canvas.msToBlob();对于其他浏览器,我们有canvas.toBlob()。我们是否有任何通用的方法来创建Blob?

 let isEdgeBrowser =
 msie\s|trident\/|edge\//i.test(window.navigator.userAgent);
    if (isEdgeBrowser) {
      let blob = canvas.msToBlob();
    }

   if (!isEdgeBrowser) {
      canvas.toBlob((blob) => {
        this.fileUploadedSize = blob.size;
      });
    }

最佳答案

根据this article,我们可以看到HTMLCanvasElement.toBlob()方法不支持Edge浏览器,如果要在Edge浏览器中使用此方法,请尝试添加以下polyfill:

if (!HTMLCanvasElement.prototype.toBlob) {
  Object.defineProperty(HTMLCanvasElement.prototype, 'toBlob', {
    value: function (callback, type, quality) {
      var dataURL = this.toDataURL(type, quality).split(',')[1];
      setTimeout(function() {

        var binStr = atob( dataURL ),
            len = binStr.length,
            arr = new Uint8Array(len);

        for (var i = 0; i < len; i++ ) {
          arr[i] = binStr.charCodeAt(i);
        }

        callback( new Blob( [arr], {type: type || 'image/png'} ) );

      });
    }
  });
}

10-04 22:07