课程以及资料请加coderwhy老师购买
我们知道,在模板中可以直接通过插值语法显示一些data中的数据。
但是在某些情况,我们可能需要对数据进行一些转化后再显示,或者需要将多个数据结合起来进行显示;
比如我们需要对多个data数据进行运算、三元运算符来决定结果、数据进行某种转化后显示;
在模板中使用表达式,可以非常方便的实现,但是设计它们的初衷是用于简单的运算;
在模板中放入太多的逻辑会让模板过重和难以维护;
并且如果多个地方都使用到,那么会有大量重复的代码;
我们有没有什么方法可以将逻辑抽离出去呢?
什么是计算属性呢?
那接下来我们通过案例来理解一下这个计算属性。
计算属性的用法:
选项:computed
类型:{ [key: string]: Function | { get: Function, set: Function } }
我们来看三个案例:
我们有两个变量:firstName和lastName,希望它们拼接之后在界面上显示;
我们有一个分数:score
我们有一个变量message,记录一段文字:比如Hello World
我们可以有三种实现思路:
思路一的实现:模板语法
<template id="my-app">
<h2>{{ firstName + lastName }}h2>
<h2>{{ score >= 60 ? "及格": "不及格" }}h2>
<h2>{{ message.split("").reverse().join(" ") }}h2>
template>
思路二的实现:method实现
<template id="my-app">
<h2>{{ getFullName()}}h2>
<h2>{{ getResult() }}h2>
<h2>{{ getReverseMessage() }}h2>
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
firstName: "Kobe",
lastName: "Bryant",
score: 80,
message: "Hello World"
}
},
methods: {
getFullName() {
return this.firstName + " " + this.lastName;
},
getResult() {
return this.score >= 60 ? "及格": "不及格";
},
getReverseMessage() {
return this.message.split(" ").reverse().join(" ");
}
}
}
Vue.createApp(App).mount('#app');
script>
思路三的实现:computed实现
注意:计算属性看起来像是一个函数,但是我们在使用的时候不需要加(),这个后面讲setter和getter时会讲到;
我们会发现无论是直观上,还是效果上计算属性都是更好的选择;
并且计算属性是有缓存的;
<template id="my-app">
<h2>{{ fullName }}h2>
<h2>{{ result }}h2>
<h2>{{ reverseMessage }}h2>
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
firstName: "Kobe",
lastName: "Bryant",
score: 80,
message: "Hello World"
}
},
computed: {
fullName() {
return this.firstName + this.lastName;
},
result() {
return this.score >= 60 ? "及格": "不及格";
},
reverseMessage() {
return this.message.split(" ").reverse().join(" ");
}
}
}
Vue.createApp(App).mount('#app');
script>
在上面的实现思路中,我们会发现计算属性和methods的实现看起来是差别是不大的,而且我们多次提到计算属性有缓存。
接下来我们来看一下同一个计算多次使用,计算属性和methods的差异:
<div id="app">div>
<template id="my-app">
<h2>{{getResult()}}h2>
<h2>{{getResult()}}h2>
<h2>{{getResult()}}h2>
<h2>{{result}}h2>
<h2>{{result}}h2>
<h2>{{result}}h2>
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
score: 90
}
},
computed: {
result() {
console.log("调用了计算属性result的getter");
return this.score >= 60 ? "及格": "不及格";
}
},
methods: {
getResult() {
console.log("调用了getResult方法");
return this.score >= 60 ? "及格": "不及格";
}
}
}
Vue.createApp(App).mount('#app');
script>
打印结果如下:
这是什么原因呢?
<template id="my-app">
<input type="text" v-model="score">
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
score: 90
}
},
// 省略代码
}
Vue.createApp(App).mount('#app');
script>
<div id="app">div>
<template id="my-app">
<button @click="changeFullName">修改fullNamebutton>
<h2>{{fullName}}h2>
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
firstName: "Kobe",
lastName: "Bryant"
}
},
computed: {
// fullName 的 getter方法
fullName() {
return this.firstName + " " + this.lastName;
},
// fullName的getter和setter方法
fullName: {
get: function() {
return this.firstName + " " + this.lastName;
},
set: function(newValue) {
console.log(newValue);
const names = newValue.split(" ");
this.firstName = names[0];
this.lastName = names[1];
}
}
},
methods: {
changeFullName() {
this.fullName = "Coder Why";
}
}
}
Vue.createApp(App).mount('#app');
script>
计算属性在大多数情况下,只需要一个getter方法即可,所以我们会将计算属性直接写成一个函数。
但是,如果我们确实想设置计算属性的值呢?
<template id="my-app">
<h2>{{fullName}}h2>
<button @click="setNewName">设置新名字button>
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
firstName: "Kobe",
lastName: "Bryant"
}
},
computed: {
fullName: {
get() {
return this.firstName + " " + this.lastName;
},
set(value) {
const names = value.split(" ");
this.firstName = names[0];
this.lastName = names[1];
}
}
},
methods: {
setNewName() {
this.fullName = "coder why";
}
}
}
Vue.createApp(App).mount('#app');
script>
你可能觉得很奇怪,Vue内部是如何对我们传入的是一个getter,还是说是一个包含setter和getter的对象进行处理的呢?
侦听器的用法如下:
{ [key: string]: string | Function | Object | Array}
什么是侦听器呢?
举个栗子(例子):
<div id="app">div>
<template id="my-app">
您的问题: <input type="text" v-model="question">
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
// 侦听question的变化时, 去进行一些逻辑的处理(JavaScript, 网络请求)
question: "Hello World",
anwser: ""
}
},
// 使用watch,一边输一边查找答案
watch: {
// question侦听的data中的属性的名称
// newValue变化后的新值
// oldValue变化前的旧值
question: function (newValue, oldValue) {
console.log("新值: ", newValue, "旧值", oldValue);
this.queryAnswer();
}
},
methods: {
queryAnswer() {
console.log(`你的问题${this.question}的答案是哈哈哈哈哈`);
this.anwser = "";
}
}
}
Vue.createApp(App).mount('#app');
script>
我们先来看一个例子:
<div id="app">div>
<template id="my-app">
<button @click="btnClick">修改infobutton>
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
info: {
name: "why"
}
}
},
watch: {
info(newValue, oldValue) {
console.log(newValue, oldValue);
}
},
methods: {
btnClick() {
this.info.name = "kobe";
}
}
}
Vue.createApp(App).mount('#app');
script>
这是因为默认情况下,watch只是在侦听info的引用变化,对于内部属性的变化是不会做出相应的:
watch: {
info: {
handler(newValue, oldValue) {
console.log(newValue, oldValue);
},
deep: true
}}
还有另外一个属性,是希望一开始的就会立即执行一次:
watch: {
info: {
handler(newValue, oldValue) {
console.log(newValue, oldValue);
},
deep: true,
immediate: true
}}
完整代码:
<div id="app">div>
<template id="my-app">
<h2>{{info.name}}h2>
<button @click="changeInfo">改变infobutton>
<button @click="changeInfoName">改变info.namebutton>
<button @click="changeInfoNbaName">改变info.nba.namebutton>
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
info: {
name: "why",
age: 18,
nba: {
name: 'kobe'
}
}
}
},
watch: {
// 默认情况下我们的侦听器只会针对监听的数据本身的改变(内部发生的改变是不能侦听) 比如changeInfoName()
// info(newInfo, oldInfo) { // 函数
// console.log("newValue:", newInfo, "oldValue:", oldInfo);
// }
// 深度侦听/立即执行(第一次渲染就执行,一定会执行一次)
info: { // 对象
handler: function (newInfo, oldInfo) {
console.log("newValue:", newInfo, "oldValue:", oldInfo);
// console.log("newValue:", newInfo.nba.name, "oldValue:", oldInfo.nba.name);
},
deep: true, // 深度侦听
// immediate: true // 立即执行 比如一开始info的旧值是undefined,而{name:...}是新值
}
},
methods: {
changeInfo() {
// 改变整个对象 界面的{{info.name}}会改变,watch也可以监听到
this.info = {
name: "kobe"
};
},
changeInfoName() {
this.info.name = "kobe";
},
// 更加深入也能侦听到
// *****注:在变异 (不是替换) 对象或数组时,旧值将与新值相同,因为它们的引用指向同一个对象/数组。Vue 不会保留变异之前值的副本。
changeInfoNbaName() {
this.info.nba.name = "james"; // 这里打印的新旧值一致 引用类型问题,改变之前使用深拷贝拷贝一份旧值,就可以拿到旧值
}
}
}
Vue.createApp(App).mount('#app');
script>
注: 在变异 (不是替换) 对象或数组时,旧值将与新值相同,因为它们的引用指向同一个对象/数组。Vue 不会保留变异之前值的副本。
解决方法:小tips,注意vue深度监听对象新老值如何保持不一样
我们直接来看官方文档的案例:
const app = Vue.createApp({
data() {
return {
a: 1,
b: 2,
c: {
d: 4
},
e: 'test',
f: 5
}
},
watch: {
a(val, oldVal) {
console.log(`new: ${val}, old: ${oldVal}`)
},
// 字符串方法名
b: 'someMethod',
// 该回调会在任何被侦听的对象的 property 改变时被调用,不论其被嵌套多深
c: {
handler(val, oldVal) {
console.log('c changed')
},
deep: true
},
// 该回调将会在侦听开始之后被立即调用
e: {
handler(val, oldVal) {
console.log('e changed')
},
immediate: true
},
// 你可以传入回调数组,它们会被逐一调用
f: ['handle1', function handle2(val, oldVal) {
console.log('handle2 triggered')
}, {
handler: function handle3(val, oldVal) {
console.log('handle3 triggered')
}
}]
},
methods: {
someMethod() {
console.log('b changed')
},
handle1() {
console.log('handle 1 triggered')
}
}
})
另外一个是Vue3文档中没有提到的,但是Vue2文档中有提到的是侦听对象的属性:
'info.name': function(newValue, oldValue) {
console.log(newValue, oldValue);
}
还有另外一种方式就是使用 $watch 的API:
created() {
this.$watch('message', (newValue, oldValue) => {
console.log(newValue, oldValue);
}, {
deep: true,
immediate: true
})
}
完整代码:
<div id="app">div>
<template id="my-app">
<h2>{{info.name}}h2>
<button @click="changeInfo">改变infobutton>
<button @click="changeInfoName">改变info.namebutton>
<button @click="changeInfoNbaName">改变info.nba.namebutton>
<button @click="changeFriendName">改变friends[0].namebutton>
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
info: {
name: "why",
age: 18,
nba: {
name: 'kobe'
}
},
friends: [{
name: "why"
},
{
name: "kobe"
}
]
}
},
watch: {
info(newValue, oldValue) {
console.log(newValue, oldValue);
},
"info.name": function (newName, oldName) {
console.log(newName, oldName);
},
"friends[0].name": function (newName, oldName) {
console.log(newName, oldName);
},
// friends: {
// handler(newFriends, oldFriend) {
// },
// deep: true
// }
},
methods: {
changeInfo() {
this.info = {
name: "kobe"
};
},
changeInfoName() {
this.info.name = "kobe";
},
changeInfoNbaName() {
this.info.nba.name = "james";
},
changeFriendName() {
this.friends[0].name = "curry";
}
},
// 使用 $watch 的API:
created() {
// 这里的回调可以使用箭头函数
// 它是有一个返回值的,返回应该函数
const unwatch = this.$watch("info", function (newInfo, oldInfo) {
console.log(newInfo, oldInfo);
}, {
deep: true,
immediate: true
})
// unwatch() // 调用返回值可以取消侦听
}
}
Vue.createApp(App).mount('#app');
script>
对应视频中"v-model和注册vue组件"19:00
一般不会直接监听数组,先创建基本组件(如BaseFriend
),循环friend,有多少个元素就有多少个BaseFriend
组件,在把对应的friend通过:friend="friend"
传递给组件,组件通过props
接收,再用watch
监听对应的friend
现在我们来做一个相对综合一点的练习:书籍购物车
我们先来搭建一下模板引擎:
在这里我们有一些数据和方法需要在组件对象(createApp传入的对象)中定义:
index.html
<div id="app">div>
<template id="my-app">
<template v-if="books.length > 0">
<table>
<thead>
<th>序号th>
<th>书籍名称th>
<th>出版日期th>
<th>价格th>
<th>购买数量th>
<th>操作th>
thead>
<tbody>
<tr v-for="(book, index) in books">
<td>{{index + 1}}td>
<td>{{book.name}}td>
<td>{{book.date}}td>
<td>{{formatPrice(book.price)}}td>
<td>
<button :disabled="book.count <= 1" @click="decrement(index)">-button>
<span class="counter">{{book.count}}span>
<button @click="increment(index)">+button>
td>
<td>
<button @click="removeBook(index)">移除button>
td>
tr>
tbody>
table>
<h2>总价格: {{formatPrice(totalPrice)}}h2>
template>
<template v-else>
<h2>购物车为空~h2>
template>
template>
<script src="../js/vue.js">script>
<script src="./index.js">script>
index.css
为了让表格好看一点,我们来实现一些css的样式:
table {
border: 1px solid #e9e9e9;
border-collapse: collapse;
border-spacing: 0;
}
th, td {
padding: 8px 16px;
border: 1px solid #e9e9e9;
text-align: left;
}
th {
background-color: #f7f7f7;
color: #5c6b77;
font-weight: 600;
}
.counter {
margin: 0 5px;
}
接下来我们来看一下代码逻辑的实现:
index.js
Vue.createApp({
template: "#my-app",
data() {
return {
books: [{
id: 1,
name: '《算法导论》',
date: '2006-9',
price: 85.00,
count: 1
},
{
id: 2,
name: '《UNIX编程艺术》',
date: '2006-2',
price: 59.00,
count: 1
},
{
id: 3,
name: '《编程珠玑》',
date: '2008-10',
price: 39.00,
count: 1
},
{
id: 4,
name: '《代码大全》',
date: '2006-3',
price: 128.00,
count: 1
},
]
}
},
computed: {
// vue2: filter/map/reduce
totalPrice() { // 计算总价格
let finalPrice = 0;
for (let book of this.books) {
finalPrice += book.count * book.price;
}
return finalPrice;
},
// 增加¥法1
// Vue3不支持过滤器了, 推荐两种做法: 使用计算属性/使用全局的方法(后面再讲)
/* filterBooks() { // 对原来的books进行转化
return this.books.map(item => {
// 由于内存引用问题,总价格会变成NaN,这里使用新的item
const newItem = Object.assign({}, item);
newItem.price = "¥" + item.price;
return newItem;
})
} */
},
methods: {
increment(index) {
// 通过索引值获取到对象
this.books[index].count++
},
decrement(index) {
this.books[index].count--
},
// 移除
removeBook(index) {
this.books.splice(index, 1);
},
// 增加¥法2:定义方法
formatPrice(price) {
return "¥" + price;
}
}
}).mount("#app");
这里我们补充一个小的细节,当我们的数量减到1的时候就不能再减了:
这里我们可以对button进行逻辑判断:
当item.count的数量 <= 1
的时候,我们可以将disabled设置为true;
<button @click="decrement(index)" :disabled="item.count <= 1">-button>
对应视频中"v-model和注册vue组件"24:00
对象的引用在内存中的表现(本质就是用的是同一个内存地址)
代码:
// 对象是引用类型
const info = {name: "why", age: 18};
const obj = info;
info.name = "kobe";
console.log(obj.name);
Object.assign 方法用于对象的合并,将源对象(source)的所有可枚举属性,复制到目标对象上。
具体请看-ES6中Object.assign() 方法
Object.assign
会将对象再拷贝一份(使用不同的地址),所以修改info不会影响obj
但是会有一个问题,比如info现在是下面这样的,多了一个friend,它也是一个引用类型,内存中又会开辟一个地址,所以info和obj里面的friend都是引用的同一个内存地址,即浅拷贝只拷贝第一层
const info = {
name: "why",
age: 18,
friend: {
name: "kobe"
}
};
const info = {
name: "why",
age: 18,
friend: {
name: "kobe"
}
};
// const obj = Object.assign({}, info);
// lodash浅拷贝
// const obj = _.clone(info);
info.name = "kobe";
console.log(obj.name);
info.friend.name = "james";
console.log(obj.friend.name);
引入lodash库
<script src="https://cdn.jsdelivr.net/npm/[email protected]/lodash.min.js">script>
const info = {name: "why", age: 18, friend: {name: "kobe"}};
// 法1
const obj = JSON.parse(JSON.stringify(info));
// 法2 借助lodash库
// lodash深拷贝
// _.cloneDeep(info)
info.friend.name = "james";
console.log(obj.friend.name);
表单提交是开发中非常常见的功能,也是和用户交互的重要手段:
input
、textarea
以及select
元素上创建双向数据绑定;v-model
本质上不过是语法糖,它负责监听用户的输入事件来更新数据,并在某种极端场景下进行一些特殊处理; <div id="app">div>
<template id="my-app">
<input type="text" v-model="message">
<h2>{{message}}h2>
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
message: "Hello World"
}
}
}
Vue.createApp(App).mount('#app');
script>
官方有说到,v-model的原理其实是背后有两个操作:
我们再来绑定一下其他的表单类型:textarea、checkbox、radio、select
我们来看一下v-model绑定checkbox:单个勾选框和多个勾选框
<div id="app">div>
<template id="my-app">
<label for="intro">
自我介绍
<textarea name="intro" id="intro" cols="30" rows="10" v-model="intro">textarea>
label>
<h2>intro: {{intro}}h2>
<label for="agree">
<input id="agree" type="checkbox" v-model="isAgree"> 同意协议
label>
<h2>isAgree: {{isAgree}}h2>
<span>你的爱好: span>
<label for="basketball">
<input id="basketball" type="checkbox" v-model="hobbies" value="basketball"> 篮球
label>
<label for="football">
<input id="football" type="checkbox" v-model="hobbies" value="football"> 足球
label>
<label for="tennis">
<input id="tennis" type="checkbox" v-model="hobbies" value="tennis"> 网球
label>
<h2>hobbies: {{hobbies}}h2>
<span>你的爱好: span>
<label for="male">
<input id="male" type="radio" v-model="gender" value="male">男
label>
<label for="female">
<input id="female" type="radio" v-model="gender" value="female">女
label>
<h2>gender: {{gender}}h2>
<span>喜欢的水果: span>
<select v-model="fruit" multiple size="2">
<option value="apple">苹果option>
<option value="orange">橘子option>
<option value="banana">香蕉option>
select>
<h2>fruit: {{fruit}}h2>
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
intro: "Hello World",
isAgree: false,
hobbies: ["basketball"],
gender: "",
fruit: "orange"
}
},
methods: {
commitForm() {
axios
}
}
}
Vue.createApp(App).mount('#app');
script>
目前我们在前面的案例中大部分的值都是在template中固定好的:
在真实开发中,我们的数据可能是来自服务器的,那么我们就可以先将值请求下来,绑定到data返回的对象中,再通过v-bind来进行值的绑定,这个过程就是值绑定。
这里不再给出具体的做法,因为还是v-bind的使用过程。
v-model在使用的时候可以在后面跟一些修饰符,来完成一些特殊的操作。
lazy修饰符是什么作用呢?
<template id="my-app">
<input type="text" v-model.lazy="message">
<h2>{{message}}h2>
template>
我们先来看一下v-model绑定后的值是什么类型的:
<template id="my-app">
<input type="text" v-model="message"> <input type="number" v-model="message">
<h2>{{message}}h2>
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
message: ""
}
},
watch: {
message(newValue) {
console.log(newValue, typeof newValue);
}
}
}
Vue.createApp(App).mount('#app');
script>
如果我们希望转换为数字类型,那么可以使用 .number 修饰符:
<template id="my-app">
<input type="text" v-model.number="score">
template>
另外,在我们进行逻辑判断时,如果是一个string类型,在可以转化的情况下会进行隐式转换的:
const score = "100";if (score > 90) { console.log("优秀");}
如果要自动过滤用户输入的首尾空白字符,可以给v-model添加 trim 修饰符:
<template id="my-app">
<input type="text" v-model.trim="message">
template>
3.5完整代码:
<div id="app">div>
<template id="my-app">
<input type="text" v-model.trim="message">
<button @click="showResult">查看结果button>
template>
<script src="../js/vue.js">script>
<script>
const App = {
template: '#my-app',
data() {
return {
message: "Hello World"
}
},
methods: {
showType() {
console.log(this.message, typeof this.message);
},
showResult() {
console.log(this.message);
}
}
}
Vue.createApp(App).mount('#app');
script>
v-model也可以使用在组件上,Vue2版本和Vue3版本有一些区别,具体的使用方法,后面讲组件化开发再具体学习。
const score = "100";
// 逻辑判断时, 可以转化的情况下, 会隐式的自动将一个string类型成一个number类型再来进行判断(隐式转化)
if (score > 90) {
console.log("优秀");
}