91超碰碰碰碰久久久久久综合_超碰av人澡人澡人澡人澡人掠_国产黄大片在线观看画质优化_txt小说免费全本

溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務條款》

vue-cli系列之vue-cli-service整體架構的示例分析

發布時間:2021-09-10 14:13:25 來源:億速云 閱讀:93 作者:小新 欄目:web開發

這篇文章給大家分享的是有關vue-cli系列之vue-cli-service整體架構的示例分析的內容。小編覺得挺實用的,因此分享給大家做個參考,一起跟隨小編過來看看吧。

概述

vue啟動一個項目的時候,需要執行npm run serve,其中這個serve的內容就是vue-cli-service serve。可見,項目的啟動關鍵是這個vue-cli-service與它的參數serve。

關鍵代碼

vue-cli-service.js

const semver = require('semver')
const { error } = require('@vue/cli-shared-utils')
const requiredVersion = require('../package.json').engines.node

// 檢測node版本是否符合vue-cli運行的需求。不符合則打印錯誤并退出。
if (!semver.satisfies(process.version, requiredVersion)) {
 error(
  `You are using Node ${process.version}, but vue-cli-service ` +
  `requires Node ${requiredVersion}.\nPlease upgrade your Node version.`
 )
 process.exit(1)
}

// cli-service的核心類。
const Service = require('../lib/Service')
// 新建一個service的實例。并將項目路徑傳入。一般我們在項目根路徑下運行該cli命令。所以process.cwd()的結果一般是項目根路徑
const service = new Service(process.env.VUE_CLI_CONTEXT || process.cwd())

// 參數處理。
const rawArgv = process.argv.slice(2)
const args = require('minimist')(rawArgv, {
 boolean: [
  // build
  'modern',
  'report',
  'report-json',
  'watch',
  // serve
  'open',
  'copy',
  'https',
  // inspect
  'verbose'
 ]
})
const command = args._[0]

// 將參數傳入service這個實例并啟動后續工作。如果我們運行的是npm run serve。則command = "serve"。
service.run(command, args, rawArgv).catch(err => {
 error(err)
 process.exit(1)
})

Service.js

上面實例化并調用了service的run方法,這里從構造函數到run一路瀏覽即可。

const fs = require('fs')
const path = require('path')
const debug = require('debug')
const chalk = require('chalk')
const readPkg = require('read-pkg')
const merge = require('webpack-merge')
const Config = require('webpack-chain')
const PluginAPI = require('./PluginAPI')
const loadEnv = require('./util/loadEnv')
const defaultsDeep = require('lodash.defaultsdeep')
const { warn, error, isPlugin, loadModule } = require('@vue/cli-shared-utils')

const { defaults, validate } = require('./options')

