简析vue组件库的开发流程

文章内容输出来源:拉勾教育前端高薪训练营

CCD(Component-Driven Development)

自下而上,从组件级别开始,到页面级别结束

优点:

  • 组件在最大程度被重用
  • 并行开发
  • 可视化测试

处理组件的边界情况

main.js

import Vue from 'vue'
import App from './App.vue'

Vue.config.productionTip = false

new Vue({
  render: h => h(App),
  data: {
    title: '根实例 - Root'
  },
  methods: {
    handle () {
      console.log(this.title)
    }
  }
}).$mount('#app')
  • $root:响应式数据,小型的,少量数据的项目中使用,大量数据会难以维护
    root.vue
<template>
  <div>
    <!--
      小型应用中可以在 vue 根实例里存储共享数据
      组件中可以通过 $root 访问根实例
    -->
    $root.title:{{ $root.title }}
    <br>
    <button @click="$root.handle">获取 title</button>&nbsp;&nbsp;
    <button @click="$root.title = 'Hello $root'">改变 title</button>
  </div>
</template>

<script>
export default {

}
</script>

<style>

</style>
  • p a r e n t / parent/ parent/children:响应式数据,出现问题难以跟踪位置
    $parent
    parent.vue
<template>
  <div class="parent">
    parent
    <child></child>
  </div>
</template>

<script>
import child from './02-child'
export default {
  components: {
    child
  },
  data () {
    return {
      title: '获取父组件实例'
    }
  },
  methods: {
    handle () {
      console.log(this.title)
    }
  }
}
</script>

<style>
.parent {
  border: palegreen 1px solid;
}
</style>

child.vue

<template>
  <div class="child">
    child<br>
    $parent.title:{{ $parent.title }}<br>
    <button @click="$parent.handle">获取 $parent.title</button>
    <button @click="$parent.title = 'Hello $parent.title'">改变 $parent.title</button>
  
    <grandson></grandson>
  </div>
</template>

<script>
import grandson from './03-grandson'
export default {
  components: {
    grandson
  }
}
</script>

<style>
.child {
  border:paleturquoise 1px solid;
}
</style>

grandson.vue

<template>
  <div class="grandson">
    grandson<br>
    $parent.$parent.title:{{ $parent.$parent.title }}<br>
    <button @click="$parent.$parent.handle">获取 $parent.$parent.title</button>
    <button @click="$parent.$parent.title = 'Hello $parent.$parent.title'">改变 $parent.$parent.title</button>
  </div>
</template>

<script>
export default {
}
</script>

<style>
.grandson {
  border:navajowhite 1px solid;
}
</style>

$children
parent.vue

<template>
  <div>
    <children1></children1>
    <children2></children2>

    <button @click="getChildren">获取子组件</button>
  </div>
</template>

<script>
import children1 from './02-children1'
import children2 from './03-children2'
export default {
  components: {
    children1,
    children2
  },
  methods: {
    getChildren () {
      console.log(this.$children)
      console.log(this.$children[0].title)
      console.log(this.$children[1].title)

      this.$children[0].handle()
      this.$children[1].handle()
    }
  }
}
</script>

<style>

</style>

children1.vue

<template>
  <div>children1</div>
</template>

<script>
export default {
  data () {
    return {
      title: 'children1 获取子组件 - title'
    }
  },
  methods: {
    handle () {
      console.log(this.title)
    }
  }
}
</script>

<style>

</style>

children2.vue

<template>
  <div>children2</div>
</template>

<script>
export default {
  data () {
    return {
      title: 'children2 获取子组件 - title'
    }
  },
  methods: {
    handle () {
      console.log(this.title)
    }
  }
}
</script>

<style>

</style>
  • $refs:普通HTML标签上访问的是DOM对象,子组件上访问的是子组件对象,需要等待组件渲染完毕后使用ref获取,不能放在created生命周期中
    parent.vue
