Bagaimana untuk menggunakan gula sintaks dalam
Vue? Artikel berikut akan membawa anda melalui gula sintaks dan memperkenalkan cara menggunakan gula sintaks Vue3.2 Saya harap ia akan membantu anda.
Sepanjang tempoh Vue2
, pelbagai pembolehubah, kaedah, sifat yang dikira, dll. ditakrifkan dalam komponennya ialah Simpan mereka dalam data
, methods
, computed
dan pilihan lain masing-masing Kod yang ditulis dengan cara ini tidak sesuai untuk rujukan kemudian untuk mencari logik perniagaan, anda perlu bertukar-tukar antara pelbagai pilihan. Fungsi vue3.0
API Gabungansetup
telah dilancarkan untuk menyelesaikan masalah ini. Ia menjadikan fokus logik kami lebih fokus dan sintaks lebih diperkemas Walau bagaimanapun, apabila kami menggunakan sintaks vue3.0
untuk membina komponen, kami sentiasa perlu kembalikan pembolehubah kaedah yang ditakrifkan di luar sebelum ia boleh digunakan dalam <template>
, yang sedikit lebih menyusahkan Kemunculan vue3.2
gula sintaks dan beberapa API baharu memudahkan lagi kod kami. [Belajar perkongsian video: tutorial video vue, video bahagian hadapan web]
Syntactic sugar (Bahasa Inggeris: Syntactic sugar) ialah istilah yang dicipta oleh saintis komputer British Peter Landing untuk merujuk kepada sintaks A tertentu ditambah yang tidak memberi kesan kepada kefungsian bahasa, tetapi lebih mudah untuk digunakan oleh pengaturcara. Gula sintaksis menjadikan program lebih ringkas dan lebih mudah dibaca.
Vue3.2
Gula sintaktik Mari kita lihat komponen fail tunggal (SFC, iaitu fail .vue) vue3.0
dan vue3.2
) Perbandingan struktur
vue3.0
Komponen<template> <div> </div> </template> <script> export default { components: { }, props: { }, setup () { return {} } } </script> <style scoped> </style>
vue3.2
Komponen<template> <MyTestVue :title="title" @click="changeTitle" /> </template> <script setup> import MyTestVue from './MyTest.vue'; import { ref } from 'vue'; const title = ref('测试一下') const changeTitle = () => { title.value = 'Hello,World' } </script> <style scoped> </style>
Membandingkan templat komponen versi vue3.0
dan vue3.2
, perubahan utama ialah fungsi setup
tidak lagi dalam 3.2, tetapi diletakkan dalam teg skrip.
Sifat dan kaedah yang kami tentukan tidak perlu dikembalikan sebagai balasan, ia boleh digunakan terus dalam sintaks templat. ...
Ini adalah perubahan intuitif, mari pelajari penggunaan khusus seterusnya.
vue3.0
Dalam komponen fail tunggal
<script> import ComponentA from './ComponentA.js' export default { components: { ComponentA }, setup() { // ... } } </script>
vue3.2
<script setup>
<script setup> import ComponentA from './ComponentA.vue' </script> <template> <ComponentA /> </template>
vue3.0
prop
props
Dalam komponen,
<script> export default { props: ['foo'], // 或者用这种方式指类型与默认值 // props: { // foo:{ // type: String, // default: '' // }, // }, setup(props) { // setup() 接收 props 作为第一个参数 console.log(props.foo) } } </script>
vue3.2
props
defineProps()
Nota: Semua prop mengikut prinsip mengikat sehala , prop berubah disebabkan oleh kemas kini komponen induk, dan keadaan baharu secara semula jadi akan mengalir ke bawah ke komponen anak tanpa meneruskannya ke belakang, yang bermaksud bahawa anda tidak seharusnya menukar prop dalam komponen anak.
<script setup> const props = defineProps(['foo']) // 或者 const propsOther = defineProps({ title: String, likes: Number }) console.log(props.foo) </script>
3. Sifat dikira
dipanggil,
akan dipanggil dan<script setup> import { ref, computed } from 'vue' const firstName = ref('John') const lastName = ref('Doe') const fullName = computed({ // getter get() { return firstName.value + ' ' + lastName.value }, // setter set(newValue) { // 注意:我们这里使用的是解构赋值语法 [firstName.value, lastName.value] = newValue.split(' ') } }) </script>
akan dikemas kini Dalam fullName.value = 'John Doe'
kita boleh menggunakannya terus dalam tag setter
Ia tidak perlu kembali. firstName
- 不要在计算函数中做异步请求或者更改 DOM!
- 一个计算属性仅会在其响应式依赖更新时才重新计算,如果他依赖的是个非响应式的依赖,及时其值发生变化,计算属性也不会更新。
- 相比于方法而言,计算属性值会基于其响应式依赖被缓存,一个计算属性仅会在其响应式依赖更新时才重新计算
在组合式API中,我们可以使用watch
函数在每次响应式状态发生变化时触发回调函数,watch
的第一个参数可以是不同形式的“数据源”:它可以是一个 ref
(包括计算属性)、一个响应式对象、一个 getter
函数、或多个数据源组成的数组:watch()
是懒执行的:仅当数据源变化时,才会执行回调,例如:
<script setup> import { ref,watch } from 'vue'; const props = defineProps({ title: String, itemList: { type: Array, default: () => [{ text: 'title', value: 0 }] } }) watch(() => props.itemList.length,(newValue,oldValue) => { console.log('newValue===',newValue); console.log('oldValue===',oldValue); }) </script>
这里监听
props.itemList.length
,当传入的itemList
数量发生变化时,后面的回调方法会被调用。当然wacth()
还有第三个可选参数:否开启深监听(deep)
, 如果这里这样写:<script setup> import { ref,watch } from 'vue'; ... watch(() => props.itemList,(newValue,oldValue) => { console.log('newValue===',newValue); console.log('oldValue===',oldValue); }) </script>Salin selepas log masuk当传入的
itemList
数量发生改变时,回调函数不会触发,正确的写法是加上其第三个参数deep:true
<script setup> import { ref,watch } from 'vue'; ... watch(() => props.itemList,(newValue,oldValue) => { console.log('newValue===',newValue); console.log('oldValue===',oldValue); },{deep:true}) </script>
watch
也可以同时监听多个属性:
<script setup> import { ref,watch } from 'vue'; const props = defineProps({ title: String, itemList: { type: Array, default: () => [{ text: 'title', value: 0 }] } }) // 同时监听多个属性 watch(() => [props.itemList,props.title],(newValue,oldValue) => { console.log('newValue===',newValue); console.log('oldValue===',oldValue); },{deep:true}) </script>
watchEffect()
与watch()
的懒执行不同的是,watchEffect()
会立即执行一遍回调函数,如果这时函数产生了副作用,Vue
会自动追踪副作用的依赖关系,自动分析出响应源。上面的例子可以重写为:
<script setup> ... watchEffect(() => { console.log('itemList===',props.itemList.length); console.log('title===',props.title); }) </script>
这个例子中,回调会立即执行。在执行期间,它会自动追踪props.itemList.length
作为依赖(和计算属性的行为类似)。每当传入的itemList.length
变化时,回调会再次执行。
如果要清除watchEffect()
的的监听,只需要显示的调用watchEffect()
的返回函数就可以了,例如:
<script setup> ... const stopEffect = watchEffect(() => { console.log('itemList===',props.itemList.length); console.log('title===',props.title); }) stopEffect() </script>
watch 只追踪明确侦听的数据源。它不会追踪任何在回调中访问到的东西。另外,仅在数据源确实改变时才会触发回调。我们能更加精确地控制回调函数的触发时机。 watchEffect,则会在副作用发生期间追踪依赖。它会在同步执行过程中,自动追踪所有能访问到的响应式属性。
vue3.0
中如果我们的子组件触发父组件的方法,我们的做法:
子组件 <script> export default { emits: ['inFocus', 'submit'], setup(props, ctx) { ctx.emit('submit',params) } } // 或者将可以将emit解构使用 export default { setup(props,{emit}) { emit('submit',params) } } </script> 父组件 <template> <Children @submit="submitHandel"/> </div> </template> <script> export default { name: 'TodoItem', setup(props, { emit }) { const submitHandel = () => { console.log('子组件调用了父组件的submitHandel方法'); } return { submitHandel, } } }; </script>
vue3.2
语法糖中,子组件要触发的事件需要显式地通过 defineEmits()
宏来声明
子组件 <script setup> const emit = defineEmits(['inFocus', 'submit']) function buttonClick(parmas) { emit('submit', parmas) } </script> 父组件 <template> <Children @submit="submitHandel"/> </div> </template> <script setup> const submitHandel = () => { console.log('子组件调用了父组件的submitHandel方法'); } }; </script>
vue3.0
中如果父组件触发子组件的方法或是属性,直接在return函数中返回就可以,数据都是默认隐式暴露给父组件的。
<script> // 子组件 setup(props, { emit }) { const isShow = ref(false) // 父组件调用这个方法 const showSubComponent = () => { isShow.value = !isShow.value } return { // return 返回 showSubComponent, } } </script>
父组件中通过ref
获取到子组件,并对子组件暴露的方法进行访问
父组件 <template> <div class="todo-list"> <TodoItemVue :itemList="itemList" @clickItemHandel="clickItemHandel" ref="todoItemVueRef" /> </div> </template> <script> import { ref } from 'vue'; export default { setup(props, { emit }) { //获取子组件ref const todoItemVueRef = ref(null) // 调用子组件的方法 const callItemFuncHandel = () => { todoItemVueRef.value.showSubComponent() } return { todoItemVueRef } } }; </script>
vue3.2
语法中,父组件的调用方式相同,子组件通过defineExpose()
将方法或是属性暴露出去
子组件 <script setup> const isShow = ref(false) // 父组件调用这个方法 const showSubComponent = () => { isShow.value = !isShow.value } // 通过defineExpose将方法暴露出去 defineExpose({ showSubComponent }) </script> 父组件 <template> <div class="todo-list"> <TodoItemVue :itemList="itemList" @clickItemHandel="clickItemHandel" ref="todoItemVueRef" /> </div> </template> <script setup> import { ref } from 'vue'; //获取子组件ref const todoItemVueRef = ref(null) // 调用子组件的方法 const callItemFuncHandel = () => { todoItemVueRef.value.showSubComponent() } </script>
在vue3.0
与vue3.2
中创建Vuex
没有区别,只不过在<template>
模板中使用Vuex的store
有细微差别。
import { createStore } from 'vuex'; import { ADD_ITEM_LIST, REDUCE_ITEM_LIST, CHANGE_ITEM_LIST_ASYNC } from './constants'; export default createStore({ state: { itemList: [ { text: 'Learn JavaScript', done: true }, { text: 'Learn Vue', done: false }, { text: 'Build something awesome', done: false }, ], }, getters: { doneItemList: (state) => state.itemList.filter((todo) => todo.done), }, mutations: { // 使用ES2015风格的计算属性命名功能 来使用一个常量作为函数名 [ADD_ITEM_LIST](state, item) { console.log('增加数据', item); state.itemList.push(item); }, [REDUCE_ITEM_LIST](state) { console.log('减少数据'); state.itemList.pop(); }, }, actions: { [CHANGE_ITEM_LIST_ASYNC]({ commit, state }, todoItem) { /// 模拟网络请求 setTimeout(() => { commit(ADD_ITEM_LIST, todoItem); console.log('state===', state); }, 1000); }, }, modules: { }, });
在vue3.0
中我们一般在return中对store.state
进行解构,然后可以直接在<template>
中使用state
中的值
<template> <div class="todo-item"> <ol> <li v-for="(item,index) in itemList" :key="index" class="todos" @click="clickItem(index)"> {{ item.text }} </li> </ol> </div> </template> <script> export default { name: 'TodoItem', setup(props, { emit }) { return { // 对store.state进行解构 ...store.state, clickItem, count, isShow, showSubComponent, } } }; </script>
vue3.2
中没有了return,需要我们显示的获取要使用的stare
的值
<template> <div class="todo-item"> <ol> <li v-for="(item,index) in itemList" :key="index" class="todos" @click="clickItem(index)"> {{ item.text }} </li> </ol> </div> </template> <script setup> import { useStore } from 'vuex'; const store = useStore() // 获取后在<template>中使用 const itemList = store.state.itemList </script>
<span style="font-size: 18px;"><style></span>
中的 v-bind<style>
中的 v-bind
: 用于在 SFC <style>
标签中启用组件状态驱动的动态 CSS 值
<script setup> import { ref, watchEffect } from 'vue'; const color = ref('black') const callChangeColorHandel = () => { if(color.value === 'black') { color.value = 'red' }else { color.value = 'black' } } </script> <style lang="scss" scoped> .todo-list { color: v-bind(color); } </style>
触发callChangeColorHandel
函数,在<style>
中的v-bind
指令可以动态绑定的响应式状态。
Secara keseluruhannya, pengenalan sintaks gula memudahkan kod templat yang panjang apabila menggunakan Composition API
, yang bermaksud kod itu lebih ringkas dan lebih tinggi. Dan pengenalan rasmi vue3.2
telah dioptimumkan dari segi kelajuan pemaparan antara muka dan penggunaan memori Artikel ini hanya meringkaskan kaedah biasa persediaan gula sintaksis Untuk lebih banyak vue3.2
ciri baharu, anda boleh menyemak dokumentasi rasmi.
(Mempelajari perkongsian video: pembangunan bahagian hadapan web, Video pengaturcaraan asas)
Atas ialah kandungan terperinci Apakah gula sintaksis? Bagaimana untuk menggunakan gula sintaks dalam Vue3.2?. Untuk maklumat lanjut, sila ikut artikel berkaitan lain di laman web China PHP!