使用vue組件封裝共用的組件
這裡提供兩種vue封裝共用組件的方法
方法一
main.js中
import ListItem from './components/list.vue'//封裝共用組件方法一 Vue.component('ListItem',ListItem)
方法二
新建vue文件的時候再建個相應的js文件。
component.js
import child from './component.vue' export default child.install = function (Vue) { Vue.component(child.name,child) }
main.js中
import child from './components/component/component.js'//封裝共用組件方法二 Vue.use(child)
通過上面的兩種方法定義公共組件後都可以直接<child>和<component>這樣調用組件瞭,無需在每個vue文件中important組件瞭。
說說方法二吧根據官方文檔提供的api
vue使用install定義安裝全局組件需要install和use這兩個api來配合才能完成。我更喜歡第一種但是今天看瞭公司的代碼認識到瞭第二種方法,也發現瞭vue提供瞭不少提高生產效率的api往後會繼續深入去學習這些api。
同時也解決瞭一個困惑很長時間的問題,element ui中的message這個組件不需要vue.use安裝直接就能用,因為element源碼中直接將這個組件賦值到vue的prototype上瞭,其他的組件都隻export 暴露出install方法所以其他組件需要vue.use安裝
vue封裝公共組件調用方法
需求:項目中所有的提示信息都是彈框樣式的,並且顯示兩秒後自動消失
vue頁面
<template> <!-- 公用提示信息頁面 --> <el-dialog title="提示" :visible.sync="dialogVisible" :show-close="false" top="40vh" width="30%" > <div class="content"> <span>{{ text }}</span> </div> </el-dialog> </template>
<script> export default { data() { return { dialogVisible: true, text: "" }; } }; </script>
<style lang="less" scoped> .content { font-size: 16px; color: #333; text-align: center; span { margin-left: 10px; } } /deep/ .el-dialog__header { padding: 0; height: 50px; line-height: 50px; text-align: center; font-weight: 600; background-color: #08519c; } /deep/ .el-dialog__title { color: #fff; } </style>
js頁面
// 公共提示信息js import Vue from "vue"; import Toast from "./dialogMessage.vue"; //引入組件 // 返回一個“擴展實例構造器” let ToastConstructor = Vue.extend(Toast); let myToast = (text, duration) => { let toastDom = new ToastConstructor({ el: document.createElement("div") //將toast組件掛載到新創建的div上 }); document.body.appendChild(toastDom.$el); //把toast組件的dom添加到body裡 toastDom.text = text; toastDom.duration = duration; // 在指定 duration 之後讓 toast消失 setTimeout(() => { toastDom.dialogVisible = false; }, toastDom.duration); // 調用時 this.$toast("新內容", 1000); }; export default myToast;
在main.js中全局註冊
import toast from "./components/dialogMessage.js"; //引入toast函數 //給Vue對象添加$toast方法 Vue.prototype.$toast = toast;
頁面中使用,像使用message一樣
this.$toast("新內容", 1000);
效果
以上為個人經驗,希望能給大傢一個參考,也希望大傢多多支持WalkonNet。