主要Vue生命周期事件被分为两个钩子,分别在事件之前和之后调用,vue应用程序中有4个主要事件(8个钩子):
options API 和composition API的区别
例子:点击按钮使 h1 标签的值加1
<template>
<h1>{{ counter }}</h1>
<button @click="incrCounter">Click Me</button>
</template>
<script>
export default {
data() {
return {
counter: 0
}
},
methods: {
incrCounter: function() {
this.counter += 1;
}
}
}
</script>
<template>
<h1>{{ counter }}</h1>
<button @click="incrCounter">Click Me</button>
</template>
<script setup>
import { ref } from 'vue'
let counter = ref(0);
const incrCounter = function() {
counter.value += 1;
}
</script>
你会注意到一些不同之处。
使用 选项API,生命周期钩子是被暴露 Vue实例上的选项。我们不需要导入任何东西,只需要调用这个方法并为这个生命周期钩子编写代码。
// 选项 API
<script>
export default {
mounted() {
console.log('mounted!')
},
updated() {
console.log('updated!')
}
}
</script>
// 组合 API
<script>
import { onMounted } from 'vue'
export default {
setup () {
onMounted(() => {
console.log('mounted in the composition api!')
})
}
}
</script>
在这里,beforecreate和created被setup方法本身所替代,我们在在setup中将会访问到9个生命周期:
在组合API中,使用setup()方法替换了beforeCreate和created,那么在这两个生命周期中的方法将放在setup中执行
在组件DOM实际渲染之前调用,此时根元素还不存在,在选项API中,可使用this.$el来 访问;在组合API中,想访问的话就必须在根元素上使用ref。
//选项API
beforeMount(){
console.log('beforeMount',this.$el)
}
//组合API
<template>
<div ref="root">
Hello~
</div>
</template>
import {ref,onBeforeMount} from 'vue'
export default{
setup(){
const root = ref(null)
onBeforeMount(()=>{
console.log('onBeforeMount',root.value)
})
return {
root
}
},
beforeMount() {
console.log('beforeMount',this.$el)
}
}
在组件的第一次渲染后调用,此时元素可用,允许直接DOM访问。
import { ref, onMounted } from 'vue'
export default {
// 组合 API
setup() {
const root = ref(null)
onMounted(() => {
console.log(root.value)
})
return {
root
}
},
// 选项 API
mounted() {
console.log(this.$el)
}
}
数据更新时调用,发生在虚拟DOM打补丁之前。
beforeUpdate对于跟踪对组件的编辑次数,甚至跟踪创建撤销功能的操作很有用。
DOM更新后,updated的方法就会调用
在卸载组件实例之前调用
//选项API
export default{
mounted(){
console.log('mounted')
},
beforeUnmount(){
console.log('unmount')
}
}
//组合API
import { onMounted,onBeforeUnmount } from 'vue'
export default {
setup(){
onMounted(()=>{
console.log('mount')
})
onBeforeUnmount(()=>{
console.log('unmount')
})
}
}
卸载组件实例后调用,调用此钩子时,组件实例的所有指令都被解除绑定,所有事件侦听器都被移除,所有子组件实例被卸载。
import { onUnmouted } from 'vue'
export default {
//组合API
setup(){
onUnmounted(()=>{
console.log('unmounted')
})
},
//选项API
unmounted(){
console.log('unmounted')
}
}
被keep-alive缓存的组件激活时调用
被keep-alive缓存的组件停用时调用。
onRenderTracked
onRenderTriggered
这两个事件都带有一个debugger event,该事件会告诉你哪个操作跟踪了组件以及该操作的目标对象和键。
export default {
onRenderTriggered(e) {
debugger
// 检测什么依赖造成了组件的重新渲染
}
}