<template>
  <div>
    <myinput ref="mytxt"></myinput>

    <button @click="focus">获取焦点</button>
  </div>
</template>

<script>
import myinput from './02-myinput'
export default {
  components: {
    myinput
  },
  methods: {
    focus () {
      this.$refs.mytxt.focus()
      this.$refs.mytxt.value = 'hello'
    }
  }
  // mounted () {
  //   this.$refs.mytxt.focus()
  // }
}
</script>

<style>

</style>

myinput.vue

<template>
  <div>
    <input v-model="value" type="text" ref="txt">
  </div>
</template>

<script>
export default {
  data () {
    return {
      value: 'default'
    }
  },
  methods: {
    focus () {
      this.$refs.txt.focus()
    }
  }
}
</script>

<style>

</style>
  • 依赖注入 provide/inject:组件嵌入较多时可以使用,用于子组件获取父组件中的数据,应避免直接修改父组件中的数据
    parent.vue
<template>
  <div class="parent">
    parent
    <child></child>
  </div>
</template>

<script>
import child from './02-child'
export default {
  components: {
    child
  },
  provide () {
    return {
      title: this.title,
      handle: this.handle
    }
  },
  data () {
    return {
      title: '父组件 provide'
    }
  },
  methods: {
    handle () {
      console.log(this.title)
    }
  }
}
</script>

<style>
.parent {
  border: palegreen 1px solid;
}
</style>

child.vue

<template>
  <div class="child">
    child<br>
    title:{{ title }}<br>
    <button @click="handle">获取 title</button>
    <button @click="title='xxx'">改变 title</button>
    <grandson></grandson>
  </div>
</template>

<script>
import grandson from './03-grandson'
export default {
  components: {
    grandson
  },
  inject: ['title', 'handle']
}
</script>

<style>
.child {
  border:paleturquoise 1px solid;
}
</style>

grandson.vue

<template>
  <div class="grandson">
    grandson<br>
    title:{{ title }}<br>
    <button @click="handle">获取 title</button>
    <button @click="title='yyy'">改变 title</button>
  </div>
</template>

<script>
export default {
  inject: ['title', 'handle']
}
</script>

<style>
.grandson {
  border:navajowhite 1px solid;
}
</style>
  • a t t r s : 把 父 组 件 中 非 p r o p 属 性 绑 定 到 内 部 组 件 , attrs:把父组件中非prop属性绑定到内部组件, attrsproplisteners:把父组件中的DOM对象的原生事件绑定到内部组件
    parent.vue
<template>
  <div>
    <!-- <myinput
      required
      placeholder="Enter your username"
      class="theme-dark"
      data-test="test">
    </myinput> -->


    <myinput
      required
      placeholder="Enter your username"
      class="theme-dark"
      @focus="onFocus"
      @input="onInput"
      data-test="test">
    </myinput>
    <button @click="handle">按钮</button>
  </div>
</template>

<script>
import myinput from './02-myinput'
export default {
  components: {
    myinput
  },
  methods: {
    handle () {
      console.log(this.value)
    },
    onFocus (e) {
      console.log(e)
    },
    onInput (e) {
      console.log(e.target.value)
    }
  }
}
</script>

<style>

</style>

myinput.vue

<template>
  <!--
    1. 从父组件传给自定义子组件的属性,如果没有 prop 接收
       会自动设置到子组件内部的最外层标签上
       如果是 class 和 style 的话,会合并最外层标签的 class 和 style 
  -->
  <!-- <input type="text" class="form-control" :placeholder="placeholder"> -->

  <!--
    2. 如果子组件中不想继承父组件传入的非 prop 属性,可以使用 inheritAttrs 禁用继承
       然后通过 v-bind="$attrs" 把外部传入的非 prop 属性设置给希望的标签上

       但是这不会改变 class 和 style
  -->
  <!-- <div>
    <input type="text" v-bind="$attrs" class="form-control">
  </div> -->


  <!--
    3. 注册事件
  -->

  <!-- <div>
    <input
      type="text"
      v-bind="$attrs"
      class="form-control"
      @focus="$emit('focus', $event)"
      @input="$emit('input', $event)"
    >
  </div> -->


  <!--
    4. $listeners
  -->

  <div>
    <input
      type="text"
      v-bind="$attrs"
      class="form-control"
      v-on="$listeners"
    >
  </div>
