VUE3中watch監聽使用實例詳解

watch介紹

vue中watch用來監聽數據的響應式變化.獲取數據變化前後的值

watch的完整入參

watch(監聽的數據,副作用函數,配置對象)
watch(data, (newData, oldData) => {}, {immediate: true, deep: true})

watch監聽的不同情況

創建響應式數據

import { ref, watch, reactive } from "vue";
let name = ref("moxun");
let age = ref(18);
let person = reactive({
  Hobby: "photo",
  city: {
    jiangsu: {
      nanjing: "雨花臺",
    },
  },
});

1 監聽單個refimpl數據

watch(name, (newName, oldName) => {
  console.log("newName", newName);
});

2 監聽多個refimpl數據

方式一:vue3允許多個watch監聽器存在

watch(name, (newValue, oldValue) => {
  console.log("new", newValue, "old", oldValue);
});
watch(age, (newValue, oldValue) => {
  console.log("new", newValue, "old", oldValue);
});

方式二:將需要監聽的數據添加到數組

watch([name, age], (newValue, oldValue) => {
  // 返回的數據是數組
  console.log("new", newValue, "old", oldValue);
});

3 監聽proxy數據

註意

1.此時vue3將強制開啟deep深度監聽

2.當監聽值為proxy對象時,oldValue值將出現異常,此時與newValue相同

// 監聽proxy對象
watch(person, (newValue, oldValue) => {
  console.log("newValue", newValue, "oldValue", oldValue);
});

4 監聽proxy數據的某個屬性

需要將監聽值寫成函數返回形式,vue3無法直接監聽對象的某個屬性變化

watch(
  () => person.Hobby,
  (newValue, oldValue) => {
    console.log("newValue",newValue, "oldvalue", oldValue);
  }
);

註意

當監聽proxy對象的屬性為復雜數據類型時,需要開啟deep深度監聽

watch(
  () => person.city,
  (newvalue, oldvalue) => {
    console.log("person.city newvalue", newvalue, "oldvalue", oldvalue);
  },{
    deep: true
  }
);

5 監聽proxy數據的某些屬性

watch([() => person.age, () => person.name], (newValue, oldValue) => {
  // 此時newValue為數組
  console.log("person.age", newValue, oldValue);
});

總結

1.與vue2中的watch配置一致

2.兩個坑:

監聽reactive定義的proxy代理數據時
oldValue無法正確獲取
強制開啟deep深度監聽(無法關閉)

監聽reactive定義的proxy代理對象某個屬性時deep配置項生效

到此這篇關於VUE3中watch監聽使用的文章就介紹到這瞭,更多相關VUE3 watch監聽使用內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: