这篇文章将为大家详细讲解有关怎么在Vue中自定义一个文件选择器组件,文章内容质量较高,因此小编分享给大家做个参考,希望大家阅读完这篇文章后对相关知识有一定的了解。
使用 vue-cli
的 webpack-simple
模板启动一个新项目。
$ npm install -g vue-cli
$ vue init webpack-simple ./file-upload # Follow the prompts.
$ cd ./file-upload
$ npm install # or yarn
组件模板和样式
该组件主要做的就是将 input type=”file”
元素包装在标签中,并在其中显示其他内容,这种思路虽然简单,便却很实用。
// FileSelect.vue
<template>
<label class="file-select">
<div class="select-button">
<span v-if="value">Selected File: {{value.name}}</span>
<span v-else>Select File</span>
</div>
<input type="file" @change="handleFileChange"/>
</label>
</template>
现在来加一些样式美化一下:
// FileSelect.vue
...
<style scoped>
.file-select > .select-button {
padding: 1rem;
color: white;
background-color: #2EA169;
border-radius: .3rem;
text-align: center;
font-weight: bold;
}
/* Don't forget to hide the original file input! */
.file-select > input[type="file"] {
display: none;
}
</style>
封装逻辑
对于浏览器来说, file
是一种非常特殊的类型,所以有一些特殊的规则使它们有时很难处理。(更多信息请 点击这里 )。因此,我们可以借助 v-model
来封装,让该组件像普通表单元素一样。我们知道 v
我们知道, Vue 是单项数据流, v-model
只是语法糖而已,如下所示:
<input v-model="sth" />
// 上面等价于下面
<input v-bind:value="sth" v-on:input="sth = $event.target.value" />
知道了 v-model 的原理,我们来实现一下 FileSelect 组件的逻辑:
// FileSelect.vue
<script>
export default {
props: {
// 这里接受一个 value 因为 v-model 会给组件传递一个 value 属性
value: File
},
methods: {
handleFileChange(e) {
// 同样触发一个 input 来配合 v-model 的使用
this.$emit('input', e.target.files[0])
}
}
}
</script>
用法
现在,我们来用下 FileSelect
组件
// App.vue
<template>
<div>
<p>选择文件: <file-select v-model="file"></file-select></p>
<p v-if="file">{{file.name}}</p>
</div>
</template>
<script>
import FileSelect from './FileSelect.vue'
export default {
components: {
FileSelect
},
data() {
return {
file: null
}
}
}
</script>
关于怎么在Vue中自定义一个文件选择器组件就分享到这里了,希望以上内容可以对大家有一定的帮助,可以学到更多知识。如果觉得文章不错,可以把它分享出去让更多的人看到。