Vue 认识 渐进式的 JS 框架,关注视图层,数据驱动 初始 vue
1 2 3 4 5 6 7 8 9 10 11 12 <script src ="./js/vue.js" > </script > <div id ="root" > <h1 > helloworld,{{name}}</h1 > </div > <script > new Vue ({ el : '#root' , data : { name : 'vue' } }) </script >
最后会在浏览器上打印 helloworld,vue 1.想让 vue 工作,就必须创建一个 vue 实例,且要传入一个配置对象 2.root 里的容器依然符合 html 代码的规范,新加入了一些特殊的 vue 语法 3.root 容器里面的代码称之为[vue 模板] (templete) 4.Vue 实例和容器是一一对应的 5.脚手架是只有一个 vue 实例,配合组件一起使用 6.中要写 js 表达式,xxx 可以自动的读取到 data 中的所有属性 7.一旦 data 中的数据发生变化,页面中用到该数据的地方也会自动更新
JS 表达式 和 JS 代码(语句) 1.表达式: 一个表达式会产生一个值,可以放在任何一个需要值的地方: exp: a a+b test(1) a==b ? ‘a’ : ‘b’ 2.代码 : js 语句 exp: if () {…} for(){…}
Vue 模板语法 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 <div id ="root" > <h1 > helloworld,{{name}}</h1 > <div > <h1 > 插值语法</h1 > <h2 > {{gumisa.age}}</h2 > <h2 > {{gumisa.sex}}</h2 > <h1 > 指令语法</h1 > <a v-bind:href ="url.toUpperCase()" > 点我去月晕的博客</a > <a :href ="gumisa.url" > </a > </div > </div > <script > new Vue ({ el : '#root' , data : { name : 'vue' , url : 'https://blog.apprehen.space/' , gumisa : { age : 18 , sex : '♀' , url : 'https://www.google.com/url?sa=i&url=https%3A%2F%2Fbaike.baidu.com%2Ftashuo%2Fbrowse%2Fcontent%3Fid%3Df24f0a8054a35a347f0c089c&psig=AOvVaw0HW4oaUzGDeJMMHRz42zpZ&ust=1677555645426000&source=images&cd=vfe&ved=0CBAQjRxqFwoTCIjg5vTjtP0CFQAAAAAdAAAAABAE' } } }) </script >
Vue 模板语法有两大类:
1.插值语法:
功能:用于解析标签体内容。
写法:{{xxx}}
,xxx 是 js 表达式,且可以直接读取到 data 中的所有属性。
2.指令语法:
功能:用于解析标签(包括:标签属性,标签体内容,绑定事件……)。
举例:v-bind:href=’xxx’ 或 简写为 :href=”xxx”,xxx 同样要写 js 表达式且可以直接读取到 data 中的所有属性。
备注:Vue 中有很多的指令,且形式都是:v-???,此处我们只是拿 v-bind 举个例子
Vue 数据绑定 1 2 3 4 5 6 7 8 <div id ="root" > 单向数据绑定:<input type ="text" :value ="name" /> <br /> 双向数据绑定:<input type ="text" v-model ="name" /> <br /> </div >
Vue 中有两种数据绑定的方式: 1.单向绑定(v-bind): 数据只能从 data 流向页面 2.双向绑定(v-model): 数据不仅能从 data 流向页面,还可以从页面流向 data 备注: 1.双向绑定一般都应用在表单类元素上(如:input,select 等) 2.v-model:value 可以简写为 v-model,因此 v-model 默认收集的就是 value 值
Vue 中的 el 和 data 的写法 1 2 3 4 5 6 7 8 9 10 11 <div id ="root" > {{name}}</div > <script > const vm = new Vue ({ el : '#root' , data ( ) { return { name : 'test' } } }) </script >
data 和 el 有两种写法 1.el 的两种写法 (1) new Vue 时候配置 el 属性 (2) 先创建 Vue 实例, 随后再通过 vm.$mount(‘#root’)指定 el 的值 2.data 的两种写法 (1)对象式 (2)函数式 (一般选择函数式) 3.一个重要原则 有 Vue 管理的函数,一定不要写箭头函数,一旦写了箭头函数,this 就不再是 Vue 实例了
MVVM 模型 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 <div id ="root" > <h1 > gumisa</h1 > <h2 > {{gumisa.age}}</h2 > <h1 > megumi</h1 > <h2 > {{megumi.age}}</h2 > </div > <script > const vm = new Vue ({ el : '#root' , data ( ) { return { gumisa : { age : 18 , sex : '♀' }, megumi : { age : 19 , sex : '♀' } } } }) </script >
MVVM 模型 1.M:模型(Model):deta 中的数据 2.V:视图(View):模板代码 3.VM:视图模型(ViewModel):Vue 实例
1.data 中的所有属性,最后都出现在了 vm 身上.
2.vm 身上所有的属性 及 Vue 原型上所有属性,在 Vue 模板中都可以直接使用。
Vue 中的数据代理 数据代理:通过一个对象对另外一个对象的操作(读/写)
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 <script > let obj = { x :100 } let obj2 = { y :200 } Object .defineProperty (obj2,'x' ,{ get () { return obj.x } set (value) { obj.x = value } }) </script >
1.Vue 中的数据代理: 通过 vm 对象来代理 data 对象中的属性的操作(读/写) 2.Vue 中数据代理的好处: 更方便的操作 data 中的数据 3.基本原理: 通过 object.defineProperty()把 data 对象中的所有属性添加到 vm 上 为每一个 vm 添加的属性,都指定一个 getter/setter 在 getter/setter 内部去操作(读/写)data 中对应的属性
1 2 3 4 5 <div id ="root" > <h1 > 名称:{{name}}</h1 > <h1 > 年龄:{{age}}</h1 > </div > const vm = new Vue({ el: '#root', data: { name: 'gumisa', age: 18 } })
Vue 中的事件代理 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 <div id ="root" > <h1 > {{name}}</h1 > <button @click ="showinfo" > 点我提示信息(不传参)</button > <button @click ="showinfo2($event,18)" > 点我提示信息(传参)</button > </div > <script > const vm = new Vue ({ el : '#root' , data ( ) { return { name : 'gumisa' } }, methods : { showinfo ( ) { alert (this .name ) }, showinfo2 (event, age ) { console .log (event, age) } } }) </script >
事件的基本使用: 1.使用 v-on:xxx 或 @xxx 绑定事件, 其中 xxx 是事件名 2.事件的回调需要配置在 methods 对象中,最终会在 vm 上 3.methods 中配置的函数,不要使用箭头函数,否则 this 不将是 vm 4.methods 中配置的函数,都是被 vue 管理的函数,this 的指向是 vm 或 组件实例对象 5.@click = “test” 和 @click=”test($event)” 效果一致,但后者可以传参 Vue 中的事件修饰符 1.prevent:阻止默认事件(常用) 2.stop:阻止事件冒泡(常用) 3.once:事件只触发一次(常用) 4.capture:使用事件的捕获模式 5.self:只有 event.target 是当前操作的元素时才触发事件 6.passive:事件的默认行为立即执行,无需等待事件回调执行完毕 1.Vue 中常见的按键 回车==> enter 删除==> delete (捕获”删除”和”退格”键) 退出==> esc 空格==> space 换行==> tab (特殊:必须配合 keydown 去使用) 上 ==> up 下 ==> down 左 ==> left 右 ==> right 2.Vue 未提供别名的按键,可以使用按键原始的 key 值去绑定,但注意要转为 kebab-case(短横线命名) 3.系统修饰键(用法特殊):ctrl,alt,shift,meta (1).配合 keyup 使用:按下修饰键的同时,再按下其他键,随后释放其他键,事情才会被触发 (2).配合 keydown 使用:正常触发事件 4.也可以使用 keyCode 去指定具体的按键(不推荐) 5.Vue.config.keyCodes.自定义键名 = 键码,可以去定制按键别名
Vue 中的计算属性 插值语法实现
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 <div id ="root" > 姓:<input type ="text" v-model ="firstname" > <br > 名:<input type ="text" v-model ="lastname" > <br > 全名:<span > {{firstname}}-{{lastname}}</span > </div > </body > <script > const vm = new Vue ({ el : '#root' , data : { firstname : '张' , lastname : '三' }, }) </script >
methods 实现
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 <div id ="root" > 姓:<input type ="text" v-model ="firstname" > <br > 名:<input type ="text" v-model ="lastname" > <br > 全名:<span > {{fullname()}}</span > </div > </body > <script > const vm = new Vue ({ el : '#root' , data : { firstname : '张' , lastname : '三' }, methods : { fullname ( ) { return this .firstname + '-' + this .lastname } } }) </script >
计算属性
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 <div id ="root" > 姓:<input type ="text" v-model ="firstname" /> <br /> 名:<input type ="text" v-model ="lastname" /> <br /> 全名:<span > {{fullname}}</span > <br /> 全名:<span > {{fullname}}</span > <br /> 全名:<span > {{fullname}}</span > <br /> 全名:<span > {{fullname}}</span > <br /> 全名:<span > {{fullname}}</span > </div > <script > const vm = new Vue ({ el : '#root' , data : { firstname : '张' , lastname : '三' }, computed : { fullname : { get ( ) { console .log ('get被调用了' ) return this .firstname + '-' + this .lastname }, set (value ) { console .log ('set' , value) const arr = value.split ('-' ) this .firstname = arr[0 ] this .lastname = arr[1 ] } } } }) </script >
计算属性: 1.定义:要用的属性不存在,要通过已有属性计算来。 2.原理:底层借助了 Object.defineproperty 方法提供的 getter 和 setter 3.get 函数什么时候执行? (1).初次读取时执行一次 (2).当依赖的数据发生改变时会被再次调用 4.优势:与 methods 实现相比,内部有缓存机制(复用),效率更高,调试方便 5.备注: 1.计算属性最终会出现在 vm 上,直接读取使用即可。 2.如果计算属性要被修改,那必须写 set 函数去响应修改,且 set 中要引起计算时依赖的数据发生 简写:
1 2 3 4 5 computed: { //完整写法 /*fullname: { get() { console.log('get被调用了') return this.firstname + '-' + this.lastname }, set(value) { console.log('set', value) const arr = value.split('-') this.firstname = arr[0] this.lastname = arr[1] } }*/ //简写 fullname() { console.log('get被调用') return this.firstname + '-' + this.lastname } }
Vue 监视属性 普通实现
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 <div id ="root" > <h2 > 今天天气很{{info}}</h2 > <button @click ="changeWeather" > 切换天气</button > </div > <script > Vue .config .productionTip = false const vm = new Vue ({ el : '#root' , data : { isHot : true }, computed : { info ( ) { return this .isHot ? '炎热' : '凉爽' } }, methods : { changeWeather ( ) { this .isHot = !this .isHot } } }) </script >
使用 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 <div id ="root" > <h2 > 今天天气很{{info}}</h2 > <button @click ="changeWeather" > 切换天气</button > </div > <script > Vue .config .productionTip = false const vm = new Vue ({ el : '#root' , data : { isHot : true }, computed : { info ( ) { return this .isHot ? '炎热' : '凉爽' } }, methods : { changeWeather ( ) { this .isHot = !this .isHot } } }) vm.$watch('isHot' , { immediate : true , handler (newValue, oldValue ) { console .log ('isHot的值被修改了' , newValue, oldValue) } }) </script >
监视属性 watch 1.当被监视的属性变化时,回调函数自动调用,进行相关操作 2.监视的属性必须存在,才能进行监视 3.监视的两种方法 (1): new Vue 时传入 watch 配置 (2): 通过 vm.$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 44 45 46 47 48 49 50 51 52 53 54 <div id ="root" > <h2 > 今天天气很{{info}}</h2 > <button @click ="changeWeather" > 切换天气</button > <hr /> <h3 > a的值是{{numbers.a}}</h3 > <button @click ="numbers.a++" > 点我让a+1</button > <h3 > b的值是{{numbers.b}}</h3 > <button @click ="numbers.b++" > 点我让b+1</button > </div > <script > Vue .config .productionTip = false const vm = new Vue ({ el : '#root' , data : { isHot : true , numbers : { a : 1 , b : 2 } }, computed : { info ( ) { return this .isHot ? '炎热' : '凉爽' } }, methods : { changeWeather ( ) { this .isHot = !this .isHot } }, watch : { isHot : { handler (newValue, oldValue ) { console .log ('isHot的值被修改了' , newValue, oldValue) } }, 'numbers.a' : { handler ( ) { console .log ('a被改变了捏' ) } }, numbers : { deep : true , handler ( ) { console .log ('numbers改变了' ) } } } }) </script >
深度监视:
Vue 中的 watch 默认不监测对象内部值的改变(一层) 配置deep:true
可以监测对象内部值改变(多层) 备注: 1.Vue 自身可以监测对象内部值的改变,但默认不可以 2.使用 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 <div id ="root" > <h2 > 今天天气很{{info}}</h2 > <button @click ="changeWeather" > 切换天气</button > </div > <script > Vue .config .productionTip = false const vm = new Vue ({ el : '#root' , data : { isHot : true }, computed : { info ( ) { return this .isHot ? '炎热' : '凉爽' } }, methods : { changeWeather ( ) { this .isHot = !this .isHot } }, watch : { } }) </script >
computed 和 watch 之间的区别: 1.computed 能完成的功能,watch 都可以完成 2.watch 能完成的功能,computed 不一定能完成,例如:watch 可以进行异步操作。 两个重要的小原则: 1.所被 Vue 管理的函数,最好写成普通函数,这 this 的指向才是 vm 或者 组件实例对象 2.所有不被 Vue 所管理的函数(定时器的回调函数,ajax 的回调函数等,promise 的回调函数),最好写成箭头函数.这样 this 的指向才是 vm 或组件实例对象
Vue 样式绑定 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 44 45 46 47 48 49 50 51 52 53 <div id ="root" > <div class ="basic" :class ="mood" @click ="changeMood" > {{name}}</div > <br /> <div class ="basic" :class ="classArr" > {{name}}</div > <div class ="basic" :class ="classObj" > {{name}}</div > <div class ="basic" :style ="styleObj" > {{name}}</div > <div class ="basic" :style ="styleArr" > {{name}}</div > </div > <script > new Vue ({ el : '#root' , data : { name : 'Explosion!!' , mood : 'normal' , classArr : ['atguigu1' , 'atguigu2' , 'atguigu3' ], classObj : { atguigu1 : false }, styleObj : { fontSize : '40px' , color : 'red' }, styleObj2 : { backgroundColor : 'grey' }, styleArr : [ { fontSize : '40px' , color : 'red' }, { backgroundColor : 'grey' } ] }, methods : { changeMood ( ) { const arr = ['happy' , 'sad' , 'normal' ] const index = Math .floor (Math .random () * 3 ) this .mood = arr[index] } } }) </script >
绑定样式: 1.class 样式 写法:class="xxx"
xxx 可以是字符串,对象,数组。 字符串写法适用于:类名不确定,要动态获取。 对象写法适用于:要绑定多个样式,个数不确定,名字也不确定。 数组写法适用于:要绑定多个样式,个数确定,名字也确定,但不确定用不用。 2.style 样式:style="{fontSize:xxx}"
其中 xxx 是动态值。:style="[a,b]"
其中 a,b 是样式对象
Vue 条件渲染 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 <div id ="root" > <h2 > 当前n的值是:{{n}}</h2 > <button @click ="n++" > 点我n+1</button > <template v-if ="n===1" > <h2 > 你好</h2 > <h2 > gumisa</h2 > <h2 > toko</h2 > </template > </div > <script > const vm = new Vue ({ el : '#root' , data : { name : '尚硅谷' , n : 0 } }) </script >
条件渲染:
1.v-if
写法:
(1).v-if=”表达式”
(2).v-else-if=”表达式”
(3).v-else=”表达式”
适用于:切换频率较低的场景。
特点:不展示的 DOM 元素直接被移除。
注意:v-if 可以和:v-else-if,v-else 一起使用,但要求结构不能被”打断”
2.v-show
写法:v-show=”表达式”
适用于:切换频率较高的场景
特点:不展示的 DOM 元素未被移除,仅仅是使用样式隐藏掉
3.备注:使用 v-if 的时,元素可能无法直接获取到,而使用 v-show 一定可以获取到
Vue 渲染列表 基本原理
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 <div id ="root" > <h2 > 人员列表(遍历数组)</h2 > <ul > <li v-for ="(p,index) of persons" :key ="index" > {{p.id}}--{{p.name}}--{{p.age}} </li > </ul > </div > <script > const vm = new Vue ({ el : '#root' , data : { persons : [ { id : '001' , name : '张三' , age : '18' }, { id : '002' , name : '李四' , age : '19' }, { id : '003' , name : '王五' , age : '20' } ] } }) </script >
v-for 指令: 1.用于展示列表数据 2.语法: v-for = "(item, index) in xxx" :key = "yyy"
3.可遍历:数组,对象,字符串,指定的次数
渲染列表中 key 的作用:
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 <div id ="root" > <h2 > 人员列表(遍历数组)</h2 > <button @click.once ="add" > 添加一个老刘</button > <ul > <li v-for ="(p,index) of persons" :key ="p.id" > {{p.name}}--{{p.age}} <input type ="text" /> </li > </ul > </div > <script > const vm = new Vue ({ el : '#root' , data : { persons : [ { id : '001' , name : '张三' , age : '18' }, { id : '002' , name : '李四' , age : '19' }, { id : '003' , name : '王五' , age : '20' } ] }, methods : { add ( ) { const p = { id : '004' , name : '老刘' , age : '40' } this .persons .unshift (p) } } }) </script >
key 的作用: 1.虚拟 DOM 中 key 的作用:
key 是虚拟 DOM 对象的标识,当状态中的数据发生变化时,Vue 会根据【新数据】生成【新的虚拟 DOM】,
随后 Vue 进行【新虚拟 DOM】与【旧虚拟 DOM】的差异比较,比较规则如下:
2.对比规则:
(1).旧虚拟 DOM 中找到了与新虚拟 DOM 相同的 key:
a.若虚拟 DOM 中内容没变,直接使用之前的真实 DOM!
b.若虚拟 DOM 中内容变了,则生成新的真实 DOM,随后替换掉页面中之前的真实 DOM
(2).旧虚拟 DOM 中未找到与新虚拟 DOM 相同的 key
创建新的真实 DOM,随后渲染到页面
3.用 index 作为 key 可能会引发的问题
1.若对数据进行:逆序添加,逆序删除等破坏顺序操作:
会产生没有必要的真实 DOM 更新==>界面效果没问题,但效率低
2.如果结构中还包含输入类的 DOM
会产生错误 DOM 更新==>界面有问题
4.开发中任何选择 key?
1.最好使用每条数据的唯一标识作为 key,比如 id,手机号,身份证号,学号,等唯一值
2.如果不存在对数据的逆序添加,逆序删除等破坏顺序操作,仅用于渲染列表用于展示
使用 index 作为 key 是没有问题的
列表过滤
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 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 <div id ="root" > <h2 > 人员列表</h2 > <input type ="text" placeholder ="请输入名字" v-model ="keyWords" /> <ul > <li v-for ="(p,index) of filpersons" :key ="index" > {{p.name}}--{{p.age}}--{{p.sex}} </li > </ul > </div > <script > const vm = new Vue ({ el : '#root' , data : { persons : [ { id : '001' , name : '马冬梅' , age : '18' , sex : '女' }, { id : '002' , name : '周冬雨' , age : '19' , sex : '女' }, { id : '003' , name : '周杰伦' , age : '20' , sex : '男' }, { id : '004' , name : '温兆伦' , age : '22' , sex : '男' } ], keyWords : '' }, computed : { filpersons ( ) { return this .persons .filter ((p ) => { return p.name .indexOf (this .keyWords ) !== -1 }) } } }) </script >
列表排序
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 <div id ="root" > <h2 > 人员列表</h2 > <input type ="text" placeholder ="请输入名字" v-model ="keyWords" /> <button @click ="sortType=2" > 年龄升序</button > <button @click ="sortType=1" > 年龄降序</button > <button @click ="sortType=0" > 原顺序</button > <ul > <li v-for ="(p,index) of filpersons" :key ="index" > {{p.name}}--{{p.age}}--{{p.sex}} </li > </ul > </div > <script > const vm = new Vue ({ el : '#root' , data : { persons : [ { id : '001' , name : '马冬梅' , age : '30' , sex : '女' }, { id : '002' , name : '周冬雨' , age : '31' , sex : '女' }, { id : '003' , name : '周杰伦' , age : '20' , sex : '男' }, { id : '004' , name : '温兆伦' , age : '22' , sex : '男' } ], keyWords : '' , sortType : 0 }, computed : { filpersons ( ) { const arr = this .persons .filter ((p ) => { return p.name .indexOf (this .keyWords ) !== -1 }) if (this .sortType ) { arr.sort ((a, b ) => { return this .sortType === 1 ? b.age - a.age : a.age - b.age }) } return arr } } }) </script >
Vue 监测数据:
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 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 <div id ="root" > <h1 > 学生信息</h1 > <button @click ="student.age++" > 年龄+1岁</button > <br /> <button @click ="addSex" > 添加一个性别属性,默认值:男</button > <br /> <button @click ="student.sex= '你说捏' " > 修改性别</button > <br /> <button @click ="addFriend" > 在列表首位添加一个朋友</button > <br /> <button @click ="updateFirstFriend" > 修改第一个朋友的名字为:张三</button > <br /> <button @click ="addHobby" > 添加一个爱好</button > <br /> <button @click ="updateHobby" > 修改第一个爱好为:开车</button > <br /> <button @click ="removeSmoke" > 过滤掉爱好中的抽烟</button > <h3 > 姓名:{{student.name}}</h3 > <h3 > 年龄:{{student.age}}</h3 > <h3 v-if ="student.sex" > 性别:{{student.sex}}</h3 > <h3 > 爱好:</h3 > <ul > <li v-for ="(h,index) in student.hobby" :key ="index" > {{h}}</li > </ul > <h3 > 朋友们:</h3 > <ul > <li v-for ="(f,index) in student.friends" :key ="" index > {{f.name}}--{{f.age}} </li > </ul > </div > <script > const vm = new Vue ({ el : '#root' , data : { student : { name : 'tony' , age : '18' , hobby : ['抽烟' , '喝酒' , '烫头' ], friends : [ { name : 'Tom' , age : 35 }, { name : 'jerry' , age : 36 } ] } }, methods : { addSex ( ) { Vue .set (this .student , 'sex' , '男' ) }, addFriend ( ) { this .student .friends .unshift ({ name : 'jack' , age : 70 }) }, updateFirstFriend ( ) { this .student .friends [0 ].name = '张三' }, addHobby ( ) { this .student .hobby .push ('学习' ) }, updateHobby ( ) { this .$set(this .student .hobby , 0 , '开车' ) }, removeSmoke ( ) { this .student .hobby = this .student .hobby .filter ((h ) => { return h !== '抽烟' }) } } }) </script >
Vue 监视数据的原理:
1.Vue 会监视 data 中所有层次的数据。
2.如何监测对象中的数据?
通过 setter 实现监视,且要在 new Vue 时就传入要监测的数据。
(1).对象中后追加的属性,Vue 默认不做响应式处理
(2).如需给后添加的属性做响应式,请使用如下 API
Vue.set(target,propertyName/index,value)
或
vm.$set(target,propertyName/index,value)
3.如何监测数组中的数据?
通过包裹数组跟新元素的方法实现,本质就是做了两件事:
(1).调用原生对应的方法对数组进行更新
(2).重新解析模板,进而更新页面
4.在 Vue 修改数组中的某个元素一定要用如下方法:
(1).使用这些 API: push(),pop(),shift(),unshift(),splice(),sort(),reverse()
(2).Vue.set() 或 vm.$set()
特别注意:Vue.set() 和 vm.$set() 不能给 vm 或 vm 的根数据对象 添加属性!!!
Vue 收集表单数据 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 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 <div id ="root" > <form @click.prevent ="Demo" > 账号:<input type ="text" v-model ="userInfo.account" value ="male" /> <br /> <br /> 密码:<input type ="password" v-model ="userInfo.password" value ="female" /> <br /> <br /> 性别: 男<input type ="radio" v-model ="userInfo.sex" value ="male" name ="sex" /> 女<input type ="radio" v-model ="userInfo.sex" value ="female" name ="sex" /> <br /> <br /> 爱好: 学习<input type ="checkbox" v-model ="userInfo.hobby" value ="study" /> 打游戏<input type ="checkbox" v-model ="userInfo.hobby" value ="game" /> 吃饭<input type ="checkbox" v-model ="userInfo.hobby" value ="eat" /> <br /> <br /> 所属校区 <select v-model ="userInfo.city" > <option value ="" > 请选择校区</option > <option value ="beijing" > 北京</option > <option value ="shanghai" > 上海</option > <option value ="shenzhen" > 深圳</option > <option value ="wuhan" > 武汉</option > </select > <br /> <br /> 其他信息 <textarea cols ="30" rows ="10" v-model ="userInfo.other" > </textarea > <br /> <br /> <input type ="checkbox" v-model ="userInfo.agree" /> 阅读并接受<a href ="http://www.atguigu.com" > 《用户协议》</a ><br /> <br /> <button > 提交</button > </form > </div > <script > Vue .config .productionTip = false const vm = new Vue ({ el : '#root' , data : { userInfo : { account : '' , password : '' , sex : 'female' , hobby : [], city : 'beijing' , other : '' , agree : '' } }, methods : { Demo () { console .log (JSON .stringify (this .userInfo )) } } }) </script >
收集表单数据:
若:<input type="text"/>
,则 v-model 收集的是 value 值,用户输入的就是 value 值。
若:<input type="radio"/>
,则 v-model 收集的是 value 值,且要给标签配置 value 的值。
若:<input type="checkbox"/>
1.没有配置 input 的 value 属性,那么收集的就是 checked(勾选 or 未勾选,是布尔值)
2.配置 input 的 value 属性:
(1)v-model 的初始值是非数组,那么收集的就是 checked(勾选 or 未勾选,是布尔值)
(2)v-model 的初始值是数组,那么收集的就是 value 组成的数组
备注:v-model 的三个修饰符:
lazy:失去焦点在收集数据
number:输入字符串转为有效数字
trim:输入首尾空格过滤
Vue 过滤器 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 44 45 <div id ="root" > <h2 > 显示格式化后的时间</h2 > <h3 > 现在是:{{fmtTime}}</h3 > <h3 > 现在是:{{getFmtTime()}}</h3 > <h3 > 现在是:{{time | timeFormater }}</h3 > <h3 > 现在是:{{time | timeFormater('YYYY_MM_DD') | mySlice}}</h3 > <h3 :x ="msg | mySlice" > 捏捏捏</h3 > </div > <script > Vue .config .productionTip = false Vue .filter ('mySlice' , function (value ) { return value.slice (0 , 4 ) }) const vm = new Vue ({ el : '#root' , data : { time : 1648366720578 , msg : '你好捏捏捏捏' }, computed : { fmtTime ( ) { return dayjs (this .time ).format ('YYYY-MM-DD HH:mm:ss' ) } }, methods : { getFmtTime ( ) { return dayjs (this .time ).format ('YYYY-MM-DD HH:mm:ss' ) } }, filters : { timeFormater (value, str = 'YYYY年MM月DD日 HH:mm:ss' ) { return dayjs (value).format (str) }, mySlice (value ) { return value.slice (0 , 4 ) } } }) </script >
过滤器:
定义:对要显示的数据进行特定格式化后再显示(适用于一些简单逻辑的处理)。
语法:
1.注册过滤器:Vue.filter(name,callback) 或 new Vue{filters”{}}
2.使用过滤器:{{ xxx | 过滤器名}} 或 v-bind:属性 = "xx | 过滤器名"
备注:
1.过滤器也可以接收额外参数,多个过滤器也可以串联
2.并没有改变原本的数据,是产生新的对应的数据
Vue 指令 内置指令我们学过的指令: v-bind : 单向绑定解析表达式,可简写为 :xxx
v-model : 双向数据绑定
v-for : 遍历数组/对象/字符串
v-on : 绑定事件监听,可简写为@
v-if : 条件渲染(动态控制节点是否存存在)
v-else : 条件渲染(动态控制节点是否存存在)
v-show : 条件渲染(动态控制节点是否展示)
v-text 指令:
1.作用:向其所在的节点中渲染文本内容。
2.与插值语法的区别:v-text 会替换掉节点中的内容,{{xx}}
则不会
v-html 指令:
1.作用:向指定节点中渲染包含 html 结构的内容
2.与插值语法的区别:
(1).v-html 会替换掉节点中所有的内容,{{}}
则不会
(2).v-html 可以识别 html 结构
3.严重注意:v-html 有安全性问题!!!
(1).在网站上动态渲染任意 HTML 是非常危险的,容易导致 XSS 攻击
(2).一定要在可信的内容上使用 v-html,永不要用在用户提交的内容上
v-cloak 指令(没有值):
1.本质是一个特殊属性,vue 实例创建完毕并接管容器后,会删掉 v-cloak 属性。
2.使用 css 配合 v-cloak 可以解决网速慢时页面展出{{xxx}}
的问题
v-once 指令:
1.v-once 所在节点在初次动态渲染后,就视为静态内容了。
2.以后数据的改变不会引起 v-once 所在结构的更新,可以用于优化性能
v-pre 指令:
1.跳过其所在节点的编译过程。
2.可利用它跳过:没有使用指令语法,没有使用插值语法的节点,会加快编译
自定义指令
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 <div id ="root" > <h2 > {{name}}</h2 > <h2 > 当前的n值是:<span v-text ="n" > </span > </h2 > <h2 > 当放大十倍后的n值是:<span v-big-number ="n" > </span > </h2 > <button @click ="n++" > 点我n+1</button > <hr /> <input type ="text" v-fbind:value ="n" /> </div > <script > new Vue ({ el : '#root' , data : { name : 'gumisa' , n : 1 }, directives : { 'big-number' (element, binding) { element.innerText = binding.value * 10 }, fbind : { bind (element, binding ) { element.value = binding.value }, inserted (element, binding ) { element.focus () }, update (element, binding ) { element.value = binding.value } } } }) </script >
需求 1:定义一个 v-big 指令,和 v-text 功能类似,但会把绑定的数值放大十倍。
需求 2:定义一个 v-fbind 指令,和 v-bind 功能类似,但可以让其所绑定的 input 元素默认获取焦点
自定义指令总结:
一,定义语法:
1.局部指令:
1 2 3 4 5 new Vue ({ new Vue ({ directives :{指令名:配置对象} 或 directives{指令名:回调函数} }) })
2.全局指令:
Vue.directive(指令名,配置对象) 或 Vue.directive(指令名,回调函数)
二,配置对象中常用的 3 个回调:
1.bind: 指令与元素成功绑定时调用
2.inserted: 指令所在元素被插入页面时调用
3.updata 指令所在模板结构被重新解析时调用
三,备注:
1.指令定义时不加 V-,但使用时要加 v-;
2.指令名如果是多个单词,要使用 kebab-case 命名方式,不要使用 camelCase 命名
Vue 生命周期 生命周期:
1.又名:生命周期回调函数,生命周期函数,生命周期钩子。
2.是什么:Vue 在关键时刻帮我们调用的一些特殊名称的函数
3.生命周期函数的名字不可更改,但函数的具体内容是程序员根据需求编写的
4.生命周期函数中的 this 指向是 vm 或组件实例对象
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 <div id ="root" > <h2 :style ="{opacity}" > 欢迎学习Vue</h2 > </div > </body > <script > Vue .config .productionTip = false new Vue ({ el :"#root" , data :{ opacity :1 }, methods :{ }, mounted ( ){ setInterval (() => { this .opacity -= 0.01 if (this .opacity <=0 ) this .opacity = 1 },16 ) } }) </script >
分析生命周期
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 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 <div id ="root" > <h2 > 当前的n值是:{{n}}</h2 > <button @click ="add" > 点我n+1</button > <button @click ="bye" > 点我销毁vm</button > </div > <script > new Vue ({ el : '#root' , data : { n : 1 }, methods : { add ( ) { console .log ('add' ) this .n ++ }, bye ( ) { console .log ('bye' ) this .$destroy() } }, watch : { n ( ) { console .log ('n变了' ) } }, beforeCreate ( ) { console .log ('beforeCreate' ) console .log (this ) }, created ( ) { console .log ('created' ) console .log (this ) }, beforeMount ( ) { console .log ('beforeMount' ) console .log (this ) }, mounted ( ) { console .log ('mounted' ) console .log (this ) }, beforeUpdate ( ) { console .log ('beforeUpdate' ) }, updated ( ) { console .log ('updated' ) }, beforeDestroy ( ) { console .log ('beforeDestroy' ) this .add () }, destroyed ( ) { console .log ('destroyed' ) } }) </script >
总结常用的生命周期钩子:
1.mounted:发送 ajax 请求,启动定时器,绑定自定义事件,订阅消息等【初始化操作】.
2.beforeDestroy:清除定时器,解绑自定义事件,取消订阅消息等【收尾工作】.
关于销毁 Vue 实例
1.销毁后借助 Vue 开发者工具看不到任何消息.
2.销毁后自定义事件会失效,但原生 DOM 事件依然有效。
3.一般不会在 beforeDestroy 操作数据,因为即便操作数据,也不会在触发更新流程了。
1.一个重要的内置关系:VueComponent.prototype.proto === Vue.prototype
2.为什么要有这个关系:让组件实例对象(vc)可以访问 Vue 原型上的属性、方法。
Vue 的渲染函数 1 2 3 4 5 render (createElement ){ return createElement ('h1' ,'你好啊' ) } render :q => q ('h1' ,'你好啊' )render :h => h (App )
Vue 脚手架文件结构 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 |————node_modules |————public | |————favicon.ico:页签图标 | |————index.html:主页面 | |————src | |————assets:存放静态资源 | | |——logo.png | |————component:存放组件 | | |——HelloWorld.vue | |————App.vue:汇总所有组件 | |————main.js:入口文件 |————.gitignore:git版本管制忽略的配置 |————babel.config.js:babel的配置文件 |————package.json::应用包配置文件 |————README.md:应用描述文件 |————package-lock .json:包版本控制文件
Vue 的 ref 属性 1.被用来给元素或子组件注册引用信息(id 的替代者)
2.应用在 html 标签上获取的是真实的 DOM 元素,应用在组件标签上是组件实例对象(vc)
3.使用方式:
打标识:<h1 *ref*="xxx">.....</h1>
或 <School *ref*="xxx"></School>
获取:this.$refs.xxx
Vue 的配置项 props 功能:让组件接收外部传过来的数据
(1).传递数据:
<Demo *name* = "xxx" />
(2).接收数据:
第一种方式(只接受):
props:['name']
第二种方式(限制类型):
1 2 3 props : { name : Number }
第三种方式(限制类型,限制必要性,指定默认值):
1 2 3 4 5 6 7 props :{ name :{ type :String , required :true , default :'老王' } }
备注:
props 是只读的 ,Vue 底层会监测你对 props 的修改,如果进行了修改,就会发出警告,若业务需求确实需要修改,那么请复制 props 的内容到 data 中一份,然后去修改 data 中的数据
Vue 中的 mixin(混入) 功能:可以把多个组件共用的配置提取成一个混入对象
使用方法:
第一步定义混合,例如:
1 2 3 4 5 6 7 8 9 { data ( ){....}, methods :{...} ... }
第二步使用混入,例如:
(1).全局混入:Vue.mixin(xxx)
(2).局部混入:mixins:['xxx']
Vue 插件 功能: 用于增强 Vue 本质: 包含 install 方法的一个对象,install 的第一个参数是 Vue,第二个以后的参数是插件使用者传递的数据。 定义插件:对象.install = function (Vue, options) {
1 2 3 4 5 6 7 8 9 10 11 Vue .filter (....) Vue .directive (....) Vue .mixin (...) Vue .prototype .$myMethod = function ( ) {...} Vue .prototype .$myMethod = xxx }
Vue 中 scoped 作用:让样式在局部生效,防止冲突。
写法:<style scoped>
也可以不写 scoped 让其污染全局,方便组件直接调用样式名
WebStorage 1.储存内容大小一般支持 5MB 左右(不同浏览器可能不一样)
2.浏览器端通过 Window.sessionStorage 和 Window.localStorage 属性来实现本地储存机制
3.相关 API:
1.xxxxxStorage.setItem('key','value');
该方法接受一个键和值作为参数,会把键值对添加到储存中,如果键名存在,则更新其对应的值
2.xxxxxStorage.getItem('person');
该方法接受一个键名作为参数,返回键名对应的值。
3.xxxxxStorage.removeItem('key');
该方法接受一个键名作为参数,并把该键名从存储中删掉
4.xxxxxStorage.clear()
该方法会清空储存中的所有数据。
4.备注:
1.SessionStorage 存储的内容会随着浏览器窗口关闭而消失
2.LocalStorage 存储的内容,需要手动清除才会消失
3.xxxxxStorage.getItem(xxx) 如果 xxx 对应的 value 获取不到,那么 getItem 的返回值是 null
4.JSON.parse(null)的结果依然是 null
组件的自定义事件 1.一种组件间通信的方式,适用于:子组件=====>父组件
2.使用场景:A 是父组件,B 是子组件,B 想给 A 传数据,那么就要在 A 中给 B 绑定自定义事件(事件的回调在 A 中)
3.绑定自定义事件:
1.第一种方式,在父组件中:<Demo @_xxxx_=”test”> 或
2.第二种方式,在父组件中:
1 2 3 4 5 6 7 8 9 <Demo *ref* = "demo" /> ..... mounted ( ){ this .$refs .xxx .$on('atguigu' ,this .test ) }
3.若想让自定义事件只能触发一次,可以使用 once 修饰符,或$once 方法
4.触发自定义事件:this.$emit('atguigu',数据)
5.解绑自定义事件this.$off('atguigu')
6.组件上也可以绑定原生 DOM 事件,需要使用 native 修饰符
7.注意:通过this.$refs.xxx.$on('atguigu',回调)
绑定自定义事件时,回调要么配置在 methods 中,要么用箭头函数,否则 this 指向会出问题
全局事件总线 1.一种组件间通信的方式,适用于任意组件间通信。
2.安装全局事件总线:
1 2 3 4 5 6 7 8 9 10 11 12 13 new Vue ({ ... beforeCreat ( ) { Vue .prototype .$bus = this }, .... })
3.使用事件总线:
1.接受数据:A 组件想接受数据,则在 A 组件中给$bus 绑定自定义事件,事件的回调留在 A 组件自身
1 2 3 4 5 6 7 8 9 10 11 12 13 methods ( ){ demo (data ){....} } .... mounted ( ) { this .$bus .$on('xxxx' ,this .demo ) }
2.提供数据:this.$bus.$emit(‘xxx’,数据)
4.最好在 beforeDestroy 钩子中,用$off 去解绑当前组件所用到的事件
消息订阅与发布 (pubsub) 1.一种组件间通信方式,适用于任意组件间通信。
2.使用步骤:
1.安装 pubsub: npm i 'pubsub-js'
2.引入: import pubsub from 'pubsub-js'
3.接受数据:A 组件想接受数据,则在 A 组件中订阅消息,订阅的回调留在 A 组件自身
1 2 3 4 5 6 7 8 9 10 11 12 13 methods () { demo (data ){...} } .... mounted () { this .pId = pubsub.sunscribe ('xxx' ,this .demo ) }
4.提供数据:pubsub.publish('xxx',数据)
5.最好在 beforeDestroy 钩子中,用pubsub.unsubscribe(pId)
去取消订阅
nextTick 1.语法:this.$nextTick(回调函数)
2.作用:在下次 DOM 更新结束后执行其指定的回调
3.什么时候用:当改变数据后,要基于更新后的新 DOM 进行某些操作时,要在 nextTick 所指定的回调函数中执行
Vue 封装的过渡和动画 1.作用:在插入,更新或移除 DOM 元素时,在合适的时候给元素加样式类名。
2.图示
Enter Leave
opacity:0———>opacity:1 opacity:1———>opacity:0
| | | |
| | | |
| | | |
v-enter v-enter-to v-leave v-leave-to
|———————————————————| |———————————————————|
|——v-enter-active ——| |——v-leave-active ——|
3.写法:
1.准备好样式:
(1).元素进入的样式:
a.v-enter: 进入的起点
b.v-enter-active: 进入过程中
c.v-enter-to: 进入的终点
(2).元素离开的样式:
1.v-leave:离开的起点
2.v-leave-active:离开过程中
3.v-leave-to:离开的终点
2.使用<transition>
包裹要过度的元素,并配置 name 属性:
1 2 3 <transition *name *="hello" > <h1 *v-show *="isShow" > 你好啊</h1 > </transition >
3.备注:若有多个元素需要过渡,则需要使用:且每个元素都要指定 key 值
插槽 1.作用:让父组件可以向子组件指定位置插入 html 结构,也是一种组件间通信的方式适用于父组件====>子组件
2.分类:默认插槽,具名插槽,作用域插槽
3.适用方式: 1.默认插槽:
1 2 3 4 5 6 7 8 9 10 11 // 父组件 <Category> <div>html结构1</div> </Category> // 子组件 <template> <div> <!-- 定义插槽 --> <slot>插槽默认内容...</slot> </div> </template>
2.具名插槽
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 // 父组件中: <Category> <template slot="center"> <div>html结构1</div> </template> <template v-slot:footer> <div>html结构2</div> </template> </Category> // 子组件中: <template> <div> <!-- 定义插槽 --> <slot name="center">插槽默认内容...</slot> <slot name="footer">插槽默认内容...</slot> </div> </template>
3.作用域插槽 1.理解:数据在组件的自身,但根据数据生成的结构需要组件的使用者来决定。(games 数据在 Category 组件中,但使用数据遍历出来的结构有 App 决定)
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 // 父组件中: <Category> <template scope="scopeData"> <!-- 生成的是ul列表 --> <ul> <li v-for="g in scopeData.games" :key="g">{{g}}</li> </ul> </template> </Category> <Category> <template slot-scope="scopeData"> <!-- 生成的是h4标题 --> <h4 v-for="g in scopeData.games" :key="g">{{g}}</h4> </template> </Category> // 子组件 <template> <div> <slot :games="games"></slot> </div> </template> <script> export default { name: 'Category', props: ['title'], //数据在子组件自身 data() { return { games: ['红色警戒', '穿越火线', '劲舞团', '超级玛丽'] } } } </script>
Vuex 搭建 vuex 环境
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 1.创建文件:src/store/index.js. improt Vue from 'vue' improt Vuex from 'vuex' Vue.use(Vuex) const actions = { } const mutations = { } const state = { } export default new Vuex.Store({ actions, mutations, state })
2.在 main.js 中创建 vm 时传入 store 配置项
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 ..... <!-- 引入store --> import store from './store' ... <!-- 创建vm --> new Vue ({ el :'#app' , render : h => h (App ), store, beforeCreate ( ) { Vue .prototype .$bus = this }, })
基本使用 1.初始化数据,配置 actions,配置 mutations,操作文件 store.js
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 <!-- 引入Vue 核心库 --> improt Vue from 'vue' <!-- 引入Vuex --> improt Vuex from 'vuex' <!-- 应用Vuex 插件 --> Vue .use (Vuex )<!-- --> const actions = { <!-- 响应组件动作 --> jia (context,value) { context.commit ('JIA' ,value) } } const mutations = { JIA (state,value ){ state.sum += value } } <!-- 初始化数据 --> const state = { sum :0 } <!-- 创建并暴露 --> export default new Vuex .Store ({ actions, mutations, state })
2.组件中读取 vuex 中的数据:$store.state.sum
3.组件中修改 vuex 中的数据:$store.dispatch('actions中的方法名',数据)
或 $store.commit('mutation中的方法名',数据)
备注: 若没有网络请求或其他业务逻辑,组件中也可以越过 actions,即不写 dispatch,直接写 commit
getters 的使用
1.概念: 当 state 中的数据需要经过加工后在使用时,可以使用 getters 加工。
2.在 store.js 中追加 getters 配置
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 ..... const getters = { bigSum (state ){ return state.sum * 10 } } export default new Vuex .store ({ .... getters })
3.组件中读取数据: $store.getters.bigSum
四个 map 方法的使用
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 1. mapState方法:用于帮助我们映射state中的数据为计算属性 computed : { <!-- 借助mapState生成计算属性,sum,school,subject (对象写法) --> ...mapState ({sum :'sum' , school :'school' , subject :'subject' }), <!-- 借助mapState生成计算属性,sum,school,subject (数组写法) --> ...mapState (['sum' ,'school' ,'subject' ]) }, 2. mapGetters方法:用于帮我们映射getters中的数据为计算属性 computed : { <!-- 借助mapGetters生成计算属性,bigSum (对象写法) --> ...mapGetters ({bigSum :'bigSum' }), <!-- 借助mapGetters生成计算属性,bigSum (数组写法) --> ...mapGetters (['bigSum' ]) } 3. mapActions方法:用于帮助我们生成与actions对话的方法,即:包含$store.dispatch (xxx)的函数 methods :{ <!-- 靠mapActions生成:incrementOdd,incrementWait (对象形式) --> ...mapMutations ({incrementOdd :'jiaOdd' ,incrementWait :'jiaWait' }), <!-- 靠mapMutations生成:incrementOdd,incrementWait (数组形式) --> ...mapMutations (['jiaOdd' ,'jiaWait' ]), } 4. mapMutations方法:用于帮助我们生成与mutations对话的方法,即:包含$store.commit (xxx)的函数 methods :{ <!-- 靠mapMutations生成:increment,decrement (对象形式) --> ...mapMutations ({increment :'JIA' ,decrement :'JIAN' }), <!-- 靠mapMutations生成:JIA ,JIAN (数组形式) --> ...mapMutations (['JIA' ,'JIAN' ]), }
mapActions 与 mapMutations 使用时,若有传递参数需要:在模板中绑定事件时传递好参数,否则参数是事件对象
模块化+命名空间
1.目的:让代码更好维护,让多种数据分类更加明确。
2.修改 store.js
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 44 45 const countAbout = { namespaced :true , state :{x :1 }, mutations :{...}, actions :{...}, getters :{ bigSum (state ){ return state.sum * 10 } } } const personAbout = { namespaced :true , state :{...}, mutations :{...}, actions :{...} } const store = new Vuex .store ({ modules : { countAbout, personAbout } })
3.开启命名空间后,组件中读取 state 数据:
//方式一:自己直接读取
this.$store.state.personAbout.list
//方式二:借助 mapState 读取,
...mapState('countAbout',['sum','school','subject'])
,
4.开启命名空间后,组件中读取 getters 数据:
//方式一:自己直接读取
this.$store.getters['personAbout/firstPersonName']
//方式二:借助 mapgetters 读取
...mapGetters('countAbout',['bigSum'])
5.开启命名空间后,组件中调用 dispatch
//方式一:自己直接 dispatch
this.$store.dispatch('personAbout/addPersonWang',person)
//方式二:借助 mapActions:
...mapAction('countAbout',{incrementOdd:'jiaOdd',incrementWait:'jiaWait'})
6.开启命名空间后,组件中调用 commit
//方式一:自己直接 commit
this.$store.commit('personAbout/ADD_PERSON',person)
//方式二:借助 mapMutations:
...mapMutations('countAbout',{increment:'JIA',decrement:'JIAN'}),
路由 1.理解:一个路由(route)就是一组映射关系(key-value),多个路由则需要路由器(router)进行管理
2.前端路由:key 是路径,value 是组件。
一.基本使用: 1.安装 vue-router,命令:npm i vue-router
2.应用插件:Vue.use(VueRouter)
3.编写 router 配置项:
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 import VueRouter from 'vue-router' import About from '../components/About' import Home from '../components/Home' const router = new VueRouter ({ routes :[ { path : '/About' , component :About }, { path : '/home' , component : Home } ] }) export default router
4.实现切换(active-class 可配置高亮样式)<router-link active-class = 'active' to = '/about'>About</router-link>
5.指定展示位置<router-view></router-view>
二.几个注意点 : 1.路由组件通常存放在 pages(views)文件夹,一般组件通常存在 components 文件夹
2.通过切换,隐藏了的路由组件,默认是被销毁掉的,需要的时候在去挂载
3.每个组件都有自己的$route 属性,里面储存着自己的路由信息
4.整个应用只有一个 router,可以通过组件的$router 属性获取到
三.多级路由(嵌套路由) 1.配置路由规则,使用 children 配置项:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 routes : [ { path : '/about' , component : About }, { path : '/home' , component : Home , children : [ { path : 'news' , component : News }, { path : 'message' , component : Message } ] } ]
2.跳转(要写完整路径):<router-link *to*="/home/news">News</router-link>
四.路由的 query 参数 : 1.传递参数
1 2 3 4 5 6 7 8 9 10 11 12 <!-- 跳转并携带query参数,to的字符串写法 --> <rounter-link :to ="/home/message/detail?id=666&title=你好" > 跳转</rounter-link > <!-- 跳转并携带query参数,to的对象写法 --> <rounter-link to: { path: '/home /message /detail ', query: { id:666 , title: '你好捏 ' } } > 跳转</router-link >
2.接受参数:
1 2 $route.query .id $route.query .title
五.命名路由 : 1.作用:可以简化路由的跳转。 2.如何使用
给路由命名:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 { path:'/demo', component:Demo, children:[ { path:'test', component:Test, children:[ { name:'hello' //给路由命名 path:'welcome', component:Hello, } ] } ] }
2.简化跳转:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 <!--简化前,需要写完整的路径 --> <router-link to="/demo/test/welcome">跳转</router-link> <!--简化后,直接通过名字跳转 --> <router-link :to="{ name: 'hello' }">跳转</router-link> <!--简化写法配合传递参数 --> <router-link :to="{ name: 'hello', query: { id: 666, title: '你好' } }" >跳转</router-link>
六.路由的 params 参数 : 1.配置路由,声明接收 params 参数
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 { path :'/home' , component :Home , children :[ { path :'news' , component :News }, { component :Message , children :[ { name :'xiangqing' , path :'detail/:id/:title' , component :Detail } ] } ] }
2.传递参数
1 2 3 4 5 6 7 8 9 10 11 12 13 <!-- 跳转并携带params参数,to的字符串写法 --> <router-link :to ="/home/message/detail/666/你好" > 跳转</router-link > <!-- 跳转并携带params参数,to的对象写法 --> <router-link :to ="{ name:'xiangqing', params:{ id:666, title:'你好' } }" > 跳转</router-link >
特别注意:路由携带 params 参数时,若使用 to 的对象写法,则不能使用 path 配置项,必须使用 name 配置!
3.接收参数: 1.$route.params.id 2.$route.params.title
七.路由的 props 配置 作用:让路由组件更方便的收到参数
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 { name :'xiangqing' , path :'detail/:id' , component :Detail , props (route ){ return { id :route.query .id , title :route.query .title } } }
八.<router-link>
的 replace 属性 1.作用:控制路由跳转时操作浏览器历史记录的模式 2.浏览器的历史记录有两种写入方式:分别为push
和replace
,push
是追加历史记录,replace
是替换当前记录。路由跳转时候默认为push
3.如何开启replace
模式:<router-link replace .......>News</router-link>
九.编程式路由导航 1.作用:不借助实现路由跳转,让路由跳转更加灵活 2.具体编码:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 this .$router .push ({ name : 'xiangqing' , params : { id : xxx, title : xxx } }) this .$router .replace ({ name : 'xiangqing' , params : { id : xxx, title : xxx } }) this .$router .forward () this .$router .back () this .$router .go ()
十.缓存路由组件 1.作用:让不展示的路由组件保持挂载,不被销毁 2.具体编码:
1 2 3 <keep-alive include="News" > <router-view > </router-view > </keep-alive>
十一.两个新的生命周期钩子 1.作用:路由组件所独有的两个钩子,用于捕获路由组件的激活状态 2.具体名字: 1.activated 路由组件被激活时触发 2.deactivated 路由组件失活时触发
十二.路由守卫 1.作用:对路由进行权限控制 2.分类:全局守卫,独享守卫,组件内守卫 3.全局守卫:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 router.beforeEach ((to, from , next ) => { console .log ('beforeEach' , to, from ) if (to.meta .isAuth ) { if (localStorage .getItem ('school' ) === 'atguigu' ) { next () } else { alert ('暂无权限查看' ) } } else { next () } }) router.afterEach ((to, from ) => { console .log ('afterEach' , to, from ) if (to.meta .title ) { document .title = to.meta .title } else { document .title = 'vue_test' } })
4.独享守卫:
1 2 3 4 5 6 7 8 9 10 11 12 13 beforeEnter (to,from ,next ){ console .log ('beforeEnter' ,to,from ) if (to.meta .isAuth ){ if (localStorage .getItem ('school' ) === 'atguigu' ){ next () }else { alert ('暂无权限查看' ) } }else { next () } }
5.组件内守卫
1 2 3 4 5 6 beforeRouteEnter (to, from , next) { }, beforeRouteLeave (to, from , next) { }
十三.路由器的两种工作模式
1.对于一个 url 来说,什么是 hash 值?—— #及其后面的内容就是 hash 值 2.hash 值不会包含在 HTTP 请求中,即:hash 值不会带给服务器。 3.hash 模式: 1.地址中永远带着#号,不美观 。 2.若以后将地址通过第三方手机 app 分享,若 app 校验严格,则地址会被标记为不合法。 3.兼容性较好 4.history 模式: 1.地址干净,美观 。 2.兼容性和 hash 模式相比略差。 3.应用部署上线时需要后端人员支持,解决刷新页面服务端 404 的问题。
Vue3 常用的 Composition API setup
1.理解: Vue3.0 中的一个新的配置项,值为函数 2.setup 是所有 Composition API (组合 API) 的表演舞台 3.组件中所有的数据,方法,属性等等均配置在 setup 4.setup 函数的两种返回值 1.若返回一个对象,则对象中的属性,方法,在模板中均可以直接使用 2.若返回一个渲染函数:则可以自定义渲染内容 5.注意点 1.尽量不要与 Vue2.x 配置混用 · Vue2.X 配置(data,methods,computed…) 中可以访问到 setup 中的属性,方法。 · 但在 setup 中不能访问到 vue2.x 配置(data,methods,computed…) · 如果有重名,setup 优先 2.setup 不能是一个 async 函数,因为返回值不再是 return 的对象,而是 promise,模板看不到 return 对象中的属性(后期可以返回 promise,但是需要 suspense 和异步组件的配合捏)
ref 函数 作用:定义一个响应式的数据 语法:const xxx = ref(initvalue)
· 创建一个包含响应式的应用对象 (reference 对象) · JS 中操作数据:xxx.value
· 模板中读取数据:不需要.value 直接<div>{{ xxx }} </div>
备注: · 接收的数据可以是:基本类型,也可以是对象类型 · 基本类型的数据:响应式依然是靠Object.defineProperty()
中的 get
和 set
完成的 · 对象数据类型:内部借用了 Vue3.0 中的一个新函数 – reactive
函数
reactive 函数 作用: 定义一个对象类型的响应式数据(基本数据不用,要用ref
函数) 语法:const 代理对象 = reactive(源对象)
接收一个对象(或数组),返回一个代理对象(proxy 对象) reactive 定义的响应式数据是深层次的 内部基于 ES6 的 Proxy 实现,通过代理对象操作源对象内部数据进行操作
Vue3.0 中的响应式原理
Vue2.x 的响应式 实现原理 对象类型:通过object.defineProperty()对属性进行读取,修改进行拦截(数据劫持)
数组类型:通过重写更新数组的一系列方法来实现拦截(对数组的变更方法进行了包裹)
1 2 3 4 Object .defineProperty (data,'count' ,{ get () {} set () {} })
存在问题: 新增属性:删除属性,界面不会更新 (this.$set … this.delete) 直接通过下标修改数组,界面不会自动更新
Vue3.0 的响应式 实现原理 通过 Proxy(代理): 拦截对象中任意属性的变化,包括:属性值的读写,属性的添加,属性的删除等 通过 Reflect(反射): 对被代理对象的属性进行操作
Vue3.0 的响应式 实现原理: 通过 Proxy(代理): 拦截对象中任意属性的变化,包括:属性值的读写,属性的添加,属性的删除等 通过 Reflect(反射):对被代理对象的属性进行操作
1 2 3 4 5 6 7 8 9 10 11 12 13 14 new Proxy (person, { get (target, key ) { return Reflect .get (target, key) }, set (target, key, val ) { return Reflect .set (target, key, val) }, deleteProperty (target, key ) { return Reflect .deleteProperty (target, key) } })
reactive 和 ref 的对比 1.从定义数据角度对比: ref 用来定义:基本数据类型 reactive 用来定义:对象(或数组)类型数据 备注:ref 也可以用来定义对象(或数组)数据类型,它内部会自动通过reactive
转为代理对象 2.从原理角度对比: ref 通过Object.defineProperty()
的 get
和 set
来实现响应式(数据劫持) reactive 通过使用 Proxy 来实现响应式(数据劫持),并通过 Reflect 操作源对象内部的数据 3.从使用角度对比: ref 定义的数据:操作数据需要.value
,读取数据时模板中直接读取不需要.value
reactive 定义的数据:操作数据与读取数据:均不需要.value
setup 的两个注意点 setup 执行的时机 在 beforeCreate 之前执行一次,this 是 undefined setup 的参数 props:值为对象,包含:组件外部传递过来,且组件内部声明接收了的属性 context:上下文对象 attrs:值为对象,包含:组件外部传递过来,但没有在 props 配置中声明的属性,相当于this.$attrs
slots:收到的插槽内容,相当于this.$slots
emit:分发自定义事件的函数,相当于this.$emit
计算属性与监视
1.computed 函数 与 Vue2.x 中 computed 配置功能一致 写法:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 import { reactive,computed } from 'vue' setup () { ... let fullName = computed (()=> { return person.firstName + '-' + person.lastName }) let fullName = computed ({ get () { return person.firstName + '-' + person.lastName } set (value) { let names = value.split ('-' ) person.fitstName = names[0 ] person.lastName = names[1 ] } }) }
2.watch 函数 与 Vue2.x 中 watch 配置功能呢一致 两个小坑: 1.监视 reactive 定义的响应式:oldVue 无法正确获取,强制开启了深度监视 (deep 配置失败) 2.监视 reactive 定义的响应式中某个属性时,deep 配置有效
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 watch (sum, (newVal, oldVal ) => { console .log ('sum发生了变化' , newVal, oldVal) }, {immediate : true }}) watch ([sum, msg], ([newSum, newMsg], [oldSum, oldMsg] ) => { console .log ('sum和msg发生了变化' , newSum, newMsg, oldSum, oldMsg) }, {immediate : true }) watch (person, (newPerson, oldPerson ) => { console .log ('person发生了变化' , newPerson, oldPerson) }, {deep : true }) watch (()=> person.name , (newName, oldName ) => { console .log ('person.name发生了变化' , newName, oldName) }) watch ([()=> {person.name }, ()=> {person.age }], ([newName, newAge], [oldName, oldAge] ) => { console .log ('person.name和person.age发生了变化' , newName, newAge, oldName, oldAge) }) watch (()=> person.job , (newJob, oldJob ) => { console .log ('person.job发生了变化' , newJob, oldJob) }, {deep :true })
3.watchEffect 函数 watch 的套路是:既要指明监视的属性,也要指明监视的回调 watchEffect 的套路是:不用指明监视那个属性,监视的回调中用到那个属性,那么就监视那个属性 watchEffect 有点像 computed 1.但 computed 注重的计算出来的值(回调函数的返回值),所以必须要写返回值 2.而 watchEffect 更注重的是过程(回调函数的函数体),所以不用写返回值
1 2 3 4 5 6 watchEffect (() => { const x1 = sum.value const x2 = person.age console .log ('watchEffect配置的回调执行了' ) })
4.Vue3 的生命周期
Vue3.0 中可以继续使用 Vue2.x 中的生命周期钩子,但是有两个被更名
1.beforeDestory
改名为 beforeUnmount
2.destroyed
改名为 unmounted
Vue3.0 也提供了 Composition API 形式的生命周期钩子,与 Vue2.x 中钩子对应关系如下
1.beforeCreate
===> setup()
2.created
===> setup()
3.beforeMount
===> onBeforeMount
4.mounted
===> onMounted
5.beforeUpdate
===> onBeforeUpdate
6.update
===> onUpdate
7.beforeUnMount
===> onBeforeUnmount
8.unmounted
===> onUnmounted
自定义函数 hook
什么是 hook? – 本质是一个函数,把 setup 函数中使用的 Composition API 进行了封装 类似于 Vue2.x 中的 mixin 自定义 hook 的优势,复用代码,让 setup 中的逻辑更清楚易懂
toRef
作用:创建一个 ref 对象,其 value 值指向另一个对象中的某个属性 语法:const name = toRef(person,'name')
应用:要将响应式对象中的某个属性单独提供给外部使用时 扩展:toRefs
和 toRef
功能一致,但可以批量创建多个 ref 对象,语法toRefs(person)
shallowReactive 和 shallowRef
shallowReactive:只处理对象最外层属性的响应式(浅响应式) shallowRef:只处理基本数据类型的响应式,不进行对象的响应式处理 什么时候使用? 如果有一个对象数据,结构比较深,但变化时只是外层属性变化 ===> shallowReactive 如果有一个对象数据,后续功能不会修改该对象中的属性,而是生新的对象来替代 ===> shallowRef
readonly 与 shallowReadonly readonly:让一个响应式数据变为只读的(深只读) shallowReadonly:让一个响应式数据变为只读的(浅只读) 应用场景:不希望数据被修改时
toRaw 与 markRaw toRaw: 作用:将一个由 reactive
生成的响应式对象转为普通对象 使用场景:用于读取响应式对象的普通对象,对这个普通对象的所有操作,不会引起页面更新 markRaw: 作用:标记一个对象,使其永远不会再成为响应式对象 应用场景: 1.有些值不应被设置为响应式的,例如复杂的第三方库 2.当渲染具有不可变数据的大列表时,跳过响应式转换可以提高性能
customRef 作用:创建一个自定义的 ref,并对其依赖项跟踪和更新触发进行显示控制 实现防抖效果:
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 <template> <input type="text" v-model="keyword" /> <h3>{{ keyword }}</h3> </template> <script> import {ref,customRef} from 'vue' export default { name: 'Demo', setup () { // let keyword = ref('Hello') //使用vue准备好的内置函数 // 自定义一个myRef function myRef (value,delay) { let timer //通过customRef去实现自定义 return customRef((track,trigger)=>{ return { get () { track() // 告诉vue这个value值是需要被追踪的 return value }, set (newValue) { clearTimeout(timer) timer = setTimeout(()=>{ value = newValue trigger() // 告诉vue去更新界面 },delay) } } }) } } let keyword = myRef('Hello',500) // 自定义的ref } </script>
provide 和 inject 作用:实现祖先和后代组件间的通信 套路:父组件有一个 provide
选项来提供数据,子组件有一个inject
选项来开始使用这些数据 具体写法:
父组件中:
1 2 setup () { .... let person reactive({name: 'komisa', age: 18}) provide('person', person) ... }
子组件中:
1 setup () { .... const person = inject('car') return {car} .... }
响应式数据的判断 isRef:检查一个值是否为一个 ref 对象 isReactive:检查一个对象是否是由 reactive
创建的响应式代理 isReadonly:检查一个对象是否是由 readonly
创建的只读代理 isProxy:检查一个对象是否是由 reactive
或者 readonly
方法创建的代理
Composition API 的优势 1.Options API 存在的问题
使用传统 Options API 中,新增或修改一个需求,就需要分别在 data,methods,computed 里修改
2.Composition 的优势
我们可以更加优雅的组织我们的代码,函数,让相关功能的代码更加有序的组织在一起
新的组件 Fragment 在 vue2 中:组件必须有一个根标签 在 vue3 中:组件可以没有根标签,内部会将多个标签包含在一个 Fragment 虚拟元素中 好处:减少标签层级,减小内存占用
Teleport 什么是 Teleport? —— Teleport
是一种能够将我们的组件 html 结构移动到指定位置的技术
1 2 3 4 5 6 7 8 9 10 <teleport to="移动位置(body)"> <div v-if="isShow" class="mask"> <div class="dialog"> <h3>我是弹窗</h3> <button @click="isShow = false"> 关闭弹窗 </button> </div> </div> </teleport>
Suspense 等待异步组件时渲染一些额外内容,让应用有更好的用户体验 使用步骤 异步引入组件
1 2 import {defineAsyncComponent} from 'vue' const Child = defineAsyncComponent(()=> import('./components/child.vue'))
使用·Suspense
包裹组件,并配置好default
和 fallback
1 2 3 4 5 6 7 8 9 10 11 12 13 <template> <div class="app"> <h3>我是app组件</h3> <Suspense> <template v-solt:default> <Child /> </template> <template> <h3>加载中...</h3> </template> </Suspense> </div> </template>
其他 1.全局 API 的转移 Vue2.x 有许多全局 API 和配置 例如:注册全局组件,注册全局指令等。
1 2 3 Vue.component('Mybutton',{ data: () => ({ count: 0 }), template: ' <button @click="count++">Clicked {{count}}</button> ' }) // 注册全局指令 Vue.directive('focus',{ inserted: el => el.focus() })
Vue3.0 对这些 API 做出了调整 将全局的 API,即Vue.xxx
调整到应用实例 (app
) 上
2.x 全局 API (Vue
) 3.x 实例 API(app
) Vue.config.xxx app.config.xxxx Vue.config.productionTip 移除 Vue.component app.component Vue.directive app.directive Vue.mixin app.mixin Vue.use app.use Vue.prototype app.config.globalProperties
2.其他改变 data 选项始终将被声明为一个函数 过渡类名的更改: Vue2.x 的写法
1 2 3 4 5 6 7 8 .v-enter ,.v-leave-to { opcity: 0 ; } .v-leave ,.v-enter-to { opcity: 1 ; }
Vue3.x 的写法
1 2 3 4 5 6 7 8 .v-enter-from ,.v-leave-to { opcity: 0 ; } .v-leave-from ,.v-enter-to { opcity: 1 ; }
移除 keyCode 作为 v-on 的修饰符,同时也不在支持config.keyCode
移除v-on.native
修饰符 父组件中绑定事件
1 2 3 4 5 <my-component v-on:close ="handleComponentEvent" v-on:click ="handleNativeClickEvent" > </my-component >
子组件中声明自定义事件
1 2 3 4 5 <script> export default { emits: ['close'] } </script>
移除过滤器(filiter)