watch (观察者)

    • 观察一个 reactive 对象
    1. import { createComponent, watch, reactive } from '@vue/composition-api'
    2. export default createComponent({
    3. setup() {
    4. // 观察reactive
    5. const state = reactive({ count: 0 })
    6. watch(
    7. () => state.count,
    8. (count, prevCount) => {
    9. console.log(count)
    10. console.log(prevCount)
    11. }
    12. )
    13. setTimeout(() => {
    14. state.count++
    15. }, 1000)
    16. })
    17. </script>
    • 观察一个 ref 对象
    1. <script>
    2. export default createComponent({
    3. setup() {
    4. const fooRef = ref(0)
    5. const barRef = ref(0)
    6. watch([fooRef, barRef], (currArr, prevArr) => {
    7. console.log(currArr, 'newValue')
    8. console.log(prevArr, 'oldValue')
    9. })
    10. // or
    11. watch([fooRef, barRef], ([foo, bar], [prevFoo, prevBar]) => {
    12. /****/
    13. })
    14. setTimeout(() => {
    15. fooRef.value++
    16. barRef.value++
    17. * [1,1] "newValue"
    18. */
    19. }, 1000)
    20. }
    21. })
    22. </script>
    1. <script>
    2. import { createComponent, watch, ref } from '@vue/composition-api'
    3. export default createComponent({
    4. setup() {
    5. const count = ref(0)
    6. // 第一次执行不会打印
    7. watch(count, value => console.log(value), { lazy: true })
    8. setTimeout(() => {
    9. count.value++
    10. // -> logs 1
    11. }, 1000)
    12. }
    13. </script>