用三种方法: 计算属性、 方法、侦听器, 实现 fullName 的全部展示,以及修改对应的名字和年龄的时候, 对应的缓存机制。
data:image/s3,"s3://crabby-images/97ab8/97ab8770e0dc1d2d9a4d4dd4828df5178a62bd7f" alt=""
1: 计算属性: (内置缓存机制)
当更改age的时候, fullName 函数不执行;
当更改fristName的时候, fullName 函数才执行
<div id = "app">
<span>{{fullName}}</span>
<span>{{age}}</span>
</div>
<script>
var vm = new Vue({
el : "#app",
data: {
fristName : "Christine",
lastName : "Gao",
age : "26"
},
// “计算属性” 实现: 具有缓存机制, 即改变年龄的时候, 执行 fullName 函数
computed : {
fullName : function () {
console.log("计算了一次");
return this.fristName + " " + this.lastName;
}
}
})
</script>
data:image/s3,"s3://crabby-images/31d0a/31d0a17e7e2acdf45ef2bbe34bd1863a05877b7a" alt=""
2、方法: (无内置缓存)
当更改age的时候, fullName 函数执行, 这样就增加了代码冗余,浏览器运行性能降低;
当更改fristName的时候, fullName 函数仍执行。
<div id = "app">
<span>{{fullName()}}</span>
<span>{{age}}</span>
</div>
<script>
var vm = new Vue({
el : "#app",
data: {
fristName : "Christine",
lastName : "Gao",
age : "26"
},
// “方法” 实现 : 改变年龄的时候, 也会执行 fullName 函数
methods : {
fullName : function () {
console.log("用方法,计算了一次")
return this.fristName + " " + this.lastName;
}
}
})
</script>
data:image/s3,"s3://crabby-images/95e26/95e26ea3fd4fff31c2272744ac73f229722ff537" alt=""
3、侦听器: (有内置缓存)
跟“计算属性”相似, 但是代码相较于“计算属性”而言, 比较繁琐且冗余。
<div id = "app">
<span>{{fullName}}</span>
<span>{{age}}</span>
</div>
<script>
var vm = new Vue({
el : "#app",
data: {
fristName : "Christine",
lastName : "Gao",
fullName : "Christine Gao",
age : "26"
},
// “侦听” 实现 :实现了缓存, 但是代码冗余。
watch : {
firstName : function () {
console.log("侦听实现 , 计算了一次");
this.fullName = this.fristName + " " + this.lastName;
},
lastName : function () {
console.log("侦听实现 , 计算了一次");
this.fullName = this.fristName + " " + this.lastName;
}
}
})
</script>
data:image/s3,"s3://crabby-images/5c56e/5c56e9aa971c98c8364c69c876bb5e3074889de2" alt=""
网友评论