module.exports = class Service {
 constructor (context, { plugins, pkg, inlineOptions, useBuiltIn } = {}) {
  process.VUE_CLI_SERVICE = this
  this.initialized = false
  // 一般是項目根目錄路徑。
  this.context = context
  this.inlineOptions = inlineOptions
  // webpack相關收集。不是本文重點。所以未列出該方法實現
  this.webpackChainFns = []
  this.webpackRawConfigFns = []
  this.devServerConfigFns = []
  //存儲的命令。
  this.commands = {}
  // Folder containing the target package.json for plugins
  this.pkgContext = context
  // 鍵值對存儲的pakcage.json對象,不是本文重點。所以未列出該方法實現
  this.pkg = this.resolvePkg(pkg)
  // **這個方法下方需要重點閱讀。**
  this.plugins = this.resolvePlugins(plugins, useBuiltIn)
  
  // 結果為{build: production, serve: development, ... }。大意是收集插件中的默認配置信息
  // 標注build命令主要用于生產環境。
  this.modes = this.plugins.reduce((modes, { apply: { defaultModes }}) => {
   return Object.assign(modes, defaultModes)
  }, {})
 }

 init (mode = process.env.VUE_CLI_MODE) {
  if (this.initialized) {
   return
  }
  this.initialized = true
  this.mode = mode

  // 加載.env文件中的配置
  if (mode) {
   this.loadEnv(mode)
  }
  // load base .env
  this.loadEnv()

  // 讀取用戶的配置信息.一般為vue.config.js
  const userOptions = this.loadUserOptions()
  // 讀取項目的配置信息并與用戶的配置合并(用戶的優先級高)
  this.projectOptions = defaultsDeep(userOptions, defaults())

  debug('vue:project-config')(this.projectOptions)

  // 注冊插件。
  this.plugins.forEach(({ id, apply }) => {
   apply(new PluginAPI(id, this), this.projectOptions)
  })

  // wepback相關配置收集
  if (this.projectOptions.chainWebpack) {
   this.webpackChainFns.push(this.projectOptions.chainWebpack)
  }
  if (this.projectOptions.configureWebpack) {
   this.webpackRawConfigFns.push(this.projectOptions.configureWebpack)
  }
 }


 resolvePlugins (inlinePlugins, useBuiltIn) {
  const idToPlugin = id => ({
   id: id.replace(/^.\//, 'built-in:'),
   apply: require(id)
  })

  let plugins
  
  
  // 主要是這里。map得到的每個插件都是一個{id, apply的形式}
  // 其中require(id)將直接import每個插件的默認導出。
  // 每個插件的導出api為
  // module.exports = (PluginAPIInstance,projectOptions) => {
  //  PluginAPIInstance.registerCommand('cmdName(例如npm run serve中的serve)', args => {
  //    // 根據命令行收到的參數,執行該插件的業務邏輯
  //  })
  //  // 業務邏輯需要的其他函數
  //}
  // 注意著里是先在構造函數中resolve了插件。然后再run->init->方法中將命令,通過這里的的apply方法,
  // 將插件對應的命令注冊到了service實例。
  const builtInPlugins = [
   './commands/serve',
   './commands/build',
   './commands/inspect',
   './commands/help',
   // config plugins are order sensitive
   './config/base',
   './config/css',
   './config/dev',
   './config/prod',
   './config/app'
  ].map(idToPlugin)
  
  // inlinePlugins與非inline得處理。默認生成的項目直接運行時候,除了上述數組的插件['./commands/serve'...]外,還會有
  // ['@vue/cli-plugin-babel','@vue/cli-plugin-eslint','@vue/cli-service']。
  // 處理結果是兩者的合并,細節省略。
  if (inlinePlugins) {
    //...
  } else {
    //...默認走這條路線
   plugins = builtInPlugins.concat(projectPlugins)
  }

  // Local plugins 處理package.json中引入插件的形式,具體代碼省略。

  return plugins
 }

 async run (name, args = {}, rawArgv = []) {
  // mode是dev還是prod?
  const mode = args.mode || (name === 'build' && args.watch ? 'development' : this.modes[name])

  // 收集環境變量、插件、用戶配置
  this.init(mode)

  args._ = args._ || []
  let command = this.commands[name]
  if (!command && name) {
   error(`command "${name}" does not exist.`)
   process.exit(1)
  }
  if (!command || args.help) {
   command = this.commands.help
  } else {
   args._.shift() // remove command itself
   rawArgv.shift()
  }
  // 執行命令。例如vue-cli-service serve 則,執行serve命令。
  const { fn } = command
  return fn(args, rawArgv)
 }

 // 收集vue.config.js中的用戶配置。并以對象形式返回。
 loadUserOptions () {
  // 此處代碼省略,可以簡單理解為
  // require(vue.config.js)
  return resolved
 }
}

PluginAPI

這里主要是連接了plugin的注冊和service實例。抽象過的代碼如下

class PluginAPI {

 constructor (id, service) {
  this.id = id
  this.service = service
 }
 // 在service的init方法中
 // 該函數會被調用,調用處如下。
 // // apply plugins.
 // 這里的apply就是插件暴露出來的函數。該函數將PluginAPI實例和項目配置信息(例如vue.config.js)作為參數傳入
 // 通過PluginAPIInstance.registerCommand方法,將命令注冊到service實例。
 // this.plugins.forEach(({ id, apply }) => {
 //  apply(new PluginAPI(id, this), this.projectOptions)
 // })
 registerCommand (name, opts, fn) {
  if (typeof opts === 'function') {
   fn = opts
   opts = null
  }
  this.service.commands[name] = { fn, opts: opts || {}}
 }


}

module.exports = PluginAPI

感謝各位的閱讀!關于“vue-cli系列之vue-cli-service整體架構的示例分析”這篇文章就分享到這里了,希望以上內容可以對大家有一定的幫助,讓大家可以學到更多知識,如果覺得文章不錯,可以把它分享出去讓更多的人看到吧!

向AI問一下細節

免責聲明:本站發布的內容(圖片、視頻和文字)以原創、轉載和分享為主,文章觀點不代表本網站立場,如果涉及侵權請聯系站長郵箱:is@yisu.com進行舉報,并提供相關證據,一經查實,將立刻刪除涉嫌侵權內容。

AI

宜宾市| 勃利县| 绩溪县| 北海市| 白朗县| 桐柏县| 凯里市| 即墨市| 霍林郭勒市| 桦甸市| 东港市| 四川省| 阿拉善左旗| 右玉县| 灵山县| 新宾| 望奎县| 宾川县| 通辽市| 祁东县| 东辽县| 陵川县| 泰兴市| 微山县| 应用必备| 丰原市| 金平| 即墨市| 营口市| 句容市| 平遥县| 银川市| 威信县| 大余县| 阜新市| 遵义县| 白玉县| 鱼台县| 颍上县| 吉林省| 峨眉山市|