Vue.js的computed和watch用法及區別
阿新 • • 發佈:2018-12-30
1. 如何使用
1.1 computed計算屬性
<template>
<div>
<el-input v-model="value1" placeholder="費用1"></el-input>
<el-input v-model="value2" placeholder="費用2"></el-input>
<p>合計: "{{ sum }}"</p>
</div>
</template>
<script>
export default {
data() {
return {
value1:0,
value2:0,
}
},
computed:{
sum: function(){
return this.value1 + this.value2;
}
}
}
</script>
這個例子是通過input輸入兩個資料,並且計算sum顯示出來,通過computed計算屬性,當input資料改變時,sum也會實時改變。
當然不通過computed也可以,還可以通過method方法實現,不同的是計算屬性是基於它們的依賴進行快取的
剛剛例子中computed只是get屬性,其實它還有set屬性,比如下面這樣:
<template>
<div>
<el-input v-model="value1" placeholder="費用1"></el-input>
<el-input v-model="value2" placeholder="費用2"></el-input>
<p>合計: "{{ sum }}"</p>
</div >
</template>
<script>
export default {
data() {
return {
value1:0,
value2:0,
}
},
computed:{
sum: {
get: function(){
return this.value1 + this.value2;
},
set: function(value){
this.value1 = value/2;
this.value2 = value/2;
}
}
}
}
</script>
1.2 watch觀察者
關於watch我們引用官方的一個例子:
<div id="watch-example">
<p>
Ask a yes/no question:
<input v-model="question">
</p>
<p>{{ answer }}</p>
</div>
<!-- Since there is already a rich ecosystem of ajax libraries -->
<!-- and collections of general-purpose utility methods, Vue core -->
<!-- is able to remain small by not reinventing them. This also -->
<!-- gives you the freedom to just use what you're familiar with. -->
<script src="https://unpkg.com/[email protected]/dist/axios.min.js"></script>
<script src="https://unpkg.com/[email protected]/lodash.min.js"></script>
<script>
var watchExampleVM = new Vue({
el: '#watch-example',
data: {
question: '',
answer: 'I cannot give you an answer until you ask a question!'
},
watch: {
// 如果 question 發生改變,這個函式就會執行
question: function (newQuestion) {
this.answer = 'Waiting for you to stop typing...'
this.getAnswer()
}
},
methods: {
// _.debounce 是一個通過 lodash 限制操作頻率的函式。
// 在這個例子中,我們希望限制訪問yesno.wtf/api的頻率
// ajax請求直到使用者輸入完畢才會發出
// 學習更多關於 _.debounce function (and its cousin
// _.throttle), 參考: https://lodash.com/docs#debounce
getAnswer: _.debounce(
function () {
if (this.question.indexOf('?') === -1) {
this.answer = 'Questions usually contain a question mark. ;-)'
return
}
this.answer = 'Thinking...'
var vm = this
axios.get('https://yesno.wtf/api')
.then(function (response) {
vm.answer = _.capitalize(response.data.answer)
})
.catch(function (error) {
vm.answer = 'Error! Could not reach the API. ' + error
})
},
// 這是我們為使用者停止輸入等待的毫秒數
500
)
}
})
</script>
在這個示例中,使用 watch 選項允許我們執行非同步操作(訪問一個 API),限制我們執行該操作的頻率,並在我們得到最終結果前,設定中間狀態。這是計算屬性無法做到的。
2. 區別和聯絡
關於watch和computed有什麼區別和聯絡呢,在實際應用中應該怎麼使用,是大家比較關係的問題:
- 應用方面,watch比較適合對狀態的監控,比如監控頁面一個變數的值改變,需要進行什麼操作。而computed適合簡單計算並返回結果,結果隨著內部變數改變而改變。
- 呼叫方面,watch適合比較耗時的操作,比如網路非同步請求,一個變數改變觸發網路請求。
- watch可以看做一個onchange事件,computed可以看做幾個變數的組合體。