</template>

<script>
export default {
  // props: ['placeholder', 'style', 'class']
  // props: ['placeholder']
  inheritAttrs: false
}
</script>

<style>

</style>

VueCLI快速原型开发

VueCLI中提供了一个插件可以进行快速原型开发,可进行少量组件开发

npm install -g@vue/cli-service-global

使用vue serve快速查看组件的运行效果

  • vue serve如果不指定参数默认会在当前目录找以下的入口文件:main.js、index.js、App.vue、app.vue
  • 可以指定要加载的组件:vue serve ./src/login.vue

组件分类

  • 第三方组件
  • 基础组件
  • 业务组件

结合ElementUI开发组件
初始化package.json

$ npm init -y

安装ElementUI

$ vue add element

加载ElementUI,使用Vue.use()安装插件
main.js

import Vue from 'vue'
import ElementUI from 'element-ui'
import 'element-ui/lib/theme-chalk/index.css'
import Login from './src/Login.vue'

Vue.use(ElementUI)

new Vue({
  el: '#app',
  render: h => h(Login)
})

src/Login.vue

<template>
  <el-form class="form" ref="form" :model="user" :rules="rules">
    <el-form-item label="用户名" prop="username">
      <el-input v-model="user.username"></el-input>
    </el-form-item>
    <el-form-item label="密码" prop="password">
      <el-input type="password" v-model="user.password"></el-input>
    </el-form-item>
    <el-form-item>
      <el-button type="primary" @click="login">登 录</el-button>
    </el-form-item>
  </el-form>
</template>

<script>
export default {
  name: 'Login',
  data () {
    return {
      user: {
        username: '',
        password: ''
      },
      rules: {
        username: [
          {
            required: true,
            message: '请输入用户名'
          }
        ],
        password: [
          {
            required: true,
            message: '请输入密码'
          },
          {
            min: 6,
            max: 12,
            message: '请输入6-12位密码'
          }
        ]
      }
    }
  },
  methods: {
    login () {
      console.log('button')
      return false
      // this.$refs.form.validate(valid => {
      //   if (valid) {
      //     alert('验证成功')
      //   } else {
      //     alert('验证失败')
      //     return false
      //   }
      // })
    }
  }
}
</script>

<style>
  .form {
    width: 30%;
    margin: 150px auto;
  }
</style>
$ vue serve

开发一个步骤条组件
steps.css

.lg-steps {
  position: relative;
  display: flex;
  justify-content: space-between;
}

.lg-steps-line {
  position: absolute;
  height: 2px;
  top: 50%;
  left: 24px;
  right: 24px;
  transform: translateY(-50%);
  z-index: 1;
  background: rgb(223, 231, 239);
}

.lg-step {
  border: 2px solid;
  border-radius: 50%;
  height: 32px;
  width: 32px;
  display: flex;
  justify-content: center;
  align-items: center;
  font-weight: 700;
  z-index: 2;
  background-color: white;
  box-sizing: border-box;
}

steps.vue

<template>
  <div class="lg-steps">
    <div class="lg-steps-line"></div>
    <div
      class="lg-step"
      v-for="index in count"
      :key="index"
      :style="{ color: active >= index ? activeColor : defaultColor }"
    >
      {{ index }}
    </div>
  </div>
</template>

<script>
import './steps.css'
export default {
  name: 'LgSteps',
  props: {
    count: {
      type: Number,
      default: 3
    },
    active: {
      type: Number,
      default: 0
    },
    activeColor: {
      type: String,
      default: 'red'
    },
    defaultColor: {
      type: String,
      default: 'green'
    }
  }
}
</script>

<style>

</style>
$ vue serve src/steps.vue

模拟ElementUI封装表单组件
form.vue

<template>
  <form>
    <slot></slot>
  </form>
</template>

<script>
export default {
  name: 'LgForm',
  provide () {
    return {
      form: this
    }
  },
  props: {
    model: {
      type: Object
    },
    rules: {
      type: Object
    }
  },
  methods: {
    validate (cb) {
      const tasks = this.$children
        .filter(child => child.prop)
        .map(child => child.validate())

      Promise.all(tasks)
        .then(() => cb(true))
        .catch(() => cb(false))
    }
  }
}
</script>

<style>

</style>

form-item.vue

<template>
  <div>
    <label>{{ label }}</label>
    <div>
      <slot></slot>
      <p v-if="errMessage">{{ errMessage }}</p>
    </div>
  </div>
</template>

<script>
import AsyncValidator from 'async-validator'
export default {
  name: 'LgFormItem',
  inject: ['form'],
  props: {
    label: {
      type: String
    },
    prop: {
      type: String
    }
  },
  mounted() {
    this.$on('validate', () => {
      console.log('xxxxx')
      this.validate()
    })
  },
  data () {
    return {
      errMessage: ''
    }
  },
  methods: {
    validate () {
      if (!this.prop) return
      const value = this.form.model[this.prop]
      const rules = this.form.rules[this.prop]

      const descriptor = { [this.prop]: rules }
      const validator = new AsyncValidator(descriptor)
      return validator.validate({ [this.prop]: value }, errors => {
        if (errors) {
          this.errMessage = errors[0].message
        } else {
          this.errMessage = ''
        }
      })
    }  
  }
}
</script>

<style>

</style>

input.vue

<template>
  <div>
    <input v-bind="$attrs" :type="type" :value="value" @input="handleInput">
  </div>
</template>

<script>
export default {
  name: 'LgInput',
  inheritAttrs: false,
  props: {
    value: {
      type: String
    },
    type: {
      type: String,
      default: 'text'
    }
  },
  methods: {
    handleInput (evt) {
      this.$emit('input', evt.target.value)
      const findParent = parent => {
        while (parent) {
          if (parent.$options.name === 'LgFormItem') {
            break
          } else {
            parent = parent.$parent
          }
        }
        return parent
      }
      const parent = findParent(this.$parent)
      if (parent) {
        parent.$emit('validate')
      }
    }
  }
}
</script>

<style>

</style>

button.vue

<template>
  <div>
    <button @click="handleClick"><slot></slot></button>
  </div>
</template>

<script>
export default {
  name: 'LgButton',
  methods: {
    handleClick (evt) {
      this.$emit('click', evt)
      evt.preventDefault();
    }
  }
}
</script>

<style>

</style>

组件库的开发

两种项目的组织方式

  • Multirepo(Multiple):每一个包对应一个项目
  • Monorepo(Monolithic Repository):一个项目仓库中管理多个模块/包

以Monorepo为例
目录结构
packages 放置所有组件
├── component1 包名
│ ├── test 测试代码
│ ├── dist 打包目录
│ ├── index.js 打包入口
│ ├── LICENSE 版权信息
│ ├── package.json 包描述信息
│ ├── README.md
│ └── src vue组件源码
├── component2
├── component3
├── component4
└── component5

使用StoryBook可视化开发组件库

  • 可视化的组件展示平台
  • 在隔离的开发环境中,以交互式的方式展示组件
  • 独立开发组件
  • 支持的框架:React、React Native、Vue、Angular、Ember、HTML、Svelte、Mithril、Riot

安装
新建一个项目目录

$ npx -p @storybook/cli sb init --type vue
## 后边要用到yarn的工作区,推荐yarn安装
$ yarn add vue
$ yarn add vue-loader vue-template-compiler --dev

