学习目标
1.组件的三大组成部分注意点(结构/样式/逻辑)
scoped解决样式冲突/data是一个函数
2.组件通信
- 组件通信语法
- 父传子
- 子传父
- 非父子通信(扩展)
3.综合案例:小黑记事本(组件版)
- 拆分组件
- 列表渲染
- 数据添加
- 数据删除
- 列表统计
- 清空
- 持久化
4.进阶语法
- v-model原理
- v-model应用于组件
- sync修饰符
- ref和$refs
- $nextTick
组件的三大组成部分注意点
template只能有一个根元素
约束:.vue文件中的template中如果写了两个元素,则会报如下错误
解决:保证template中只有一个根元素即可
scoped解决样式冲突
- 全局样式: 默认组件中的样式会作用到全局,任何一个组件中都会受到此样式的影响
- 局部样式: 可以给组件加上scoped 属性,可以让样式只作用于当前组件
默认情况:写在组件中的样式会 全局生效 → 因此很容易造成多个组件之间的样式冲突问题。
解决:在组件style标签上增加scoped来解决
代码演示
<template>
<div class="base-one">
BaseOne
</div>
</template>
<script>
export default {
}
</script>
<!-- 增加了scoped,表示局部样式,不会被覆盖 -->
<style scoped>
.base-one{
color:red;
}
</style>
<template>
<div class="base-one">
BaseTwo
</div>
</template>
<script>
export default {
}
</script>
<!-- 增加了scoped,表示局部样式,不会被覆盖 -->
<style scoped>
.base-one{
color:green;
}
</style>
<template>
<div id="app">
<BaseOne></BaseOne>
<BaseTwo></BaseTwo>
</div>
</template>
<script>
import BaseOne from './components/BaseOne'
import BaseTwo from './components/BaseTwo'
export default {
name: 'App',
components: {
BaseOne,
BaseTwo
}
}
</script>
scoped原理
- 当前组件内标签都被添加data-v-hash值 的属性 ,每个组件的hash值是不同的
- css选择器都被添加 [data-v-hash值] 的属性选择器
最终效果: 必须是当前组件的元素, 才会有这个自定义属性, 才会被这个样式作用到
data必须是一个函数
一个.vue组件的 data 选项必须是一个函数。否则会报错
这么要求的原因:保证每个组件实例,维护独立的一份数据对象,保证组件实例之间的数据相互隔离不受影响
每次创建新的组件实例,都会新执行一次data 函数,得到一个新对象。
代码演示
<template>
<div class="base-count">
<button @click="count--">-</button>
<span>{{ count }}</span>
<button @click="count++">+</button>
</div>
</template>
<script>
export default {
data: function () {
return {
count: 100,
}
},
}
</script>
<style>
.base-count {
margin: 20px;
}
</style>
<template>
<div class="app">
<BaseCount></BaseCount>
<BaseCount></BaseCount>
</div>
</template>
<script>
import BaseCount from './components/BaseCount'
export default {
components: {
BaseCount,
},
}
</script>
<style>
</style>
组件通信
什么是组件通信?组件通信,就是指组件与组件之间的数据传递
为什么要有组件通信?
- 组件的数据是独立的,无法直接访问其他组件的数据。
- 想使用其他组件的数据,就需要组件通信
组件之间如何通信?
组件关系分类:① 父子关系 ② 非父子关系
组件通信解决方案:
父子通信流程
- 父->子:父组件通过 props 将数据传递给子组件
- 子->父:子组件利用 $emit 通知父组件修改数据
父向子通信代码示例
父向子传值步骤:
- 准备一个父组件 App.vue,一个子组件Son.vue
- 在App.vue中使用Son.vue让它们构成一个父子组件关系,在使用子组件的同时
-
- 通过
:自定义名字="需要传递的值"
将父组件中的数据传给子组件
- 通过
- 子组件内部通过props接收
props:['父组件中自定义名字']
- 子组件内部模板中直接使用 props接收的值
{{ 父组件中自定义名字 }}
✨✨ 注意点:父组件中的响应式数据改变,会自动同步到子组件
父组件通过props将数据传递给子组件代码演示
<template>
<div class="box">
<!-- 2. 调用子组件的同时 传递数据 -->
<SonVue
:title="msg"
:age="age"
:nums="nums">
</SonVue>
</div>
</template>
<script>
import SonVue from './components/Son.vue';
export default {
data(){
return {
// 1. 准备需要传递的数据
/*
✨✨ 注意点:
1. 父组件中的响应式数据改变,会自动同步到子组件
*/
msg:'学前端+鸿蒙来黑马',
age:10,
nums:[1,2,3]
}
},
// 局部注册组件
components: {
SonVue
},
};
</script>
<style>
</style>
<template>
<div class="son" style="border:3px solid #000;margin:10px">
<!-- 4. 显示数据-->
我是Son组件 {{ title }}{{ age }}{{ nums }}
</div>
</template>
<script>
export default {
name: 'Son-Child',
// 3. 接收父组件传入的title属性的值
props:['title','age','nums']
}
</script>
<style>
</style>
子向父通信代码示例
子组件利用 $emit 将自己的数据传递给父组件
子向父传值步骤:
- $emit触发事件,给父组件发送消息通知
- 父组件监听$emit触发的事件
- 提供处理函数,在函数的形参中获取传过来的参数
注意:上面代码其实是一个 父子通信的双向数据绑定
<template>
<div class="box">
<div>App.vue-> 父组件</div>
<SonVue></SonVue>
</div>
</template>
<script>
import SonVue from "./components/Son.vue";
export default {
data() {
return {};
},
// 局部注册组件
components: {
SonVue,
},
};
</script>
<style>
.box {
height: 300px;
width: 300px;
background: pink;
display: flex;
align-content: center;
flex-direction: column;
}
</style>
<template>
<div class="son" style="border:3px solid #000;margin:10px;height:80px;width:150px">
<!-- 4. 显示数据-->
子组件
</div>
</template>
<script>
export default {
name: 'Son-Child',
}
</script>
<style>
</style>
随堂演示代码:
<template>
<div class="box">
<div>App.vue-> 父组件 {{ appTile }}</div>
<!-- 1. 第一步:在使用子组件的时候注册一个自定义事件
此处的事件名:changeTitle
-->
<SonVue @changeTitle="changeHander"></SonVue>
</div>
</template>
<script>
import SonVue from "./components/Son.vue";
export default {
data() {
return {
appTile:'鸿蒙3期'
};
},
// 局部注册组件
components: {
SonVue,
},
methods:{
changeHander(title){
console.log(title);
this.appTile = title
}
}
};
</script>
<style>
.box {
height: 300px;
width: 300px;
background: pink;
display: flex;
align-content: center;
flex-direction: column;
}
</style>
<template>
<div class="son" style="border:3px solid #000;margin:10px;height:80px;width:150px">
<button @click="changeFn">给父组件传值</button>
</div>
</template>
<script>
export default {
name: 'Son-Child',
methods:{
changeFn(){
// 2. 子组件中通过 $emit(父组件调用子组件时注册的那个自定义事件名称,传递给父组件的数据(数据类型任意))
// 触发父组件注册的自定义事件
this.$emit('changeTitle','鸿蒙4期')
}
}
}
</script>
<style>
</style>
什么是props
Props 定义:组件上 注册的一些 自定义属性
Props 作用:向子组件传递数据
特点:
- 可以 传递 任意数量 的prop
- 可以 传递 任意类型 的prop
代码演示
<template>
<div class="app">
<UserInfo
:username="username"
:age="age"
:isSingle="isSingle"
:car="car"
:hobby="hobby"
></UserInfo>
</div>
</template>
<script>
import UserInfo from './components/UserInfo.vue'
export default {
data() {
return {
username: '小帅',
age: 28,
isSingle: true,
car: {
brand: '宝马',
},
hobby: ['篮球', '足球', '羽毛球'],
}
},
components: {
UserInfo,
},
}
</script>
<style>
</style>
<template>
<div class="userinfo">
<h3>我是个人信息组件</h3>
<div>姓名:</div>
<div>年龄:</div>
<div>是否单身:</div>
<div>座驾:</div>
<div>兴趣爱好:</div>
</div>
</template>
<script>
export default {
}
</script>
<style>
.userinfo {
width: 300px;
border: 3px solid #000;
padding: 20px;
}
.userinfo > div {
margin: 20px 10px;
}
</style>
props校验
思考:组件的props数据类型可以乱传吗?不能
- 比如进度条百分数只能是数字
props校验:为组件的 prop 指定验证要求,不符合要求,控制台就会有错误提示 → 帮助开发者,快速发现错误
props校验的类型:
- 类型校验(常用)
- 非空校验
- 默认值
- 自定义校验
语法:
① 只校验类型【常用】
② 完整写法
// ✨✨✨注意点:属性的类型必须使用大写 Number,Boolean,String,Array,Object
props校验类型代码演示
<template>
<div class="app">
<BaseProgress :w="width"></BaseProgress>
</div>
</template>
<script>
import BaseProgress from './components/BaseProgress.vue'
export default {
data() {
return {
width: 30,
}
},
components: {
BaseProgress,
},
}
</script>
<style>
</style>
<template>
<div class="base-progress">
<div class="inner" :style="{ width: w + '%' }">
<span>{{ w }}%</span>
</div>
</div>
</template>
<script>
export default {
props: ['w'],
}
</script>
<style scoped>
.base-progress {
height: 26px;
width: 400px;
border-radius: 15px;
background-color: #272425;
border: 3px solid #272425;
box-sizing: border-box;
margin-bottom: 30px;
}
.inner {
position: relative;
background: #379bff;
border-radius: 15px;
height: 25px;
box-sizing: border-box;
left: -3px;
top: -2px;
}
.inner span {
position: absolute;
right: 0;
top: 26px;
}
</style>
props校验完整写法
props: {
校验的属性名: {
type: 类型, // Number String Boolean ...
required: true, // 是否必填
default: 默认值, // 默认值
validator (value) {
// 自定义校验逻辑
return 是否通过校验
}
}
},
<script>
export default {
// 完整写法(类型、默认值、非空、自定义校验)
props: {
w: {
type: Number,
//required: true,
default: 0,
validator(val) {
// console.log(val)
if (val >= 100 || val <= 0) {
console.error('传入的范围必须是0-100之间')
return false
} else {
return true
}
},
},
},
}
</script>
- default和required一般不同时写(因为当时必填项时,肯定是有值的)
- default后面如果是简单类型的值,可以直接写默认。如果是复杂类型的值,则需要以函数的形式return一个默认值
props&data、单向数据流
共同点:一个组件中props和data,都可以给组件提供数据
区别:
- data 的数据是自己的 → 随便改
- prop 的数据是外部的 → 不能直接改,要遵循 单向数据流
单向数据流:父级props 的数据更新,会向下流动,影响子组件。这个数据流动是单向的
特点:子组件修改prop数据不会影响到父组件的数据
约定:谁的数据,谁负责修改
代码演示
<template>
<div class="app">
<BaseCount></BaseCount>
</div>
</template>
<script>
import BaseCount from './components/BaseCount.vue'
export default {
components:{
BaseCount
},
data(){
},
}
</script>
<style>
</style>
<template>
<div class="base-count">
<button @click="count--">-</button>
<span>{{ count }}</span>
<button @click="count++">+</button>
</div>
</template>
<script>
export default {
// 1.自己的数据随便修改 (谁的数据 谁负责)
data () {
return {
count: 100,
}
},
// 2.外部传过来的数据 不能随便修改
//props: {
// count: {
// type: Number,
// },
//}
}
</script>
<style>
.base-count {
margin: 20px;
}
</style>
综合案例-小黑记事本组件版
需求:把小黑记事本原有的结构拆成三部分内容:
- 头部(TodoHeader)
- 列表(TodoMain)
- 底部(TodoFooter)
- App.vue是它们的父组件,用来统一管理任务数据
功能拆解:
- 拆分头部(TodoHeader)、列表(TodoMain)、底部(TodoFooter)三个基础组件 -> App.vue中使用这些基础组件
- 列表(TodoMain)组件-显示代办任务 -> App.vue 向 列表(TodoMain)组件 通过props传递任务数组
- 列表(TodoMain)组件- 删除代办任务 -> 通过$emit向App.vue中的任务数组中删除数据
- 头部(TodoHeader)组件-添加任务 -> 通过$emit向App.vue中的任务数组中追加数据
- 底部(TodoFooter)组件- 合计 和 清空功能任务 -> 分别通过 props和$emit来完成
- App.vue组件完成任务数据存储 -> watch + localStorage来实现
html,
body {
margin: 0;
padding: 0;
}
body {
background: #fff;
}
button {
margin: 0;
padding: 0;
border: 0;
background: none;
font-size: 100%;
vertical-align: baseline;
font-family: inherit;
font-weight: inherit;
color: inherit;
-webkit-appearance: none;
appearance: none;
-webkit-font-smoothing: antialiased;
-moz-osx-font-smoothing: grayscale;
}
body {
font: 14px 'Helvetica Neue', Helvetica, Arial, sans-serif;
line-height: 1.4em;
background: #f5f5f5;
color: #4d4d4d;
min-width: 230px;
max-width: 550px;
margin: 0 auto;
-webkit-font-smoothing: antialiased;
-moz-osx-font-smoothing: grayscale;
font-weight: 300;
}
:focus {
outline: 0;
}
.hidden {
display: none;
}
.App {
background: #fff;
margin: 180px 0 40px 0;
padding: 15px;
position: relative;
box-shadow: 0 2px 4px 0 rgba(0, 0, 0, 0.2), 0 25px 50px 0 rgba(0, 0, 0, 0.1);
}
.App .header input {
border: 2px solid rgba(175, 47, 47, 0.8);
border-radius: 10px;
}
.App .add {
position: absolute;
right: 15px;
top: 15px;
height: 68px;
width: 140px;
text-align: center;
background-color: rgba(175, 47, 47, 0.8);
color: #fff;
cursor: pointer;
font-size: 18px;
border-radius: 0 10px 10px 0;
}
.App input::-webkit-input-placeholder {
font-style: italic;
font-weight: 300;
color: #e6e6e6;
}
.App input::-moz-placeholder {
font-style: italic;
font-weight: 300;
color: #e6e6e6;
}
.App input::input-placeholder {
font-style: italic;
font-weight: 300;
color: gray;
}
.App h1 {
position: absolute;
top: -120px;
width: 100%;
left: 50%;
transform: translateX(-50%);
font-size: 60px;
font-weight: 100;
text-align: center;
color: rgba(175, 47, 47, 0.8);
-webkit-text-rendering: optimizeLegibility;
-moz-text-rendering: optimizeLegibility;
text-rendering: optimizeLegibility;
}
.new-todo,
.edit {
position: relative;
margin: 0;
width: 100%;
font-size: 24px;
font-family: inherit;
font-weight: inherit;
line-height: 1.4em;
border: 0;
color: inherit;
padding: 6px;
box-shadow: inset 0 -1px 5px 0 rgba(0, 0, 0, 0.2);
box-sizing: border-box;
-webkit-font-smoothing: antialiased;
-moz-osx-font-smoothing: grayscale;
}
.new-todo {
padding: 16px;
border: none;
background: rgba(0, 0, 0, 0.003);
box-shadow: inset 0 -2px 1px rgba(0, 0, 0, 0.03);
}
.main {
position: relative;
z-index: 2;
}
.todo-list {
margin: 0;
padding: 0;
list-style: none;
overflow: hidden;
}
.todo-list li {
position: relative;
font-size: 24px;
height: 60px;
box-sizing: border-box;
border-bottom: 1px solid #e6e6e6;
}
.todo-list li:last-child {
border-bottom: none;
}
.todo-list .view .index {
position: absolute;
color: gray;
left: 10px;
top: 20px;
font-size: 22px;
}
.todo-list li .toggle {
text-align: center;
width: 40px;
/* auto, since non-WebKit browsers doesn't support input styling */
height: auto;
position: absolute;
top: 0;
bottom: 0;
margin: auto 0;
border: none; /* Mobile Safari */
-webkit-appearance: none;
appearance: none;
}
.todo-list li .toggle {
opacity: 0;
}
.todo-list li .toggle + label {
/*
Firefox requires `#` to be escaped - https://bugzilla.mozilla.org/show_bug.cgi?id=922433
IE and Edge requires *everything* to be escaped to render, so we do that instead of just the `#` - https://developer.microsoft.com/en-us/microsoft-edge/platform/issues/7157459/
*/
background-image: url('data:image/svg+xml;utf8,%3Csvg%20xmlns%3D%22http%3A//www.w3.org/2000/svg%22%20width%3D%2240%22%20height%3D%2240%22%20viewBox%3D%22-10%20-18%20100%20135%22%3E%3Ccircle%20cx%3D%2250%22%20cy%3D%2250%22%20r%3D%2250%22%20fill%3D%22none%22%20stroke%3D%22%23ededed%22%20stroke-width%3D%223%22/%3E%3C/svg%3E');
background-repeat: no-repeat;
background-position: center left;
}
.todo-list li .toggle:checked + label {
background-image: url('data:image/svg+xml;utf8,%3Csvg%20xmlns%3D%22http%3A//www.w3.org/2000/svg%22%20width%3D%2240%22%20height%3D%2240%22%20viewBox%3D%22-10%20-18%20100%20135%22%3E%3Ccircle%20cx%3D%2250%22%20cy%3D%2250%22%20r%3D%2250%22%20fill%3D%22none%22%20stroke%3D%22%23bddad5%22%20stroke-width%3D%223%22/%3E%3Cpath%20fill%3D%22%235dc2af%22%20d%3D%22M72%2025L42%2071%2027%2056l-4%204%2020%2020%2034-52z%22/%3E%3C/svg%3E');
}
.todo-list li label {
word-break: break-all;
padding: 15px 15px 15px 60px;
display: block;
line-height: 1.2;
transition: color 0.4s;
}
.todo-list li.completed label {
color: #d9d9d9;
text-decoration: line-through;
}
.todo-list li .destroy {
display: none;
position: absolute;
top: 0;
right: 10px;
bottom: 0;
width: 40px;
height: 40px;
margin: auto 0;
font-size: 30px;
color: #cc9a9a;
margin-bottom: 11px;
transition: color 0.2s ease-out;
}
.todo-list li .destroy:hover {
color: #af5b5e;
}
.todo-list li .destroy:after {
content: '×';
}
.todo-list li:hover .destroy {
display: block;
}
.todo-list li .edit {
display: none;
}
.todo-list li.editing:last-child {
margin-bottom: -1px;
}
.footer {
color: #777;
padding: 10px 15px;
height: 20px;
text-align: center;
border-top: 1px solid #e6e6e6;
}
.footer:before {
content: '';
position: absolute;
right: 0;
bottom: 0;
left: 0;
height: 50px;
overflow: hidden;
box-shadow: 0 1px 1px rgba(0, 0, 0, 0.2), 0 8px 0 -3px #f6f6f6,
0 9px 1px -3px rgba(0, 0, 0, 0.2), 0 16px 0 -6px #f6f6f6,
0 17px 2px -6px rgba(0, 0, 0, 0.2);
}
.todo-count {
float: left;
text-align: left;
}
.todo-count strong {
font-weight: 300;
}
.filters {
margin: 0;
padding: 0;
list-style: none;
position: absolute;
right: 0;
left: 0;
}
.filters li {
display: inline;
}
.filters li a {
color: inherit;
margin: 3px;
padding: 3px 7px;
text-decoration: none;
border: 1px solid transparent;
border-radius: 3px;
}
.filters li a:hover {
border-color: rgba(175, 47, 47, 0.1);
}
.filters li a.selected {
border-color: rgba(175, 47, 47, 0.2);
}
.clear-completed,
html .clear-completed:active {
float: right;
position: relative;
line-height: 20px;
text-decoration: none;
cursor: pointer;
}
.clear-completed:hover {
text-decoration: underline;
}
.info {
margin: 50px auto 0;
color: #bfbfbf;
font-size: 15px;
text-shadow: 0 1px 0 rgba(255, 255, 255, 0.5);
text-align: center;
}
.info p {
line-height: 1;
}
.info a {
color: inherit;
text-decoration: none;
font-weight: 400;
}
.info a:hover {
text-decoration: underline;
}
/*
Hack to remove background from Mobile Safari.
Can't use it globally since it destroys checkboxes in Firefox
*/
@media screen and (-webkit-min-device-pixel-ratio: 0) {
.toggle-all,
.todo-list li .toggle {
background: none;
}
.todo-list li .toggle {
height: 40px;
}
}
@media (max-width: 430px) {
.footer {
height: 50px;
}
.filters {
bottom: 10px;
}
}
<!-- 输入框 拷贝进 TodoHeader.vue -->
<header class="header">
<h1>小黑记事本</h1>
<input placeholder="请输入任务" class="new-todo" />
<button class="add">添加任务</button>
</header>
<!-- 列表区域 - 拷贝进TodoMain.vue -->
<section class="main">
<ul class="todo-list">
<li class="todo">
<div class="view">
<span class="index">1.</span> <label>吃饭饭</label>
<button class="destroy"></button>
</div>
</li>
</ul>
</section>
<!-- 统计和清空- 拷贝进-TodoFooter.vue -->
<footer class="footer">
<!-- 统计 -->
<span class="todo-count">合 计:<strong> 1 </strong></span>
<!-- 清空 -->
<button class="clear-completed">
清空任务
</button>
</footer>
下载后,替换项目中的src目录
src.rar
📎06-小黑记事本组件版-完成TodoMain组件开发.rar
语法进阶
非父子通信-事件总线event bus
作用:事件总线event bus可以用在非父子组件之间,进行简易消息传递 (复杂场景→ Vuex)
需求:B组件向C组件进行传递数据
使用步骤:(媒婆传话)
- 创建一个都能访问到的事件总线 (空 Vue 实例) → utils/EventBus.js
- C 组件(接收方),监听 Bus 实例的事件
- B 组件(发送方),触发 Bus 实例的事件
代码示例
import Vue from 'vue'
const Bus = new Vue()
export default Bus
<template>
<div class="base-a">
我是C组件(接收方)
<p>{{msg}}</p>
</div>
</template>
<script>
import Bus from '../utils/EventBus.js'
export default {
data() {
return {
msg: '',
}
},
created(){
Bus.$on('sendMsg',(msg)=>{
this.msg = msg
})
}
}
</script>
<style scoped>
.base-a {
width: 200px;
height: 200px;
border: 3px solid #000;
border-radius: 3px;
margin: 10px;
}
</style>
<template>
<div class="base-b">
<div>我是B组件(发布方)</div>
<button @click="sendMsg">发送消息</button>
</div>
</template>
<script>
// 1. 导入Bus对象(媒人导入)
import Bus from '../utils/EventBus.js'
export default {
methods: {
sendMsg() {
// 发送方:调用Bus上的$emit方法来触发事件
// 2. 调用Bus $emit方法触发事件
Bus.$emit('sendMsg','我是来自B组件的消息')
},
},
};
</script>
<style scoped>
.base-b {
width: 200px;
height: 200px;
border: 3px solid #000;
border-radius: 3px;
margin: 10px;
}
</style>
<template>
<div class="app">
<BaseA></BaseA>
<BaseB></BaseB>
</div>
</template>
<script>
import BaseA from './components/BaseA.vue'
import BaseB from './components/BaseB.vue'
export default {
components:{
BaseA,
BaseB
}
}
</script>
<style>
</style>
非父子通信-provide&inject
作用:provide&inject可以实现组件的跨层级共享数据
provide&inject传递数据使用步骤:
- 父组件 provide 提供数据
- 子/孙组件 inject 取值使用
注意:
- provide提供的简单类型的数据不是响应式的,复杂类型数据是响应式。(推荐提供复杂类型数据 ->定义在data()函数中)
- 子/孙组件通过inject获取的数据,不能在自身组件内修改
- 父组件 provide提供数据
export default {
provide () {
return {
// 普通类型【非响应式】
color: this.color,
// 复杂类型【响应式】
userInfo: this.userInfo,
}
}
}
2.子/孙组件 inject获取数据
export default {
inject: ['color','userInfo'],
created () {
console.log(this.color, this.userInfo)
}
}
provide和inject传值静态组件结构.rar
<template>
<div class="box">
我是App.vue
<BaseBVue></BaseBVue>
</div>
</template>
<script>
import BaseBVue from "./components/BaseB.vue";
export default {
data() {
return {
message: { msg: "我是App.vue中的数据" },
};
},
provide() {
return {
msg: this.message,
};
},
components: {
BaseBVue,
},
};
</script>
<style scoped>
.box {
width: 300px;
height: 300px;
border: 3px solid #000;
border-radius: 3px;
margin: 10px;
}
</style>
<template>
<div class="base-b">
<div>
我是B组件{{msg.msg}}
<BaseCVue></BaseCVue>
</div>
</div>
</template>
<script>
import BaseCVue from "./BaseC.vue";
export default {
inject:['msg'],
components: {
BaseCVue,
},
};
</script>
<style scoped>
.base-b {
width: 200px;
height: 200px;
border: 3px solid #000;
border-radius: 3px;
margin: 10px;
}
</style>
<template>
<div class="base-c">
<div>
我是C组件
{{msg.msg}}
</div>
</div>
</template>
<script>
export default {
// 通过inject接收数据
inject:['msg']
};
</script>
<style scoped>
.base-c {
width: 100px;
height: 100px;
border: 3px solid #000;
border-radius: 3px;
margin: 10px;
}
</style>
组件传值阶段总结
- 父传子
- 子传父
- 事件总线- 非父子关系
- 家族树传值 - provide 和 inject
父子组件双向数据绑定
思考:默认情况下我们可以给组件用上 v-model进行双向数据绑定吗? 不能 -> 那么如何做?
解决方法:
- 用vue实现 v-model 的写法(原理)
- 用 v-bind:属性.sync 修饰符
v-model原理
v-model原理:v-model本质上是一个语法糖 -> 应用在输入框上,就是value属性 和 input事件 的合写
作用:v-model是双向数据绑定
① 数据变,视图跟着变 :value
② 视图变,数据跟着变 @input
说明:$event 用于在模板中,获取事件的形参 (这里的$event就是事件对象e)
<template>
<div class="app">
<!-- v-model实现双向数据绑定 -->
<input type="text" v-model="msg" />
<br />
<!-- v-model的原理写法 -->
<input type="text" :value="msg" @input="msg = $event.target.value" />
</div>
</template>
<script>
export default {
data() {
return {
msg1: '',
msg2: '',
}
},
}
</script>
<style>
</style>
说明:
不同的表单元素, v-model在底层的处理机制不一样。
- 给文本框,文本域 -> Vue框架底层是拆解成
value属性 + input事件
来实现 - 下拉框 -> Vue框架底层是拆解成
value属性 + change事件
来实现 - 给复选框,单选框 使用v-model ->Vue框架底层是拆解成
checked属性和change事件
来实现
<template>
<div class="app">
<!-- v-model实现双向数据绑定 -->
<input type="checkbox" v-model="isSelected" />
<br />
<!-- v-model的原理写法 -->
<input type="checkbox" :checked="isSelected" @change="isSelected = $event.target.checked" >
</div>
</template>
<script>
export default {
data() {
return {
isSelected:true
}
},
}
</script>
<style>
</style>
<template>
<div>
<!-- v-model实现双向数据绑定 -->
<select v-model="cid">
<option value="101">北京</option>
<option value="102">上海</option>
</select>
<!-- v-model的原理写法 -->
<select :value="cid" @change="cid = $event.target.value">
<option value="101">北京</option>
<option value="102">上海</option>
</select>
</div>
</template>
<script>
export default {
data(){
return {
cid:'102'
}
}
}
</script>
<style>
</style>
案例-封装城市下拉组件
需求:使用v-model实现子组件(BaseSelect.vue)和父组件(App.vue)数据的双向绑定
- App.vue中定义城市id,传递给BaseSelect.vue后,自动选择对应的城市
- 用户重新选择城市后,将新的城市id回传给父组件App.vue
拆解:
- 创建子组件BaseSelect.vue 静态结构
- 在父组件App.vue中使用子组件BaseSelect的同时,通过v-model传入城市id 102
- BaseSelect.vue中通过props:{value:String}接收传入的城市id,并将value绑定在select元素上
- BaseSelect.vue中通过在select标签上注册@change事件,结合 this.$emit('input', e.target.value)将新选择的城市id回传给App.vue
<template>
<div class="app">
<BaseSelect></BaseSelect>
</div>
</template>
<script>
import BaseSelect from './components/BaseSelect.vue'
export default {
data() {
return {
selectId: '102',
}
},
components: {
BaseSelect,
},
}
</script>
<style>
</style>
<template>
<div>
<select>
<option value="101">北京</option>
<option value="102">上海</option>
<option value="103">武汉</option>
<option value="104">广州</option>
<option value="105">深圳</option>
</select>
</div>
</template>
<script>
export default {
}
</script>
<style>
</style>
实现的核心代码:
<template>
<div>
<select v-model="value" @change="cityChange">
<option value="101">北京</option>
<option value="102">上海</option>
<option value="103">武汉</option>
<option value="104">广州</option>
<option value="105">深圳</option>
</select>
</div>
</template>
<script>
export default {
methods: {
cityChange() {
// console.log(this.value);
this.$emit('input',this.value)
},
},
props: {
value: {
type: String,
},
},
};
</script>
<style>
</style>
<template>
<div>
App.vue组件 {{selectId}}
<hr />
<!-- v-model双向绑定 -->
<BaseSelect v-model="selectId"></BaseSelect>
<!-- v-model双向绑定实现原理 -->
<BaseSelect :value="selectId" @input="inputHander"></BaseSelect>
<!-- <input type="text" v-model="selectId">
<input type="text" :value="selectId" @input="selectId = $event.target.value">
-->
</div>
</template>
<script>
import BaseSelect from "./components/BaseB.vue";
export default {
data() {
return {
selectId: "102",
};
},
methods: {
inputHander(cityId) {
this.selectId = cityId
},
},
components: {
BaseSelect,
},
};
</script>
<style scoped>
</style>
.sync修饰符
作用:可以实现 子组件 与 父组件数据 的 双向绑定
.sync修饰符原理: :属性名 和 @update:属性名 的合写
案例-封装城市下拉组件
<template>
<div>
<select :value="value" @change="handleChange">
<option value="101">北京</option>
<option value="102">上海</option>
<option value="103">武汉</option>
<option value="104">广州</option>
<option value="105">深圳</option>
</select>
</div>
</template>
<script>
export default {
props:{
value:{
type:String
}
},
methods: {
handleChange (e) {
this.$emit('update:value', e.target.value)
}
}
}
</script>
<style>
</style>
<template>
<div class="app">
<BaseSelect :value.sync="selectId"></BaseSelect>
<BaseSelect :value="selectId" @update:value="selectId = $event">
</BaseSelect>
{{ selectId }}
</div>
</template>
<script>
import BaseSelect from './components/BaseSelect.vue'
export default {
data() {
return {
selectId: '102',
}
},
components: {
BaseSelect,
},
}
</script>
<style>
</style>
ref和$refs
作用:利用 ref 和 $refs 可以用于 获取 dom 元素, 或 组件实例
ref和$refs特点:查找范围 → 当前组件内 (更精确稳定)
语法:
案例-获取dom元素-渲染图表
<template>
<div class="app">
<BaseChart></BaseChart>
</div>
</template>
<script>
import BaseChart from './components/BaseChart.vue'
export default {
components:{
BaseChart
}
}
</script>
<style>
</style>
<template>
<div class="base-chart-box" ref="baseChartBox">子组件</div>
</template>
<script>
// yarn add echarts 或者 npm i echarts
import * as echarts from 'echarts'
export default {
mounted() {
// 基于准备好的dom,初始化echarts实例
// const myChart = echarts.init(document.querySelector('.base-chart-box'))
const myChart = echarts.init(this.$refs.baseChartBox)
// 绘制图表
myChart.setOption({
// 大标题
title: {
text: '消费账单列表',
left: 'center'
},
// 提示框
tooltip: {
trigger: 'item'
},
// 图例
legend: {
orient: 'vertical',
left: 'left'
},
// 数据项
series: [
{
name: '消费账单',
type: 'pie',
radius: '50%', // 半径
data: [
{ value: 1048, name: '球鞋' },
{ value: 735, name: '防晒霜' }
],
emphasis: {
itemStyle: {
shadowBlur: 10,
shadowOffsetX: 0,
shadowColor: 'rgba(0, 0, 0, 0.5)'
}
}
}
]
})
},
}
</script>
<style scoped>
.base-chart-box {
width: 400px;
height: 300px;
border: 3px solid #000;
border-radius: 6px;
}
</style>
案例-获取组件实例-登录组件
<template>
<div class="box">
<form>
账号:<input type="text" v-model="user.uname" />
<br />
密码:<input type="password" v-model="user.pwd" />
</form>
</div>
</template>
<script>
export default {
data() {
return {
user: {
uname: "admin",
pwd: "123",
},
};
},
methods:{
login(){
alert(JSON.stringify(this.user))
}
}
};
</script>
<style scoped>
.box {
width: 300px;
height: 100px;
border: 1px solid #000;
border-radius: 10px;
display: flex;
justify-content: center;
}
.box form {
height: 70px;
align-self: center;
}
.box form input:last-child {
margin-top: 10px;
}
</style>
<template>
<div class="app">
<UserLogin ></UserLogin>
<div>
<button >获取用户数据</button>
<button >重置表单</button>
</div>
</div>
</template>
<script>
import UserLogin from './components/UserLogin.vue'
export default {
components:{
UserLogin
},
methods:{
reset(){
}
}
}
</script>
<style>
.base-chart-box {
width: 400px;
height: 300px;
border: 3px solid #000;
border-radius: 6px;
}
</style>
Vue异步更新 & $nextTick
Vue的异步更新特性
<template>
<div class="app">
<span ref="span">{{ num }}</span>
<button @click="addone">+1</button>
</div>
</template>
<script>
export default {
data() {
return {
num: 1,
};
},
methods: {
addone() {
this.num++;
this.num++;
console.log(this.num);//打印3
console.log(this.$refs.span.innerHTML) //❌还是拿到上一次的值1
},
},
};
</script>
<style>
</style>
Vue 在更新 DOM 时是异步执行的
- 只要侦听到数据变化,Vue 将开启一个队列,并缓冲在同一事件循环中发生的所有数据变更
- 如果同一个 watcher 被多次触发,只会被推入到队列中一次。
- 在下一个的事件循环中(nextTick),Vue 刷新队列并执行实际 (已去重的) 任务(先进先执行)
上面代码中,当num的值改变时,由于dom更新是异步的,所以通过
this.$refs.span.innerHTML拿到的结果是不准确的。
如何解决?使用 $nextTick
$nextTick
$nextTick:等 DOM 更新后, 才会触发执行此方法里的函数体
语法:
- 回调函数写法: this.$nextTick(()=>{ })
- Promise写法: this.$nextTick().then(res=>{ })
<template>
<div class="app">
<span ref="span">{{ num }}</span>
<button @click="addone">+1</button>
</div>
</template>
<script>
export default {
data() {
return {
num: 1,
};
},
methods: {
addone() {
this.num++;
this.num++;
console.log(this.num);//打印3
// console.log(this.$refs.span.innerHTML) //❌还是拿到上一次的值1
this.$nextTick(()=>{ console.log(this.$refs.span.innerHTML)}) // ✔️打印3
this.$nextTick().then(res=>{console.log(this.$refs.span.innerHTML)}) // ✔️打印3
},
},
};
</script>
<style>
.base-chart-box {
width: 400px;
height: 300px;
border: 3px solid #000;
border-radius: 6px;
}
</style>
案例-表格行内编辑
需求:点击编辑按钮,切换到编辑框后自动聚焦
<template>
<div class="app">
<div>
<input type="text" v-model="title" ref="inp" />
<button>确认</button>
</div>
<div>
<span>{{ title }}</span>
<button @click="editFn">编辑</button>
</div>
</div>
</template>
<script>
export default {
data() {
return {
title: "标题",
isShowEdit: false
};
},
methods: {
},
};
</script>
<style>
</style>
<template>
<div class="app">
<div v-if="isShowEdit">
<input type="text" v-model="title" ref="inp" />
<button>确认</button>
</div>
<div v-else>
<span>{{ title }}</span>
<button @click="editFn">编辑</button>
</div>
</div>
</template>
<script>
export default {
data() {
return {
title: "大标题",
isShowEdit: false
};
},
methods: {
editFn() {
// 1.显示文本框
this.isShowEdit = true;
// 2.让文本框聚焦 (会等dom更新完之后 立马执行nextTick中的回调函数)
this.$nextTick(() => {
console.log(this.$refs.inp);
this.$refs.inp.focus();
});
// setTimeout(() => {
// this.$refs.inp.focus()
// }, 0)
},
},
};
</script>
<style>
</style>
注意:$nextTick 内的函数体 一定是箭头函数,这样才能让函数内部的this指向Vue实例
回顾
- v-model原理 -> 用v-model对组件进行双向绑定
- :属性.sync -> 对组件进行双向绑定
v-model原理:父传子 + 子传父
用在组件上的规则:将 v-model 拆解成了 :value="" @input=""
子组件中我们就可以使用 props:['value']来接收传入的数据 , 使用 this.$emit('input',传的数据)
来向父组件传递数据
:属性可以自定义.sync -> 拆解 :属性="" @update:属性=""
props:['属性']来接收传入的数据 , 使用 this.$emit('update:属性',传的数据)
来向父组件传递数据
- 事件总线 Event Bus
- provide & inject
- ref & $refs
- $nextTick(等待Dom更新完毕后再出发) -> Vue Dom异步更新(事件循环)