JavaScrip实现图片压缩与分辨率等比例缩放

 更新时间:2024年03月27日 09:56:21   作者:大晒啦  
这篇文章主要为大家详细介绍了如何使用JavaScrip实现图片压缩与分辨率等比例缩放,文中的示例代码讲解详细,感兴趣的小伙伴可以跟随小编一起学习一下

实现代码

<input type="file" id="file" />
<script>
    function imageScale(width, originWidth, originHeight) {
        const scaleRatio = width / originWidth;
        const scaleHeight = scaleRatio * originHeight;
        return [width, scaleHeight];
    }

    function compress(file, scaleWidth, quality = 0.5) {
        return new Promise((resolve, reject) => {
            const reader = new FileReader();
            reader.readAsDataURL(file);
            reader.onload = (e) => {
                let img = new Image();
                img.src = e.target.result;
                img.onload = function () {
                    // 等比例缩放图片
                    const [width, height] = imageScale(
                        scaleWidth,
                        img.width,
                        img.height
                    );
                    let canvas = document.createElement("canvas");
                    img.width = canvas.width = width;
                    img.height = canvas.height = height;
                    let ctx = canvas.getContext("2d");
                    ctx.drawImage(img, 0, 0, img.width, img.height);
                    canvas.toBlob(
                        (blob) => {
                            resolve(blob);
                        },
                        "image/jpeg",
                        quality
                    );
                };

                img.onerror = function () {
                    reject();
                };
            };
        });
    }

    file.onchange = function () {
        compress(this.files[0], 200).then((blob) => {
            let url = window.URL.createObjectURL(blob);
            const img = document.createElement("img");
            img.src = url;
            img.width = 200;
            document.body.appendChild(img);
        });
    };
</script>

效果图

方法补充

除了上文的方法,小编还为大家介绍了其他JavaScrip等比压缩图片的方法,希望对大家有所帮助

JS利用Canvas实现图片等比例裁剪、压缩

原理:

图像压缩有两种方式,目前写的方法是两者都支持且能够共同处理

1.图像尺寸裁剪,由大变小

2.尺寸不变,图片质量缩减

引用代码:

if (!HTMLCanvasElement.prototype.toBlob) {
  Object.defineProperty(HTMLCanvasElement.prototype, 'toBlob', {
    value: function(callback, type, quality) {
      var canvas = this
      setTimeout(() => {
        var binStr = atob(canvas.toDataURL(type, quality).split(',')[1])
        var len = binStr.length
        var arr = new Uint8Array(len)
        for (var i = 0; i < len; i++) {
          arr[i] = binStr.charCodeAt(i)
        }
        callback(new Blob([arr], { type: type || 'image/png' }))
      })
    }
  })
}

/**
 * 图片压缩
 * @param {object} options 参数
 * @param {string} options.content 图像内容
 * @param {number} options.maxWidth 最大宽度
 * @param {number} options.maxHeight 最大高度
 * @param {number} options.quality 图像质量
 * @example rotateImage({ content: Img, maxWidth: 1000, maxHeight: 1000, quality: 0.8 })
 * @returns {Promise<object>} 结果值
 */
const compressionImage = function(options = {}) {
  if (!options || typeof options !== 'object') {
    throw new Error(`[compressionImage error]: options is not a object`)
  }
  if (!options.content || (typeof options.content !== 'string' && !(options.content instanceof File))) {
    throw new Error(`[compressionImage error]: options.content is not a string or file`)
  }
  if (typeof options.maxWidth !== 'number') {
    throw new Error(`[compressionImage error]: options.maxWidth is not a number`)
  }
  if (typeof options.maxHeight !== 'number') {
    throw new Error(`[compressionImage error]: options.maxHeight is not a number`)
  }
  if (typeof options.quality !== 'number') {
    throw new Error(`[compressionImage error]: options.quality is not a number`)
  }
  return new Promise(resolve => {
    const set = (content, type) => {
      const canvasDOM = document.createElement('canvas')
      const canvasContext = canvasDOM.getContext('2d')
      const img = new Image()
      img.src = content
      img.onload = () => {
        let targetWidth
        let targetHeight
        if (img.width > options.maxWidth && img.height > options.maxHeight) {
          const rate = Math.min(options.maxWidth / img.width, options.maxHeight / img.height)
          targetWidth = img.width * rate
          targetHeight = img.height * rate
        } else if (img.width > options.maxWidth) {
          targetWidth = options.maxWidth
          targetHeight = (options.maxWidth / img.width) * img.height
        } else if (img.height > options.maxHeight) {
          targetHeight = options.maxHeight
          targetWidth = (options.maxHeight / img.height) * img.width
        } else {
          targetWidth = img.width
          targetHeight = img.height
        }
        canvasDOM.width = targetWidth
        canvasDOM.height = targetHeight
        canvasContext.drawImage(img, 0, 0, img.width, img.height, 0, 0, targetWidth, targetHeight)
        const url = canvasDOM.toDataURL(type, options.quality)
        const callback = blob => {
          resolve({ url, blob })
        }
        canvasDOM.toBlob(callback, type, options.quality)
      }
    }
    if (options.content instanceof File) {
      const fileReader = new FileReader()
      fileReader.readAsDataURL(options.content)
      fileReader.onload = e => {
        set(e.target.result, options.content.type)
      }
    } else if (typeof options.content === 'string') {
      const fileContent = options.content.includes('base64,') ? options.content : `data:image/jpeg;base64,${options.content}`
      const fileType =
        options.content.includes('data:image/png;base64,') ? 'image/png'
          : options.content.includes('data:image/gif;base64,') ? 'image/gif' : 'image/jpeg'
      set(fileContent, fileType)
    }
  })
}