然后将Monorepo结构的packages新建到根目录下,并为每一个组件新建一个stories文件夹

修改storybook配置文件,设置stories的代码源为packages下的.stories.js*
.storybook/main.js

module.exports = {
  "stories": [
    "../packages/**/*.stories.js",
  ],
  "addons": [
    "@storybook/addon-links",
    "@storybook/addon-essentials"
  ]
}

开发组件的story
input/stories/input.stories.js

import LgInput from '../'

export default {
  title: 'LgInput',
  component: LgInput
}

export const Text = () => ({
  components: { LgInput },
  template: '<lg-input v-model="value"></lg-input>',
  data () {
    return {
      value: 'admin'
    }
  }
})

export const Password = () => ({
  components: { LgInput },
  template: '<lg-input type="password" v-model="value"></lg-input>',
  data () {
    return {
      value: 'admin'
    }
  }
})

如果需要单独给某一个包安装依赖,直接cd到该目录并通过yarn安装即可
form/stories/form.stories.js

import LgForm from '../'
import LgFormItem from '../../formitem'
import LgInput from '../../input'
import LgButton from '../../button'

export default {
  title: 'LgForm',
  component: LgForm
}

export const Login = () => ({
  components: { LgForm, LgFormItem, LgInput, LgButton },
  template: `
    <lg-form class="form" ref="form" :model="user" :rules="rules">
      <lg-form-item label="用户名" prop="username">
        <!-- <lg-input v-model="user.username"></lg-input> -->
        <lg-input :value="user.username" @input="user.username=$event" placeholder="请输入用户名"></lg-input>
      </lg-form-item>
      <lg-form-item label="密码" prop="password">
        <lg-input type="password" v-model="user.password"></lg-input>
      </lg-form-item>
      <lg-form-item>
        <lg-button type="primary" @click="login">登 录</lg-button>
      </lg-form-item>
    </lg-form>
  `,
  data () {
    return {
      user: {
        username: '',
        password: ''
      },
      rules: {
        username: [
          {
            required: true,
            message: '请输入用户名'
          }
        ],
        password: [
          {
            required: true,
            message: '请输入密码'
          },
          {
            min: 6,
            max: 12,
            message: '请输入6-12位密码'
          }
        ]
      }
    }
  },
  methods: {
    login () {
      console.log('button')
      this.$refs.form.validate(valid => {
        if (valid) {
          alert('验证成功')
        } else {
          alert('验证失败')
          return false
        }
      })
    }
  }
})

启动在线预览组件库

$ yarn storybook

组件的单元测试

优点:

  • 提供描述组件行为的文档
  • 节省手动测试的时间
  • 减少研发新特性时产生的bug
  • 改进设计
  • 促进重构

安装依赖

  • Vue Test Utils
  • Jest
  • vue-test
  • babel-jest
$ yarn add jest @vue/test-utils vue-jest babel-jest -D -W

配置测试脚本
package.json

"scripts": {
  "test": "jest"
},

配置jest
jest.config.js

module.exports = {
  "testMatch": ["**/__tests__/**/*.[jt]s?(x)"],
  "moduleFileExtensions": [
    "js",
    "json",
    // 告诉 Jest 处理 `*.vue` 文件
    "vue"
  ],
  "transform": {
    // 用 `vue-jest` 处理 `*.vue` 文件
    ".*\\.(vue)$": "vue-jest",
    // 用 `babel-jest` 处理 js
    ".*\\.(js)$": "babel-jest" 
  }
}

配置babel
babel.config.js

module.exports = {
  presets: [
    [
      '@babel/preset-env'
    ]
  ]
}

如果运行测试时提示找不到babel,可能是vue-test依赖的为bable6,此时需要进行桥接

$ yarn add babel-core@bridge -D -W

jest常用API

  • 全局函数
    • describe(name, fn) 把相关测试组合在一起
    • test(name, fn) 测试方法
    • expect(value) 断言
  • 匹配器
    • toBe(value) 判断值是否相等
    • toEqual(obj) 判断对象是否相等
    • toContain(value) 判断数组或者字符串中是否包含
  • 快照
    • toMatchSnapshot()

Vue Test Utils常用API

  • mount()
    • 创建一个包含被挂载和渲染的Vue组件的Wrapper
  • Wrapper
    • vm wrapper包裹的组件实例
    • props() 返回Vue实例选项中的props对象
    • html() 组件生成的HTML标签
    • find() 通过选折起返回匹配到的组件中的DOM元素
    • trigger() 触发DOM原生事件,自定义事件wrapper.vm.$emit()

编写测试文件
input/tests/input.test.js

/**
 * @jest-environment jsdom
 */

import input from '../src/input.vue'
import { mount } from '@vue/test-utils'

describe('lg-input', () => {
  test('input-text', () => {
    const wrapper = mount(input)
    expect(wrapper.html()).toContain('input type="text"')
  })
  
  test('input-password', () => {
    const wrapper = mount(input, {
      propsData: {
        type: 'password'
      }
    })
    expect(wrapper.html()).toContain('input type="password"')
  })

  test('input-password', () => {
    const wrapper = mount(input, {
      propsData: {
        type: 'password',
        value: 'admin'
      }
    })
    expect(wrapper.props('value')).toBe('admin')
  })

  test('input-snapshot', () => {
    const wrapper = mount(input, {
      propsData: {
        type: 'text',
        value: 'admin'
      }
    })
    expect(wrapper.vm.$el).toMatchSnapshot()
  })
})

运行测试

$ yarn test

使用yarn workspaces提升管理packages中公共依赖包

开启yarn的工作区
项目根目录的package.json

"private": true, // 发布到npm或github时禁止提交当前的根目录
"workspaces": [
  "packages/*"
]

yarn workspaces的使用

  • 给工作区根目录安装开发依赖
## -W为开发工作区,表示安装到工作区的根目录下
$ yarn add jest -D -W
  • 给指定工作区安装依赖
## lg-button为package.json中的name属性
$ yarn workspace lg-button add lodash@4
  • 给所有的工作区安装依赖
$ yarn install

使用Lerna统一发布组件库

  • Lerna是一个优化使用git和npm管理多包仓库的工作流工具
  • 用于管理具有多个包的Javascript项目
  • 它可以一键把代码提交到git和npm仓库

Lerna的使用

  • 全局安装
$ yarn global add lerna
  • 初始化
$ lerna init
  • 发布
$ lerna publish

配置Lerna
lerna.json

{
  "packages": [
    "packages/*"
  ],
  "version": "0.0.0"
}

新增Lerna发布指令
package.json

"scripts": {
  "lerna": "lerna publish"
},

使用Lerna发布

$ git add .
$ git commit -m "init"
$ git remote add origin ${你的git地址}
$ git push -u origin main

## 检查是否登陆到npm
$ npm whoami
## 未登录请使用npm login进行登录
## 检查npm镜像源地址是否为https://registry.npmjs.org
$ npm config get registry

$ yarn lerna

使用Rollup打包

  • Rollup是一个模块打包器,支持Tree-shaking
  • 打包的结果比Webpack要小
  • 开发框架/组件库的时候使用Rollup更合适

安装依赖

  • Rollup
  • rollup-plugin-terser
  • rollup-plugin-vue@5.1.9 (5.1.9针对Vue2.x)
  • vue-template-compiler
$ yarn add rollup rollup-plugin-terser rollup-plugin-vue@5.1.9 vue-template-compiler -D -W

为某一个组件配置Rollup打包
以button组件为例,在button目录中创建rollup.config.js
button/rollup.config.js

import { terser } from 'rollup-plugin-terser'
import vue from 'rollup-plugin-vue'

module.exports = [
  {
    input: 'index.js',
    output: [
      {
        file: 'dist/index.js',
        format: 'es'
      }
    ],
    plugins: [
      vue({
        // Dynamically inject css as a <style> tag
        css: true, 
        // Explicitly convert template to render function
        compileTemplate: true
      }),
      terser()
    ]
  }
]

配置build脚本并运行

"scripts": {
  "build": "rollup -c"
},

运行打包

$ yarn workspace lg-button run build

为所有组件配置Rollup打包
安装依赖

$ yarn add @rollup/plugin-json rollup-plugin-postcss @rollup/plugin-node-resolve -D -W

项目根目录创建rollup.config.js

import fs from 'fs'
import path from 'path'
import json from '@rollup/plugin-json'
import vue from 'rollup-plugin-vue'
import postcss from 'rollup-plugin-postcss'
import { terser } from 'rollup-plugin-terser'
import { nodeResolve } from '@rollup/plugin-node-resolve'

const isDev = process.env.NODE_ENV !== 'production'

// 公共插件配置
const plugins = [
  vue({
    // Dynamically inject css as a <style> tag
    css: true,
    // Explicitly convert template to render function
    compileTemplate: true
  }),
  json(),
  nodeResolve(),
  postcss({
    // 把 css 插入到 style 中
    // inject: true,
    // 把 css 放到和js同一目录
    extract: true
  })
]

// 如果不是开发环境,开启压缩
isDev || plugins.push(terser())

// packages 文件夹路径
const root = path.resolve(__dirname, 'packages')

module.exports = fs.readdirSync(root)
  // 过滤,只保留文件夹
  .filter(item => fs.statSync(path.resolve(root, item)).isDirectory())
  // 为每一个文件夹创建对应的配置
  .map(item => {
    const pkg = require(path.resolve(root, item, 'package.json'))
    return {
      input: path.resolve(root, item, 'index.js'),
      output: [
        {
          exports: 'auto',
          file: path.resolve(root, item, pkg.main),
          format: 'cjs'
        },
        {
          exports: 'auto',
          file: path.join(root, item, pkg.module),
          format: 'es'
        },
      ],
      plugins: plugins
    }
  })

根目录的package.json中配置build脚本并运行

"scripts": {
  "build": "rollup -c"
},

在每一个包中设置package.json中的main和module字段
main和module是打包的出口,也是使用的入口

"main": "dist/cjs/index.js",
"module": "dist/es/index.js"

设置环境变量

$ yarn add cross-env -D -W

package.json

"scripts": {
  "build:prod": "cross-env NODE_ENV=production rollup -c",
  "build:dev": "cross-env NODE_ENV=development rollup -c"
},

清理组件包中的dist和node_modules

  • 清理node_modules
    项目package.json
"scripts": {
  "clean": "lerna clean"
},
  • 清理dist
$ yarn add rimraf -D -W

在组件包中的package.json

"scripts": {
  "del": "rimraf dist"
},
$ yarn workspaces run del

使用plop基于模板生成组件基本结构

$ yarn add plop -D -W

编写模板
plop-template/component/tests/component.test.hbs

import { mount } from '@vue/test-utils'
import Element from '../src/{{name}}.vue'

describe('Lg-{{properCase name}}', () => {
})

plop-template/component/src/component.hbs

<template>
  <div>
  </div>
</template>

<script>
export default {
  name: 'Lg{{properCase name}}',
  props: {
  }
}
</script>

<style>
</style>

plop-template/component/stories/component.stories.hbs

import Lg{{properCase name}} from '../src/{{name}}.vue'

export default {
  title: 'Lg{{properCase name}}',
  component: Lg{{properCase name}}
}

export const {{properCase name}} = _ => ({
  components: { Lg{{properCase name}} },
  template: `
    <div>
      <lg-{{name}}></lg-{{name}}>
    </div>
  `
})

plop-template/component/index.hbs

import Lg{{properCase name}} from './src/{{name}}.vue'

Lg{{properCase name}}.install = Vue => {
  Vue.component(Lg{{properCase name}}.name, Lg{{properCase name}})
}

export default Lg{{properCase name}}

plop-template/component/LICENSE

The MIT License (MIT)

Copyright (c) 2020-present

Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.

plop-template/component/package.hbs

{
  "name": "lg-{{name}}",
  "version": "0.0.0",
  "description": "lg-{{name}} component",
  "main": "dist/cjs/index.js",
  "module": "dist/es/index.js",
  "author": "教瘦 <54337467@qq.com>",
  "license": "MIT",
  "scripts": {
    "test": "echo \"Error: no test specified\" && exit 1"
  },
  "dependencies": {
  },
  "keywords": []
}

plop-template/component/README.hbs

# Lg{{properCase name}}

配置plop
plopfile.js

module.exports = plop => {
  plop.setGenerator('component', {
    description: 'create a custom component',
    prompts: [
      {
        type: 'input',
        name: 'name',
        message: 'component name',
        default: 'MyComponent'
      }
    ],
    actions: [
      {
        type: 'add',
        path: 'packages/{{name}}/src/{{name}}.vue',
        templateFile: 'plop-template/component/src/component.hbs'
      },
      {
        type: 'add',
        path: 'packages/{{name}}/__tests__/{{name}}.test.js',
        templateFile: 'plop-template/component/__tests__/component.test.hbs'
      },
      {
        type: 'add',
        path: 'packages/{{name}}/stories/{{name}}.stories.js',
        templateFile: 'plop-template/component/stories/component.stories.hbs'
      },
      {
        type: 'add',
        path: 'packages/{{name}}/index.js',
        templateFile: 'plop-template/component/index.hbs'
      },
      {
        type: 'add',
        path: 'packages/{{name}}/LICENSE',
        templateFile: 'plop-template/component/LICENSE'
      },
      {
        type: 'add',
        path: 'packages/{{name}}/package.json',
        templateFile: 'plop-template/component/package.hbs'
      },
      {
        type: 'add',
        path: 'packages/{{name}}/README.md',
        templateFile: 'plop-template/component/README.hbs'
      }
    ]
  })
}

添加执行脚本

"scripts": {
  "plop": "plop"
}
$ yarn plop
  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
Vue组件开发过程培训是为了帮助开发人员学习和掌握使用Vue框架开发可复用的组件的技能。以下是关于Vue组件开发过程培训的一些要点: 1. Vue组件基础:首先需要了解Vue组件的基本概念和特性,包括组件的创建、注册和使用方法,以及组件之间的通信方式等。 2. 单文件组件:学习使用Vue的单文件组件格式来组织和管理组件的代码,包括将模板、样式和逻辑封装在一个.vue文件中,并通过组件导入和导出来实现组件的复用。 3. 组件通信:掌握Vue组件之间的通信方式,包括父子组件之间的props和$emit、子父组件之间的$refs和$parent/$children、非直接关系组件的事件总线等。 4. 组件设计原则:了解如何设计具有高内聚、低耦合、可复用性强的组件,包括正确的props和data的设计、合理的组件划分和组织结构等。 5. 组件生命周期:学习掌握Vue组件的生命周期钩子函数,了解每个生命周期阶段的作用和使用方式,以及在开发过程中常见的生命周期场景和应用。 6. 组件使用:介绍常见的Vue组件,如Element UI、Ant Design Vue等,学习如何使用这些组件来加速开发过程,提高开发效率。 7. 自定义指令和过滤器:了解Vue中自定义指令和过滤器的概念和用法,学习如何根据实际需求创建自定义指令和过滤器来实现特定的功能。 在培训过程中,可以结合实际案例和练习来进行实际操作和巩固学习,在实践中逐渐掌握和应用Vue组件开发的技巧和方法。通过这些培训内容和实践训练,开发人员可以更好地理解和运用Vue组件开发,提高开发效率和代码质量。

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值