需求:
需要用户上传身份证,并识别身份证的编号存储在后端,这里要求实现图片上传,并转为base64的格式,传给服务器识别图片的身份证号码。由于很多用户用手机拍摄的照片,出现尺寸比较大的情况,因此需要进行压缩处理,比如:图片宽或者高大于1000px,就进行等比例压缩后再进行上传。
思路:
1) 调用 FileReader的 reader.readAsDataURL(img)方法, reader.readAsDataURL(file);读取图片信息。
2) 在reader.onloadend的事件中,新建Image对象,并将reader.result的值赋给img.src,在img.onload中判断尺寸大小。
3) 如果图片尺寸小于最大限制,则不压缩直接上传,否则等比例压缩处理。
4) 通过 canvas 的 canvas.getContext('2d') 的 drawImage 方法, 将Image 改变大小绘制到canvas上。
5) 最后通过canvas.toDataURL()返回新的banse64字符串, 传入服务端。
代码实现:
js实现图片转base64格式,并压缩上传的方法
html:
<div class="btn">
<span>添加</span>
<input type="file" accept="image/jpeg" class="upload" onchange="upload(event)"/>
</div>
css:
<style>
.btn{
position: relative;
width: 150px;
height: 40px;
line-height: 40px;
text-align: center;
font-size: 18px;
background: #F53D68;
color:#fff;
border-radius: 10px;
}
.btn .upload{
position: absolute;
top: 0;
left: 0;
right: 0;
bottom: 0;
width: 100%;
font-size: 0;
opacity: 0;
cursor: pointer;
}
</style>
js:
<script>
function upload(event){
var file=event.target.files[0];
if (file.size > 25 * 1024 * 1024) {
alert("上传文件大小不能超过25M");
return;
}
setBase64(file,toSend);
}
function setBase64(file,fn){//图片文件转换为base64编码
if(!window.FileReader){
alert('浏览器对FileReader方法不兼容');
return;
}
var reader = new FileReader();
reader.readAsDataURL(file);//读出 base64
reader.onloadend = function (){
imgCompress(reader,function(base64){
typeof fn=="function" && fn(base64 || reader.result )//base64
});
};
}
function imgCompress(reader,callback){//图片超过尺寸压缩
var img=new Image();
img.src=reader.result;
img.onload=function(){
var w = this.naturalWidth, h = this.naturalHeight, resizeW = 0, resizeH = 0;
var maxSize = {
width: 1000,
height: 1000,
level: 0.5
};
if(w > maxSize.width || h > maxSize.height){
var multiple = Math.max(w / maxSize.width, h / maxSize.height);
resizeW = w / multiple;
resizeH = h / multiple;
}else{// 如果图片尺寸小于最大限制,则不压缩直接上传
return callback()
}
var canvas = document.createElement('canvas'),
ctx = canvas.getContext('2d');
canvas.width = resizeW;
canvas.height = resizeH;
ctx.drawImage(img, 0, 0, resizeW, resizeH);
var base64 = canvas.toDataURL('image/jpeg', maxSize.level);
callback(base64);
}
}
function toSend(result){//传给后端result为处理好后的base64的字符串。
console.log(result)
}
</script>