<el-upload v-if="userType!=='stu'" accept=".png,.jpeg,.jpg" action :http-request="uploadPhoto" :file-list="fileImgList" :show-upload-list="false" list-type="picture-card" :on-preview="handlePictureCardPreview" :on-remove="handleRemove"><i class="el-icon-plus"></i> <template slot="file" slot-scope="{ file }"> <div class="el-upload-list__item-thumbnail"><img :src="file.url" alt=""/></div> <span class="el-upload-list__item-actions"> <span class="el-upload-list__item-preview" @click="handlePictureCardPreview(file)"> <i class="el-icon-zoom-in"></i> </span> <span class="el-upload-list__item-delete" @click="handleRemove(file)"> <i class="el-icon-delete"></i> </span> </span></template> </el-upload>将这段代码中的图片改为缩略图
时间: 2024-02-14 20:22:43 浏览: 155
上传图片并显示缩略图
要将el-upload组件中的图片改为缩略图,你可以在上传文件之后,通过一个方法将上传的图片转换为缩略图,然后在自定义的上传文件列表项中显示缩略图。
以下是一个简单的实现方法:
```html
<el-upload v-if="userType!=='stu'"
accept=".png,.jpeg,.jpg"
action
:http-request="uploadPhoto"
:file-list="fileImgList"
:show-upload-list="false"
list-type="picture-card"
:on-preview="handlePictureCardPreview"
:on-remove="handleRemove"
>
<i class="el-icon-plus"></i>
<template slot="file" slot-scope="{ file }">
<div class="el-upload-list__item-thumbnail">
<img :src="file.thumbUrl || file.url" alt="" />
</div>
<span class="el-upload-list__item-actions">
<span class="el-upload-list__item-preview" @click="handlePictureCardPreview(file)">
<i class="el-icon-zoom-in"></i>
</span>
<span class="el-upload-list__item-delete" @click="handleRemove(file)">
<i class="el-icon-delete"></i>
</span>
</span>
</template>
</el-upload>
```
在这里,我们在自定义的上传文件列表项中,通过判断`file`对象中是否有`thumbUrl`属性来确定要显示的是原图还是缩略图。如果`file`对象中有`thumbUrl`属性,则显示缩略图,否则显示原图。同时,我们还需要在上传完成后将上传的图片转换为缩略图,这可以通过使用`HTML5 Canvas API`来实现。
以下是一个将上传的图片转换为缩略图的方法:
```javascript
function getImgThumb(file, callback) {
const reader = new FileReader();
reader.onload = function(e) {
const img = new Image();
img.src = e.target.result;
img.onload = function() {
const canvas = document.createElement('canvas');
const ctx = canvas.getContext('2d');
const width = 100; // 缩略图宽度
const height = (img.height / img.width) * width; // 缩略图高度
canvas.width = width;
canvas.height = height;
ctx.drawImage(img, 0, 0, width, height);
canvas.toBlob(function(blob) {
const thumbUrl = URL.createObjectURL(blob);
callback(thumbUrl);
}, 'image/jpeg', 0.8);
};
};
reader.readAsDataURL(file);
}
```
在这里,我们使用`FileReader`对象读取上传的图片,然后创建一个`Image`对象并指定其`src`属性为读取到的图片数据,当图片加载完成后,再利用`Canvas`对象将图片转换为缩略图,并通过`toBlob`方法将缩略图转换为`Blob`对象,最后通过`URL.createObjectURL`方法将`Blob`对象转换为缩略图的URL。
你可以在上传文件完成后调用这个方法将上传的图片转换为缩略图,并将`thumbUrl`保存在`file`对象中,供自定义的上传文件列表项使用。
例如:
```javascript
uploadPhoto(file) {
getImgThumb(file.file, function(thumbUrl) {
file.thumbUrl = thumbUrl;
// 在这里执行上传操作并将上传结果保存在file对象中
});
}
```
这样就可以将el-upload组件中的图片改为缩略图了。
阅读全文