# 计算属性与观察者
# 计算属性
vue采用了简洁的模板语法,一般在数据的绑定过程中单纯的传入数据名,例如:
{{message}}
若果我们在此传入太多的逻辑则会使得代码难懂 且难以维护
{{ message.split('').reverse().join('') }}
//该行代码是让message信息倒序排列
为了避免这种情况我们使用 计算属性的方式,如下:
<template>
<div id="app">
<p>{{message}}</p>
<p>{{reverseMessage}}</p>
</div>
</template>
<script>
explore default{
name: "app"
data () {
return {
message: '123'
}
},
computed: {
reverseMessage () {
return this.message.split('').reverse().join('')
}
}
}
</script>
//结果:321
- 注:computed为计算属性
- 在此我们还可以使用method,watch等属性,区别如下
# method与computed的异同
- 首先method和computed的结果是相同的
- 计算属性是基于他们的依赖进行缓存的!
- 在这里意味着只要“message”没有发生改变,多次访问reverseMessage会立即返回之前计算过的结果。
- 如果使用methods,无论message值是否具发生改变,reverseMessage的值都会进行重新计算
- 重:故我们在进行性能开销较大的计算属性A,他需要遍历一个极大的数组和大量的计算,然后我们可能有其他的计算属性依赖于A。如果没有缓存,则需进行重新计算!
# watch与computed的异同
(被观察者属性与计算属性)
watch属性用来观察vue实例上的数据变动,而当有些数据需要随其他属性进行变动时,极其容器滥用==watch==,而,通常更好的解决方式是计算属性而不是命令式的==watch==回调。 eg:
{{fullName}}
data () {
return {
firstName: 'a',
lastName: 'b'
},
},
watch: {
firstName (val) {
this.fullName = val + this.lastName
},
lastName (val) {
this.fullName = this.firstName + val
}
}
而我们使用计算属性则可尽快的达到目的
computed: {
fullName : {
return this.firstName + this.lastName
}
# 观察者
尽管我们使用计算者属性可以满足我们大部分的操作需求,但是涉及到根据数据变化响应时,执行异步操作或开销较大的操作,很有用。
<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://cdn.jsdelivr.net/npm/axios@0.12.0/dist/axios.min.js"></script>
<script src="https://cdn.jsdelivr.net/npm/lodash@4.13.1/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),限制我们执行该操作的频率,并在我们得到最终结果前,设置中间状态。这是计算属性无法做到的。 除了 watch 选项之外,您还可以使用 vm.$watch API 命令。