配置vue全局方法的兩種方式實例

1,前言

在Vue項目開發中,肯定會有這樣一個場景:在不同的組件頁面用到同樣的方法,比如格式化時間,文件下載,對象深拷貝,返回數據類型,復制文本等等。這時候我們就需要把常用函數抽離出來,提供給全局使用。那如何才能定義一個工具函數類,讓我們在全局環境中都可以使用呢?請看下文分解。

PS:本文vue為2.6.12

2,第一種方式

直接添加到Vue實例原型上

首先打開main.js,通過import引入定義的通用方法utils.js文件,然後使用Vue.prototype.$utils = utils,添加到Vue實例上

import Vue from 'vue'
import App from './App.vue'
import router from './router'
import store from './store'
import utils from './utils/Utils'

Vue.prototype.$utils = utils

new Vue({
 router,
 store,
 render: h => h(App)
}).$mount('#app')

之後,在組件頁面中,需要使用的話,就是this.$utils.xxx就行瞭

methods: {
 fn() {
  let time = this.$utils.formatTime(new Date())
 }
}

缺點:

  • 綁定的東西多瞭會使vue實例過大
  • 每次使用都要加上this

優點:

  • 定義簡單

官方說明文檔

3,第二種方式

使用webpack.ProvidePlugin全局引入

首先在vue.config中引入webpack和path,然後在module.exports的configureWebpack對象中定義plugins,引入你需要的js文件

完整的vue.config.js配置如下:

const baseURL = process.env.VUE_APP_BASE_URL
const webpack = require('webpack')
const path = require("path")

module.exports = {
 publicPath: './',
 outputDir: process.env.VUE_APP_BASE_OUTPUTDIR,
 assetsDir: 'assets',
 lintOnSave: true,
 productionSourceMap: false,
 configureWebpack: {
  devServer: {
   open: false,
   overlay: {
    warning: true,
    errors: true,
   },
   host: 'localhost',
   port: '9000',
   hotOnly: false,
   proxy: {
    '/api': {
     target: baseURL,
     secure: false,
     changeOrigin: true, //開啟代理
     pathRewrite: {
      '^/api': '/',
     },
    },
   }
  },
  plugins: [
   new webpack.ProvidePlugin({
          UTILS: [path.resolve(__dirname, './src/utils/Utils.js'), 'default'], // 定義的全局函數類
    TOAST: [path.resolve(__dirname, './src/utils/Toast.js'), 'default'], // 定義的全局Toast彈框方法
    LOADING: [path.resolve(__dirname, './src/utils/Loading.js'), 'default'] // 定義的全局Loading方法
        })
  ]
 }
}

這樣定義好瞭之後,如果你項目中有ESlint,還需要在根目錄下的.eslintrc.js文件中,加入一個globals對象,把定義的全局函數類的屬性名啟用一下,不然會報錯找不到該屬性。

module.exports = {
  root: true,
  parserOptions: {
    parser: 'babel-eslint',
    sourceType: 'module'
  },
  env: {
    browser: true,
    node: true,
    es6: true,
  },
  "globals":{
    "UTILS": true,
    "TOAST": true,
    "LOADING": true
  }
  // ...省略N行ESlint的配置
}

定義好瞭之後,重啟項目, 使用起來如下:

computed: {
 playCount() {
  return (num) => {
   // UTILS是定義的全局函數類
   const count = UTILS.tranNumber(num, 0)
   return count
  }
 }
}

缺點:

  • 還沒發現…

優點:

  • 團隊開發爽

官方說明文檔

總結

到此這篇關於配置vue全局方法的兩種方式的文章就介紹到這瞭,更多相關配置vue全局方法內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: