Vue3的官方文档有8个部方面:1基础,2深入组件,3过度动画,4可复用组合,5高阶指南,6工具,7规模化,8无障碍 个部分.
1、基础:
安装方式: CDN 下载js npm CLI构建 大多数情况下,我们更倾向于使用 Vue CLI 来创建一个配置最小化的 webpack 构建版本。
发布地址:npm@next V3.2.31core/CHANGELOG.md at main · vuejs/core · GitHub Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web. - core/CHANGELOG.md at main · vuejs/corehttps://github.com/vuejs/vue-next/blob/master/CHANGELOG.md Vue Devtools,
npm install vue@next
npm install -D @vue/compiler-sfc
npm install -g @vue/cli
vue upgrade --next
命令行工具 (CLI)
Vite 快速构建 Vue 项目
$ npm init vite@latest -- --template vue
$ cd
$ npm install
$ npm run dev
「重要通知」原淘宝 npm 域名即将停止解析
npm install -g cnpm --registry=https://registry.npmmirror.com
介绍:Vue 的核心库只关注视图层,不仅易于上手,还便于与第三方库或既有项目整合。另一方面,当与现代化的工具链以及各种支持类库结合使用时,Vue 也完全能够为复杂的单页应用提供驱动。
创建应用: 每个 Vue 应用都是通过用 createApp
函数创建一个新的应用实例开始的
大多数方法都会返回该同一实例,允许链式
根组件:
const RootComponent = {
/* 选项 */
}
const app = Vue.createApp(RootComponent)
const vm = app.mount('#app')
/* mount 不返回应用本身。相反,它返回的是根组件实例。 */
property 可以将用户定义的 property 添加到组件实例中,例如 methods
,props
,computed
,inject
和 setup
,Vue 还通过组件实例暴露了一些内置 property,如 $attrs
和 $emit
。这些 property 都有一个 $
前缀,以避免与用户定义的 property 名冲突。
生命周期钩子的函数 不要在选项 property 或回调上使用箭头函数
模版语法: 你也可以不用模板,直接写渲染 (render) 函数,使用可选的 JSX 语法
Message: {{ msg }}
这个将不会改变: {{ msg }} 执行一次性地插值
为了输出真正的 HTML,你需要使用v-html
容易导致 XSS 攻击
attribute
{{ number + 1 }}
{{ ok ? 'YES' : 'NO' }}
{{ message.split('').reverse().join('') }}
{{ var a = 1 }}
{{ if (ok) { return message } }}
指令:
现在你看到我了
...
...
...
当 eventName 的值为 "focus" 时,v-on:[eventName] 将等价于 v-on:focus
...
修饰符:
Vue 为 v-bind
和 v-on
这两个最常用的指令,提供了特定简写
...
...
...
...
...
...
模板表达式都被放在沙盒中,只能访问一个受限的全局变量列表,如 Math
和 Date
。你不应该在模板表达式中试图访问用户定义的全局变量
data
选项是一个函数 并以 $data
的形式存储在组件实例中
const app = Vue.createApp({
data() {
return { count: 4 }
},
methods: {
increment() {
// `this` 指向该组件实例 Vue 自动为 methods 绑定 this
this.count++
}
}
})
const vm = app.mount('#app')
// 修改 vm.count 的值也会更新 $data.count
vm.count = 5
console.log(vm.$data.count) // => 5
// 反之亦然
vm.$data.count = 6
console.log(vm.count) // => 6
vm.increment()
Vue 你应该避免使用 $
前缀 _
前缀。
Vue 没有内置支持防抖和节流,但可以使用 Lodash 等库来实现
对于可复用组件,可以在生命周期钩子的 created 里添加该防抖函数
app.component('save-button', {
created() {
// 使用 Lodash 实现防抖
this.debouncedClick = _.debounce(this.click, 500)
},
unmounted() {
// 移除组件时,取消定时器
this.debouncedClick.cancel()
},
methods: {
click() {
// ... 响应点击 ...
}
},
template: `
`
})
计算属性: 不同的是计算属性将基于它们的响应依赖关系缓存。计算属性只会在相关响应式依赖发生改变时重新求值。这就意味着只要 author.books
还没有发生改变,多次访问 publishedBookMessage
时计算属性会立即返回之前的计算结果,而不必再次执行函数
// ...
computed: {
fullName: {
// getter
get() {
return this.firstName + ' ' + this.lastName
},
// setter
set(newValue) {
const names = newValue.split(' ')
this.firstName = names[0]
this.lastName = names[names.length - 1]
}
}
}
// ...
侦听器
watch: {
// 每当 question 发生变化时,该函数将会执行
question(newQuestion, oldQuestion) {
if (newQuestion.indexOf('?') > -1) {
this.getAnswer()
}
}
},
增强的ClassStyle
这个 class 存在与否将取决于 data property isActive 的 truthiness。
或者定义个对象,对象的计算属性也行
data() {
return {
classObject: {
active: true,
'text-danger': false
}
}
}
或者数组:
data() {
return {
activeClass: 'active',
errorClass: 'text-danger'
}
}
data() {
return {
styleObject: {
color: 'red',
fontSize: '13px'
}
}
}
条件渲染:
Vue is awesome!
Oh no
类是block
Title
Paragraph 1
Paragraph 2
v-else 元素必须紧跟在带 v-if 或者 v-else-if 的元素的后面,否则它将不会被识别
v-show 的元素始终会被渲染并保留在 DOM 中。v-show 只是简单地切换元素的 CSS 。
如果需要非常频繁地切换,则使用 v-show 较好;如果在运行时条件很少改变,则使用 v-if 较好。
当 v-if 与 v-for 一起使用时,v-if 具有比 v-for 更高的优先级
列表渲染:
-
//
-
//
{{ item.message }}
也可以用 v-for
来遍历一个对象的 property。
{{ value }}
{{ name }}: {{ value }}
{{ index }}. {{ name }}: {{ value }}
push()pop()shift()unshift()splice()sort()reverse()
当使用非变更方法时,可以用新数组替换旧数组:
example1.items = example1.items.filter(item => item.message.match(/Foo/))
你可能认为这将导致 Vue 丢弃现有 DOM 并重新渲染整个列表。幸运的是,事实并非如此。Vue 为了使得 DOM 元素得到最大范围的重用而实现了一些智能的启发式方法,所以用一个含有相同元素的数组去替换原来的数组是非常高效的操作。
下面是一个简单的 todo 列表的完整例子:
const app = Vue.createApp({
data() {
return {
newTodoText: '',
todos: [
{
id: 1,
title: 'Do the dishes'
},
{
id: 2,
title: 'Take out the trash'
},
{
id: 3,
title: 'Mow the lawn'
}
],
nextTodoId: 4
}
},
methods: {
addNewTodo() {
this.todos.push({
id: this.nextTodoId++,
title: this.newTodoText
})
this.newTodoText = ''
}
}
})
app.component('todo-item', {
template: `
{{ title }}
`,
props: ['title'],
emits: ['remove']
})
app.mount('#todo-list-example')
事件处理
Vue.createApp({
data() {
return {
name: 'Vue.js'
}
},
methods: {
greet(event) {
// `methods` 内部的 `this` 指向当前活动实例
alert('Hello ' + this.name + '!')
// `event` 是原生 DOM event
if (event) {
alert(event.target.tagName)
}
}
}
}).mount('#event-with-method')
// ...
methods: {
warn(message, event) {
// 现在可以访问到原生事件
if (event) {
event.preventDefault()
}
alert(message)
}
}
修饰符:
...
...
使用修饰符时,顺序很重要;相应的代码会以同样的顺序产生。因此,用 @click.prevent.self 会阻止元素本身及其子元素的点击的默认行为,而 @click.self.prevent 只会阻止对元素自身的点击的默认行为。
...
.enter .tab .delete (捕获“删除”和“退格”键) .esc .space
.up .down .left .right
.ctrl .alt .shift .meta
meta 对应 command 键 (⌘)。在 Windows 系统键盘 meta 对应 Windows 徽标键 (⊞)
Do something
.left .right .middle
v-model
会忽略所有表单元素的 value
、checked
、selected
attribute 的初始值。它将始终将当前活动实例的数据作为数据来源。你应该通过 JavaScript 在组件的 data
选项中声明初始值。.
value
property 和 input
事件;checked
property 和 change
事件;value
作为 prop 并将 change
作为事件。
Message is: {{ message }}
Multiline message is:
{{ message }}
Checked names: {{ checkedNames }}
Selected: {{ selected }}
Selected: {{ selected }}
组件基础: 组件是带有名称的可复用实例
// 创建一个Vue 应用
const app = Vue.createApp({})
// 定义一个名为 button-counter 的新全局组件
app.component('button-counter', {
data() {
return {
count: 0
}
},
template: `
`
})
Prop 是你可以在组件上注册的一些自定义 attribute
const app = Vue.createApp({
data() {
return {
posts: [
{ id: 1, title: 'My journey with Vue'},
{ id: 2, title: 'Blogging with Vue'},
{ id: 3, title: 'Why Vue is so fun'}
],
postFontSize: 1
}
}
})
app.component('blog-post', {
props: ['title'],
template: `
{{ title }}
`
})
app.mount('#blog-posts-events-demo')
创建支持 v-model
的自定义输入组件
等价于
app.component('custom-input', {
props: ['modelValue'],
emits: ['update:modelValue'],
template: `
`
})
该组件实现 v-model 的另一种方法是使用 computed 来定义 getter 和 setter。
app.component('custom-input', {
props: ['modelValue'],
emits: ['update:modelValue'],
template: `
`,
computed: {
value: {
get() {
return this.modelValue
},
set(value) {
this.$emit('update:modelValue', value)
}
}
}
})
当它用于原生 HTML 元素时,is
的值必须以 vue:
开头,才可以被解释为 Vue 组件。这是避免和原生自定义元素混淆。 HTML attribute 名不区分大小写
app.component('blog-post', {
props: ['postTitle'],
template: `
{{ postTitle }}
`
})
组件名:全部 - 小写 kebab-case(短横线分隔命名) [kɪˈbæb]
当使用 PascalCase (首字母大写命名) 定义一个组件时,你在引用这个自定义元素时两种命名法都可以使用。也就是说
和
都是可接受的。注意,尽管如此,直接在 DOM (即非字符串的模板) 中使用时只有 kebab-case 是有效的。
import ComponentA from './ComponentA.vue'
export default {
components: {
ComponentA
}
// ...
}
模块系统
import ComponentA from './ComponentA'
import ComponentC from './ComponentC'
export default {
components: {
ComponentA,
ComponentC
}
// ...
}
prop的值类型 静态或动态
props: {
title: String,
likes: Number,
isPublished: Boolean,
commentIds: Array,
author: Object,
callback: Function,
contactsPromise: Promise // 或任何其他构造函数
}
post: {
id: 1,
title: 'My Journey with Vue'
}
单向数据流 父级 prop 的更新会向下流动到子组件中,但是反过来则不行。
props: ['size'],
computed: {
normalizedSize() {
return this.size.trim().toLowerCase()
}
}
注意在 JavaScript 中对象和数组是通过引用传入的,所以对于一个数组或对象类型的 prop 来说,在子组件中改变这个对象或数组本身将会影响到父组件的状态,且 Vue 无法为此向你发出警告。作为一个通用规则,应该避免修改任何 prop,包括对象和数组,因为这种做法无视了单向数据绑定,且可能会导致意料之外的结果。
prop 指定验证 组件实例创建之前进行验证,实例的 property (如 data
、computed
等) 在 default
或 validator
函数中是不可用的
camelCase (驼峰命名法) 的 prop 名需要使用其等价的 kebab-case (短横线分隔命名) 命名
app.component('my-component', {
props: {
// 基础的类型检查 (`null` 和 `undefined` 值会通过任何类型验证)
String Number Boolean Array Object Date Function Symbol
propA: Number,
// 多个可能的类型
propB: [String, Number],
// 必填的字符串
propC: {
type: String,
required: true
},
// 带有默认值的数字
propD: {
type: Number,
default: 100
},
// 带有默认值的对象
propE: {
type: Object,
// 对象或数组的默认值必须从一个工厂函数返回
default() {
return { message: 'hello' }
}
},
// 自定义验证函数
propF: {
validator(value) {
// 这个值必须与下列字符串中的其中一个相匹配
return ['success', 'warning', 'danger'].includes(value)
}
},
// 具有默认值的函数
propG: {
type: Function,
// 与对象或数组的默认值不同,这不是一个工厂函数——这是一个用作默认值的函数
default() {
return 'Default function'
}
}
}
})
非 prop 的 attribute 将自动添加到根节点的 attribute 中
const app = Vue.createApp({
methods: {
showChange(event) {
console.log(event.target.value) // 将打印所选选项的值
}
}
})
通过将 inheritAttrs 选项设置为 false,你可以使用组件的 $attrs 将 attribute 应用到其它元素上,
app.component('date-picker', {
inheritAttrs: false,
template: `
`
})
组件上的 v-model
使用 modelValue
作为 prop 和 update:modelValue
作为事件。
app.component('my-component', {
props: {
title: String
},
emits: ['update:title'],
template: `
`
})
多个 v-model 绑定
app.component('user-name', {
props: {
firstName: String,
lastName: String
},
emits: ['update:firstName', 'update:lastName'],
template: `
`
})
添加到组件 v-model
的修饰符将通过 modelModifiers
prop 提供给组件
app.component('my-component', {
props: {
modelValue: String,
modelModifiers: {
default: () => ({})
}
},
emits: ['update:modelValue'],
template: `
`,
created() {
console.log(this.modelModifiers) // { capitalize: true }
}
})
插槽
插槽可以访问与模板其余部分相同的实例 property , 插槽不能访问
的作用域
父级模板里的所有内容都是在父级作用域中编译的;子模板里的所有内容都是在子作用域中编译的。
具名插槽
Here might be a page title
A paragraph for the main content.
And another one.
Here's some contact info
注意,v-slot 只能添加在 上
注意默认插槽的缩写语法不能和具名插槽混用,因为它会导致作用域不明确:
{{ slotProps.item }}
slotProps 在此处不可用
插槽 prop
-
现在,在父级作用域中,我们可以使用带值的 v-slot 来定义我们提供的插槽 prop 的名字:
{{ slotProps.item }}
也可简化为,省略templete,直接写在todo-list上。
{{ slotProps.item }}
解构插槽 Prop 并重新命名
{{ todo }}
可以定义备用内容,用于插槽 prop 是 undefined 的情形
{{ item }}
动态的插槽名
v-slot简化为#
{{ item }}
一般provide/inject
绑定并不是响应式的可以用computed做成响应的:
app.component('todo-list', {
// ...
provide() {
return {
todoLength: Vue.computed(() => this.todos.length)
}
}
})
app.component('todo-list-statistics', {
inject: ['todoLength'],
created() {
console.log(`Injected property: ${this.todoLength.value}`) // > 注入的 property: 5
}
})
import { defineAsyncComponent } from 'vue'
const AsyncComp = defineAsyncComponent(() =>
import('./components/AsyncComponent.vue')
)
app.component('async-component', AsyncComp)
createApp({
// ...
components: {
AsyncComponent: defineAsyncComponent(() =>
import('./components/AsyncComponent.vue')
)
}
})
模板引用
const app = Vue.createApp({})
app.component('base-input', {
template: `
`,
methods: {
focusInput() {
this.$refs.input.focus()
}
},
mounted() {
this.focusInput(),挂载时让input Focus
}
})
从父组件触发
this.$refs.usernameInput.focusInput()
过渡 & 动画概述
一个弹出框全屏的,绑定到body下面了。
app.component('modal-button', {
template: `
I'm a teleported modal!
(My parent is "body")
`,
data() {
return {
modalOpen: false
}
}
})
使用 JavaScript 代替模板功能
props: ['items'],
render() {
if (this.items.length) {
return h('ul', this.items.map((item) => {
return h('li', item.name)
}))
} else {
return h('p', 'No items found.')
}
}
props: ['modelValue'],
emits: ['update:modelValue'],
render() {
return h(SomeComponent, {
modelValue: this.modelValue,
'onUpdate:modelValue': value => this.$emit('update:modelValue', value)
})
}
render() {
return h('div', {
onClick: $event => console.log('clicked', $event.target)
})
}
render() {
return h('input', {
onKeyUp: event => {
// 如果触发事件的元素不是事件绑定的元素
// 则返回
if (event.target !== event.currentTarget) return
// 如果向上键不是回车键,则终止
// 没有同时按下按键 (13) 和 shift 键
if (!event.shiftKey || event.keyCode !== 13) return
// 停止事件传播
event.stopPropagation()
// 阻止该元素默认的 keyup 事件
event.preventDefault()
// ...
}
})
}
render() {
// ` `
return h('div', {}, this.$slots.default())
}
props: ['message'],
render() {
// ` `
return h('div', {}, this.$slots.default({
text: this.message
}))
}
const { h, resolveDynamicComponent } = Vue
// ...
// ` `
render() {
const Component = resolveDynamicComponent(this.name)
return h(Component)
}