用 Vue 时,常出现相关业务逻辑代码散在 data, methods, watch, computed 和 mounted 等地方。这样的代码可维护性差。查找或更改这块逻辑时,都要找多个地方。

解决方案

Vue 3 新出的 Composition API 可以优雅的聚集零散业务代码。 Composition API 通过 ref,reactive,watch,computed, onMounted 等这些可调用的函数,来聚集代码。

我们来看个 Demo。实现一个计数器,支持按加,减按钮来改数字,改数字时,要将新的值传给服务器端。

常规写法:

  1. <template>
  2. <div>
  3. <button @click="decrease"> -1 </button>
  4. {{count}}
  5. <button @click="increase"> +1 </button>
  6. </div>
  7. </template>
  8. <script>
  9. export default {
  10. data() {
  11. return {
  12. count: 1
  13. }
  14. },
  15. watch: {
  16. count(newValue) {
  17. this.report(newValue)
  18. }
  19. },
  20. methods: {
  21. increase() {
  22. this.count++
  23. },
  24. decrease() {
  25. this.count--
  26. },
  27. report(count) {
  28. console.log(`report num: ${count}`)
  29. }
  30. }
  31. }
  32. </script>

业务逻辑代码散在 data,watch 和 methods 里。

用 Composition API 写,可以将业务代码聚集在一处。Composition API 和 常规写法的 DOM 结构没有变化,只有 js 有变化。如下:

  1. <script setup>
  2. import {ref, watch} from 'vue'
  3. const count = ref(1)
  4. const setCount = (value) => {
  5. count.value = value
  6. }
  7. const increase = () => setCount(count.value + 1)
  8. const decrease = () => setCount(count.value - 1)
  9. const report = count => console.log(`report num: ${count}`)
  10. watch(count, newValue => report(newValue))
  11. </script>

为了方便计数器逻辑的复用,可以抽象成一个函数:

  1. import {ref, watch} from 'vue'
  2. export default function useCount(initValue = 1, onChange) {
  3. const count = ref(initValue)
  4. const setCount = (value) => {
  5. count.value = value
  6. }
  7. watch(count, newValue => onChange(newValue))
  8. const increase = () => setCount(count.value + 1)
  9. const decrease = () => setCount(count.value - 1)
  10. return {
  11. count,
  12. increase,
  13. decrease
  14. }

使用:

  1. <script setup>
  2. import useCount from './use-count'
  3. const report = count => console.log(`report num: ${count}`)
  4. const {count, increase, decrease} = useCount(1, report)
  5. </script>

代码是不是变得很内聚,用 Composition API 来重构零散的代码吧~

参考文档