文档中建议,如果你有一些数据需要随着其他数据变动而变动时,通常更好的方法是使用计算属性,而不是命令式的watch
回调。
在文档的另一处,有如下建议:从模板调用的方法不应该有任何副作用,必须更改数据或触发异步进程,如果你想这么做,应该使用生命周期钩子来替换。
关于计算属性,文档给的案例如下:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
|
<template>
<p>
Ask a yes/no question:
<input v-model="question"/>
</p>
<p>{{ answer }}</p>
</template>
<script lang="ts">
import {defineComponent} from 'vue';
import axios from "axios";
export default defineComponent({
data() {
return {
question: '',
answer: 'Question Usually Contain A Question Mark. ;-)'
}
},
watch: {
question(newQuestion, oldQuestion) {
if (newQuestion.indexOf('?') > -1 || newQuestion.indexOf('?') > -1) {
this.getAnswer();
}
}
},
methods: {
getAnswer() {
this.answer = 'Thinking...';
axios
.get('https://yesno.wtf/api')
.then(response => {
this.answer = response.data.answer;
})
.catch(error => {
this.answer='Error! Could Not Reach The API.' +error
})
}
}
})
</script>
|
如果将这个案例改为用计算属性实现,则需要提供一个questionComputed
的计算属性,在这个属性的setter中先将用户输入的数据赋值给question,然后再进行末尾字符判断,如果是?
或?
结尾,则触发getAnswer
方法。
实际上,我觉得这个实现方案违背了第二条建议。
我现在经验还不足,暂且记录,以后在做分析和思考吧。