從Vue3釋出以來,我就一直對其非常感興趣,就一直想著將其投入公司的生產中,但是開始考慮到很多不確定性就暫時對一些很小的功能進行一些嘗試;慢慢的發現組合式Api的形式非常適合開發(個人感覺),尤其是Vue3.2推出了setup語法糖後直呼真香。後面公司的新專案幾乎全部採用了Vue3了。使用Vue3開發也將近大半年了,所以寫了這篇文章對Vue2和Vue3做了一個對比總結,一是為了對這段時間使用Vue3開發做些記錄,二是為了幫助更多的小夥伴更快的上手Vue3。
本篇文章主要採用選項式Api,組合式Api,setup語法糖實現它們直接的差異
選項式Api與組合式Api
首先實現一個同樣的邏輯(點選切換頁面資料)看一下它們直接的區別
- 選項式Api
<template>
<div @click="changeMsg">{{msg}}</div>
</template>
<script>
export default {
data(){
return {
msg:'hello world'
}
},
methods:{
changeMsg(){
this.msg = 'hello juejin'
}
}
}
</script>
- 組合式Api
<template>
<div @click="changeMsg">{{msg}}</div>
</template>
<script>
import { ref,defineComponent } from "vue";
export default defineComponent({
setup() {
const msg = ref('hello world')
const changeMsg = ()=>{
msg.value = 'hello juejin'
}
return {
msg,
changeMsg
};
},
});
</script>
- setup 語法糖
<template>
<div @click="changeMsg">{{ msg }}</div>
</template>
<script setup>
import { ref } from "vue";
const msg = ref('hello world')
const changeMsg = () => {
msg.value = 'hello juejin'
}
</script>
總結:
選項式Api是將data和methods包括後面的watch,computed等分開管理,而組合式Api則是將相關邏輯放到了一起(類似於原生js開發)。
setup語法糖則可以讓變數方法不用再寫return,後面的元件甚至是自定義指令也可以在我們的template中自動獲得。
ref 和 reactive
我們都知道在組合式api中,data函式中的資料都具有響應式,頁面會隨著data中的資料變化而變化,而組合式api中不存在data函式該如何呢?所以為了解決這個問題Vue3引入了ref和reactive函式來將使得變數成為響應式的資料
- 組合式Api
<script>
import { ref,reactive,defineComponent } from "vue";
export default defineComponent({
setup() {
let msg = ref('hello world')
let obj = reactive({
name:'juejin',
age:3
})
const changeData = () => {
msg.value = 'hello juejin'
obj.name = 'hello world'
}
return {
msg,
obj,
changeData
};
},
});
</script>
- setup語法糖
<script setup>
import { ref,reactive } from "vue";
let msg = ref('hello world')
let obj = reactive({
name:'juejin',
age:3
})
const changeData = () => {
msg.value = 'hello juejin'
obj.name = 'hello world'
}
</script>
總結:
使用ref的時候在js中取值的時候需要加上.value。
reactive更推薦去定義複雜的資料型別 ref 更推薦定義基本型別
生命週期
下表包含:Vue2和Vue3生命週期的差異
Vue2(選項式API) | Vue3(setup) | 描述 |
---|---|---|
beforeCreate | - | 例項建立前 |
created | - | 例項建立後 |
beforeMount | onBeforeMount | DOM掛載前呼叫 |
mounted | onMounted | DOM掛載完成呼叫 |
beforeUpdate | onBeforeUpdate | 資料更新之前被呼叫 |
updated | onUpdated | 資料更新之後被呼叫 |
beforeDestroy | onBeforeUnmount | 元件銷燬前呼叫 |
destroyed | onUnmounted | 元件銷燬完成呼叫 |
舉個常用的onBeforeMount的例子
- 選項式Api
<script>
export default {
mounted(){
console.log('掛載完成')
}
}
</script>
- 組合式Api
<script>
import { onMounted,defineComponent } from "vue";
export default defineComponent({
setup() {
onMounted(()=>{
console.log('掛載完成')
})
return {
onMounted
};
},
});
</script>
- setup語法糖
<script setup>
import { onMounted } from "vue";
onMounted(()=>{
console.log('掛載完成')
})
</script>
從上面可以看出Vue3中的組合式API採用hook函式引入生命週期;其實不止生命週期採用hook函式引入,像watch、computed、路由守衛等都是採用hook函式實現
總結
Vue3中的生命週期相對於Vue2做了一些調整,命名上發生了一些變化並且移除了beforeCreate和created,因為setup是圍繞beforeCreate和created生命週期鉤子執行的,所以不再需要它們。
生命週期採用hook函式引入
watch和computed
- 選項式API
<template>
<div>{{ addSum }}</div>
</template>
<script>
export default {
data() {
return {
a: 1,
b: 2
}
},
computed: {
addSum() {
return this.a + this.b
}
},
watch:{
a(newValue, oldValue){
console.log(`a從${oldValue}變成了${newValue}`)
}
}
}
</script>
- 組合式Api
<template>
<div>{{addSum}}</div>
</template>
<script>
import { computed, ref, watch, defineComponent } from "vue";
export default defineComponent({
setup() {
const a = ref(1)
const b = ref(2)
let addSum = computed(() => {
return a.value+b.value
})
watch(a, (newValue, oldValue) => {
console.log(`a從${oldValue}變成了${newValue}`)
})
return {
addSum
};
},
});
</script>
- setup語法糖
<template>
<div>{{ addSum }}</div>
</template>
<script setup>
import { computed, ref, watch } from "vue";
const a = ref(1)
const b = ref(2)
let addSum = computed(() => {
return a.value + b.value
})
watch(a, (newValue, oldValue) => {
console.log(`a從${oldValue}變成了${newValue}`)
})
</script>
Vue3中除了watch,還引入了副作用監聽函式watchEffect,用過之後我發現它和React中的useEffect很像,只不過watchEffect不需要傳入依賴項。
那麼什麼是watchEffect呢?
watchEffect它會立即執行傳入的一個函式,同時響應式追蹤其依賴,並在其依賴變更時重新執行該函式。
比如這段程式碼
<template>
<div>{{ watchTarget }}</div>
</template>
<script setup>
import { watchEffect,ref } from "vue";
const watchTarget = ref(0)
watchEffect(()=>{
console.log(watchTarget.value)
})
setInterval(()=>{
watchTarget.value++
},1000)
</script>
首先剛進入頁面就會執行watchEffect中的函式列印出:0,隨著定時器的執行,watchEffect監聽到依賴資料的變化回撥函式每隔一秒就會執行一次
總結
computed和watch所依賴的資料必須是響應式的。Vue3引入了watchEffect,watchEffect 相當於將 watch 的依賴源和回撥函式合併,當任何你有用到的響應式依賴更新時,該回撥函式便會重新執行。不同於 watch的是watchEffect的回撥函式會被立即執行,即({ immediate: true })
元件通訊
Vue中元件通訊方式有很多,其中選項式API和組合式API實現起來會有很多差異;這裡將介紹如下元件通訊方式:
方式 | Vue2 | Vue3 |
---|---|---|
父傳子 | props | props |
子傳父 | $emit | emits |
父傳子 | $attrs | attrs |
子傳父 | $listeners | 無(合併到 attrs方式) |
父傳子 | provide | provide |
子傳父 | inject | inject |
子元件訪問父元件 | $parent | 無 |
父元件訪問子元件 | $children | 無 |
父元件訪問子元件 | $ref | expose&ref |
兄弟傳值 | EventBus | mitt |
props
props是元件通訊中最常用的通訊方式之一。父元件通過v-bind傳入,子元件通過props接收,下面是它的三種實現方式
- 選項式API
//父元件
<template>
<div>
<Child :msg="parentMsg" />
</div>
</template>
<script>
import Child from './Child'
export default {
components:{
Child
},
data() {
return {
parentMsg: '父元件資訊'
}
}
}
</script>
//子元件
<template>
<div>
{{msg}}
</div>
</template>
<script>
export default {
props:['msg']
}
</script>
- 組合式Api
//父元件
<template>
<div>
<Child :msg="parentMsg" />
</div>
</template>
<script>
import { ref,defineComponent } from 'vue'
import Child from './Child.vue'
export default defineComponent({
components:{
Child
},
setup() {
const parentMsg = ref('父元件資訊')
return {
parentMsg
};
},
});
</script>
//子元件
<template>
<div>
{{ parentMsg }}
</div>
</template>
<script>
import { defineComponent,toRef } from "vue";
export default defineComponent({
props: ["msg"],// 如果這行不寫,下面就接收不到
setup(props) {
console.log(props.msg) //父元件資訊
let parentMsg = toRef(props, 'msg')
return {
parentMsg
};
},
});
</script>
- setup語法糖
//父元件
<template>
<div>
<Child :msg="parentMsg" />
</div>
</template>
<script setup>
import { ref } from 'vue'
import Child from './Child.vue'
const parentMsg = ref('父元件資訊')
</script>
//子元件
<template>
<div>
{{ parentMsg }}
</div>
</template>
<script setup>
import { toRef, defineProps } from "vue";
const props = defineProps(["msg"]);
console.log(props.msg) //父元件資訊
let parentMsg = toRef(props, 'msg')
</script>
注意
props中資料流是單項的,即子元件不可改變父元件傳來的值
在組合式API中,如果想在子元件中用其它變數接收props的值時需要使用toRef將props中的屬性轉為響應式。
emit
子元件可以通過emit釋出一個事件並傳遞一些引數,父元件通過v-onj進行這個事件的監聽
- 選項式API
//父元件
<template>
<div>
<Child @sendMsg="getFromChild" />
</div>
</template>
<script>
import Child from './Child'
export default {
components:{
Child
},
methods: {
getFromChild(val) {
console.log(val) //我是子元件資料
}
}
}
</script>
// 子元件
<template>
<div>
<button @click="sendFun">send</button>
</div>
</template>
<script>
export default {
methods:{
sendFun(){
this.$emit('sendMsg','我是子元件資料')
}
}
}
</script>
- 組合式Api
//父元件
<template>
<div>
<Child @sendMsg="getFromChild" />
</div>
</template>
<script>
import Child from './Child'
import { defineComponent } from "vue";
export default defineComponent({
components: {
Child
},
setup() {
const getFromChild = (val) => {
console.log(val) //我是子元件資料
}
return {
getFromChild
};
},
});
</script>
//子元件
<template>
<div>
<button @click="sendFun">send</button>
</div>
</template>
<script>
import { defineComponent } from "vue";
export default defineComponent({
emits: ['sendMsg'],
setup(props, ctx) {
const sendFun = () => {
ctx.emit('sendMsg', '我是子元件資料')
}
return {
sendFun
};
},
});
</script>
- setup語法糖
//父元件
<template>
<div>
<Child @sendMsg="getFromChild" />
</div>
</template>
<script setup>
import Child from './Child'
const getFromChild = (val) => {
console.log(val) //我是子元件資料
}
</script>
//子元件
<template>
<div>
<button @click="sendFun">send</button>
</div>
</template>
<script setup>
import { defineEmits } from "vue";
const emits = defineEmits(['sendMsg'])
const sendFun = () => {
emits('sendMsg', '我是子元件資料')
}
</script>
attrs和listeners
子元件使用$attrs可以獲得父元件除了props傳遞的屬性和特性繫結屬性 (class和 style)之外的所有屬性。
子元件使用$listeners可以獲得父元件(不含.native修飾器的)所有v-on事件監聽器,在Vue3中已經不再使用;但是Vue3中的attrs不僅可以獲得父元件傳來的屬性也可以獲得父元件v-on事件監聽器
- 選項式API
//父元件
<template>
<div>
<Child @parentFun="parentFun" :msg1="msg1" :msg2="msg2" />
</div>
</template>
<script>
import Child from './Child'
export default {
components:{
Child
},
data(){
return {
msg1:'子元件msg1',
msg2:'子元件msg2'
}
},
methods: {
parentFun(val) {
console.log(`父元件方法被呼叫,獲得子元件傳值:${val}`)
}
}
}
</script>
//子元件
<template>
<div>
<button @click="getParentFun">呼叫父元件方法</button>
</div>
</template>
<script>
export default {
methods:{
getParentFun(){
this.$listeners.parentFun('我是子元件資料')
}
},
created(){
//獲取父元件中所有繫結屬性
console.log(this.$attrs) //{"msg1": "子元件msg1","msg2": "子元件msg2"}
//獲取父元件中所有繫結方法
console.log(this.$listeners) //{parentFun:f}
}
}
</script>
- 組合式API
//父元件
<template>
<div>
<Child @parentFun="parentFun" :msg1="msg1" :msg2="msg2" />
</div>
</template>
<script>
import Child from './Child'
import { defineComponent,ref } from "vue";
export default defineComponent({
components: {
Child
},
setup() {
const msg1 = ref('子元件msg1')
const msg2 = ref('子元件msg2')
const parentFun = (val) => {
console.log(`父元件方法被呼叫,獲得子元件傳值:${val}`)
}
return {
parentFun,
msg1,
msg2
};
},
});
</script>
//子元件
<template>
<div>
<button @click="getParentFun">呼叫父元件方法</button>
</div>
</template>
<script>
import { defineComponent } from "vue";
export default defineComponent({
emits: ['sendMsg'],
setup(props, ctx) {
//獲取父元件方法和事件
console.log(ctx.attrs) //Proxy {"msg1": "子元件msg1","msg2": "子元件msg2"}
const getParentFun = () => {
//呼叫父元件方法
ctx.attrs.onParentFun('我是子元件資料')
}
return {
getParentFun
};
},
});
</script>
- setup語法糖
//父元件
<template>
<div>
<Child @parentFun="parentFun" :msg1="msg1" :msg2="msg2" />
</div>
</template>
<script setup>
import Child from './Child'
import { ref } from "vue";
const msg1 = ref('子元件msg1')
const msg2 = ref('子元件msg2')
const parentFun = (val) => {
console.log(`父元件方法被呼叫,獲得子元件傳值:${val}`)
}
</script>
//子元件
<template>
<div>
<button @click="getParentFun">呼叫父元件方法</button>
</div>
</template>
<script setup>
import { useAttrs } from "vue";
const attrs = useAttrs()
//獲取父元件方法和事件
console.log(attrs) //Proxy {"msg1": "子元件msg1","msg2": "子元件msg2"}
const getParentFun = () => {
//呼叫父元件方法
attrs.onParentFun('我是子元件資料')
}
</script>
注意
Vue3中使用attrs呼叫父元件方法時,方法前需要加上on;如parentFun->onParentFun
provide/inject
provide:是一個物件,或者是一個返回物件的函式。裡面包含要給子孫後代屬性
inject:一個字串陣列,或者是一個物件。獲取父元件或更高層次的元件provide的值,既在任何後代元件都可以通過inject獲得
- 選項式API
//父元件
<script>
import Child from './Child'
export default {
components: {
Child
},
data() {
return {
msg1: '子元件msg1',
msg2: '子元件msg2'
}
},
provide() {
return {
msg1: this.msg1,
msg2: this.msg2
}
}
}
</script>
//子元件
<script>
export default {
inject:['msg1','msg2'],
created(){
//獲取高層級提供的屬性
console.log(this.msg1) //子元件msg1
console.log(this.msg2) //子元件msg2
}
}
</script>
- 組合式API
//父元件
<script>
import Child from './Child'
import { ref, defineComponent,provide } from "vue";
export default defineComponent({
components:{
Child
},
setup() {
const msg1 = ref('子元件msg1')
const msg2 = ref('子元件msg2')
provide("msg1", msg1)
provide("msg2", msg2)
return {
}
},
});
</script>
//子元件
<template>
<div>
<button @click="getParentFun">呼叫父元件方法</button>
</div>
</template>
<script>
import { inject, defineComponent } from "vue";
export default defineComponent({
setup() {
console.log(inject('msg1').value) //子元件msg1
console.log(inject('msg2').value) //子元件msg2
},
});
</script>
- setup語法糖
//父元件
<script setup>
import Child from './Child'
import { ref,provide } from "vue";
const msg1 = ref('子元件msg1')
const msg2 = ref('子元件msg2')
provide("msg1",msg1)
provide("msg2",msg2)
</script>
//子元件
<script setup>
import { inject } from "vue";
console.log(inject('msg1').value) //子元件msg1
console.log(inject('msg2').value) //子元件msg2
</script>
說明
provide/inject一般在深層元件巢狀中使用合適。一般在元件開發中用的居多。
parent/children
$parent: 子元件獲取父元件Vue例項,可以獲取父元件的屬性方法等
$children: 父元件獲取子元件Vue例項,是一個陣列,是直接兒子的集合,但並不保證子元件的順序
- Vue2
import Child from './Child'
export default {
components: {
Child
},
created(){
console.log(this.$children) //[Child例項]
console.log(this.$parent)//父元件例項
}
}
注意
父元件獲取到的$children
並不是響應式的
expose&ref
$refs可以直接獲取元素屬性,同時也可以直接獲取子元件例項
- 選項式API
//父元件
<template>
<div>
<Child ref="child" />
</div>
</template>
<script>
import Child from './Child'
export default {
components: {
Child
},
mounted(){
//獲取子元件屬性
console.log(this.$refs.child.msg) //子元件元素
//呼叫子元件方法
this.$refs.child.childFun('父元件資訊')
}
}
</script>
//子元件
<template>
<div>
<div></div>
</div>
</template>
<script>
export default {
data(){
return {
msg:'子元件元素'
}
},
methods:{
childFun(val){
console.log(`子元件方法被呼叫,值${val}`)
}
}
}
</script>
- 組合式API
//父元件
<template>
<div>
<Child ref="child" />
</div>
</template>
<script>
import Child from './Child'
import { ref, defineComponent, onMounted } from "vue";
export default defineComponent({
components: {
Child
},
setup() {
const child = ref() //注意命名需要和template中ref對應
onMounted(() => {
//獲取子元件屬性
console.log(child.value.msg) //子元件元素
//呼叫子元件方法
child.value.childFun('父元件資訊')
})
return {
child //必須return出去 否則獲取不到例項
}
},
});
</script>
//子元件
<template>
<div>
</div>
</template>
<script>
import { defineComponent, ref } from "vue";
export default defineComponent({
setup() {
const msg = ref('子元件元素')
const childFun = (val) => {
console.log(`子元件方法被呼叫,值${val}`)
}
return {
msg,
childFun
}
},
});
</script>
- setup語法糖
//父元件
<template>
<div>
<Child ref="child" />
</div>
</template>
<script setup>
import Child from './Child'
import { ref, onMounted } from "vue";
const child = ref() //注意命名需要和template中ref對應
onMounted(() => {
//獲取子元件屬性
console.log(child.value.msg) //子元件元素
//呼叫子元件方法
child.value.childFun('父元件資訊')
})
</script>
//子元件
<template>
<div>
</div>
</template>
<script setup>
import { ref,defineExpose } from "vue";
const msg = ref('子元件元素')
const childFun = (val) => {
console.log(`子元件方法被呼叫,值${val}`)
}
//必須暴露出去父元件才會獲取到
defineExpose({
childFun,
msg
})
</script>
注意
通過ref獲取子元件例項必須在頁面掛載完成後才能獲取。
在使用setup語法糖時候,子元件必須元素或方法暴露出去父元件才能獲取到
EventBus/mitt
兄弟元件通訊可以通過一個事件中心EventBus實現,既新建一個Vue例項來進行事件的監聽,觸發和銷燬。
在Vue3中沒有了EventBus兄弟元件通訊,但是現在有了一個替代的方案mitt.js
,原理還是 EventBus
- 選項式API
//元件1
<template>
<div>
<button @click="sendMsg">傳值</button>
</div>
</template>
<script>
import Bus from './bus.js'
export default {
data(){
return {
msg:'子元件元素'
}
},
methods:{
sendMsg(){
Bus.$emit('sendMsg','兄弟的值')
}
}
}
</script>
//元件2
<template>
<div>
元件2
</div>
</template>
<script>
import Bus from './bus.js'
export default {
created(){
Bus.$on('sendMsg',(val)=>{
console.log(val);//兄弟的值
})
}
}
</script>
//bus.js
import Vue from "vue"
export default new Vue()
- 組合式API
首先安裝mitt
npm i mitt -S
然後像Vue2中bus.js
一樣新建mitt.js
檔案
mitt.js
import mitt from 'mitt'
const Mitt = mitt()
export default Mitt
//元件1
<template>
<button @click="sendMsg">傳值</button>
</template>
<script>
import { defineComponent } from "vue";
import Mitt from './mitt.js'
export default defineComponent({
setup() {
const sendMsg = () => {
Mitt.emit('sendMsg','兄弟的值')
}
return {
sendMsg
}
},
});
</script>
//元件2
<template>
<div>
元件2
</div>
</template>
<script>
import { defineComponent, onUnmounted } from "vue";
import Mitt from './mitt.js'
export default defineComponent({
setup() {
const getMsg = (val) => {
console.log(val);//兄弟的值
}
Mitt.on('sendMsg', getMsg)
onUnmounted(() => {
//元件銷燬 移除監聽
Mitt.off('sendMsg', getMsg)
})
},
});
</script>
- setup語法糖
//元件1
<template>
<button @click="sendMsg">傳值</button>
</template>
<script setup>
import Mitt from './mitt.js'
const sendMsg = () => {
Mitt.emit('sendMsg', '兄弟的值')
}
</script>
//元件2
<template>
<div>
元件2
</div>
</template>
<script setup>
import { onUnmounted } from "vue";
import Mitt from './mitt.js'
const getMsg = (val) => {
console.log(val);//兄弟的值
}
Mitt.on('sendMsg', getMsg)
onUnmounted(() => {
//元件銷燬 移除監聽
Mitt.off('sendMsg', getMsg)
})
</script>
v-model和sync
v-model大家都很熟悉,就是雙向繫結的語法糖。這裡不討論它在input標籤的使用;只是看一下它和sync在元件中的使用
我們都知道Vue中的props是單向向下繫結的;每次父元件更新時,子元件中的所有props都會重新整理為最新的值;但是如果在子元件中修改 props ,Vue會向你發出一個警告(無法在子元件修改父元件傳遞的值);可能是為了防止子元件無意間修改了父元件的狀態,來避免應用的資料流變得混亂難以理解。
但是可以在父元件使用子元件的標籤上宣告一個監聽事件,子元件想要修改props的值時使用$emit觸發事件並傳入新的值,讓父元件進行修改。
為了方便vue就使用了v-model
和sync
語法糖。
- 選項式API
//父元件
<template>
<div>
<!--
完整寫法
<Child :msg="msg" @update:changePval="msg=$event" />
-->
<Child :changePval.sync="msg" />
{{msg}}
</div>
</template>
<script>
import Child from './Child'
export default {
components: {
Child
},
data(){
return {
msg:'父元件值'
}
}
}
</script>
//子元件
<template>
<div>
<button @click="changePval">改變父元件值</button>
</div>
</template>
<script>
export default {
data(){
return {
msg:'子元件元素'
}
},
methods:{
changePval(){
//點選則會修改父元件msg的值
this.$emit('update:changePval','改變後的值')
}
}
}
</script>
- setup語法糖
因為使用的都是前面提過的知識,所以這裡就不展示組合式API的寫法了
//父元件
<template>
<div>
<!--
完整寫法
<Child :msg="msg" @update:changePval="msg=$event" />
-->
<Child v-model:changePval="msg" />
{{msg}}
</div>
</template>
<script setup>
import Child from './Child'
import { ref } from 'vue'
const msg = ref('父元件值')
</script>
//子元件
<template>
<button @click="changePval">改變父元件值</button>
</template>
<script setup>
import { defineEmits } from 'vue';
const emits = defineEmits(['changePval'])
const changePval = () => {
//點選則會修改父元件msg的值
emits('update:changePval','改變後的值')
}
</script>
總結
vue3中移除了sync的寫法,取而代之的式v-model:event的形式
其v-model:changePval="msg"
或者:changePval.sync="msg"
的完整寫法為
:msg="msg" @update:changePval="msg=$event"
。
所以子元件需要傳送update:changePval
事件進行修改父元件的值
路由
vue3和vue2路由常用功能只是寫法上有些區別
- 選項式API
<template>
<div>
<button @click="toPage">路由跳轉</button>
</div>
</template>
<script>
export default {
beforeRouteEnter (to, from, next) {
// 在渲染該元件的對應路由被 confirm 前呼叫
next()
},
beforeRouteEnter (to, from, next) {
// 在渲染該元件的對應路由被 confirm 前呼叫
next()
},
beforeRouteLeave ((to, from, next)=>{//離開當前的元件,觸發
next()
}),
beforeRouteLeave((to, from, next)=>{//離開當前的元件,觸發
next()
}),
methods:{
toPage(){
//路由跳轉
this.$router.push(xxx)
}
},
created(){
//獲取params
this.$router.params
//獲取query
this.$router.query
}
}
</script>
- 組合式API
<template>
<div>
<button @click="toPage">路由跳轉</button>
</div>
</template>
<script>
import { defineComponent } from 'vue'
import { useRoute, useRouter } from 'vue-router'
export default defineComponent({
beforeRouteEnter (to, from, next) {
// 在渲染該元件的對應路由被 confirm 前呼叫
next()
},
beforeRouteLeave ((to, from, next)=>{//離開當前的元件,觸發
next()
}),
beforeRouteLeave((to, from, next)=>{//離開當前的元件,觸發
next()
}),
setup() {
const router = useRouter()
const route = useRoute()
const toPage = () => {
router.push(xxx)
}
//獲取params 注意是route
route.params
//獲取query
route.query
return {
toPage
}
},
});
</script>
- setup語法糖
我之所以用beforeRouteEnter
作為路由守衛的示例是因為它在setup
語法糖中是無法使用的;大家都知道setup
中元件例項已經建立,是能夠獲取到元件例項的。而beforeRouteEnter
是再進入路由前觸發的,此時元件還未建立,所以是無法setup
中的;如果想在setup語法糖中使用則需要再寫一個setup
語法糖的script
如下:
<template>
<div>
<button @click="toPage">路由跳轉</button>
</div>
</template>
<script>
export default {
beforeRouteEnter(to, from, next) {
// 在渲染該元件的對應路由被 confirm 前呼叫
next()
},
};
</script>
<script setup>
import { useRoute, useRouter,onBeforeRouteLeave, onBeforeRouteUpdate } from 'vue-router'
const router = useRouter()
const route = useRoute()
const toPage = () => {
router.push(xxx)
}
//獲取params 注意是route
route.params
//獲取query
route.query
//路由守衛
onBeforeRouteUpdate((to, from, next)=>{//當前元件路由改變後,進行觸發
next()
})
onBeforeRouteLeave((to, from, next)=>{//離開當前的元件,觸發
next()
})
</script>
寫在最後
通過以上寫法的對比會發現setup語法糖的形式最為便捷而且更符合開發者習慣;未來Vue3的開發應該會大面積使用這種形式。目前Vue3已經成為了Vue的預設版本,後續維護應該也會以Vue3為主;所以還沒開始學習Vue3的同學要抓緊了!
ps:覺得有用的話動動小指頭給個贊吧!!