调用方式:

const { url, blob } = await compressionImage({
  content: 'base64', //图像base64或file文件
  maxWidth: 1000, //最大宽度
  maxHeight: 600, //最大高度
  quality: 0.7 //图像质量,1为100%,建议选值0.95以下,1输出后的图像较大
})
console.log('压缩后的base64内容', url)
console.log('压缩后的blob文件', blob)

到此这篇关于JavaScrip实现图片压缩与分辨率等比例缩放的文章就介绍到这了,更多相关JavaScrip图片等比缩放内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!

相关文章

  • js实现的倒计时按钮实例

    js实现的倒计时按钮实例

    这篇文章主要介绍了js实现的倒计时按钮,实例分析了javascript倒计时效果的相关实现技巧,需要的朋友可以参考下
    2015-06-06
  • 网站页面自动跳转实现方法PHP、JSP(上)

    网站页面自动跳转实现方法PHP、JSP(上)

    自动转向,也叫自动重定向。自动跳转,指当访问用户登陆到某网站时,自动将用户转向其它网页地址的一种技术。转向的网页地址可以是网站内的其它网页,也可以是其它网站。
    2010-08-08
  • JavaScript事件发布/订阅模式原理与用法分析

    JavaScript事件发布/订阅模式原理与用法分析

    这篇文章主要介绍了JavaScript事件发布/订阅模式,结合实例形式简单分析了javascript发布/订阅模式的概念、原理及简单使用方法,需要的朋友可以参考下
    2018-08-08
  • axios的get请求传入数组参数原理详解

    axios的get请求传入数组参数原理详解

    这篇文章主要为大家介绍了axios的get请求传入数组参数原理详解,有需要的朋友可以借鉴参考下,希望能够有所帮助,祝大家多多进步,早日升职加薪
    2023-06-06
  • TypeScript中的交叉类型和联合类型示例讲解

    TypeScript中的交叉类型和联合类型示例讲解

    交叉类型简单来说就是通过&符号将多个类型进行合并成一个类型,然后用type来声明新生成的类型,联合类型和交叉类型比较相似,联合类型通过|符号连接多个类型从而生成新的类型,本文就这两个类型结合示例代码详细讲解,感兴趣的朋友跟随小编一起学习吧
    2022-12-12
  • Js判断H5上下滑动方向及滑动到顶部和底部判断的示例代码

    Js判断H5上下滑动方向及滑动到顶部和底部判断的示例代码

    下面小编就为大家分享一篇Js判断H5上下滑动方向及滑动到顶部和底部判断的示例代码,具有很好的参考价值,希望对大家有所帮助。一起跟随小编过来看看吧
    2017-11-11
  • js实现随机抽奖

    js实现随机抽奖

    这篇文章主要为大家详细介绍了js实现随机抽奖功能,文中示例代码介绍的非常详细,具有一定的参考价值,感兴趣的小伙伴们可以参考一下
    2020-03-03
  • js中apply和call的理解与使用方法

    js中apply和call的理解与使用方法

    这篇文章主要给大家介绍了关于js中apply和call的理解与使用方法,文中通过示例代码介绍的非常详细,对大家学习或者使用js具有一定的参考学习价值,需要的朋友们下面来一起学习学习吧
    2019-11-11
  • 分享一道笔试题[有n个直线最多可以把一个平面分成多少个部分]

    分享一道笔试题[有n个直线最多可以把一个平面分成多少个部分]

    今天地铁上和一个同事闲聊,给我说的一道题,回来想了想,写出来的,说来惭愧,我用的是行测方面数字推理里面的知识归纳出来的,当然这个可以用递归写出来,说说我的代码,以及递归的思路
    2012-10-10
  • layui添加动态菜单与选项卡 AJAX请求的例子

    layui添加动态菜单与选项卡 AJAX请求的例子

    今天小编就为大家分享一篇layui添加动态菜单与选项卡 AJAX请求的例子,具有很好的参考价值,希望对大家有所帮助。一起跟随小编过来看看吧
    2019-09-09

最新评论