vue父子组件通信

最近项目中有使用到 vue ,记录一下 vue 父子组件之间的数据传递

vue 父子组件通信

父 -> 子的数据传递

使用 Props 传递数据

父组件

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
<template>
<div class="parent">
<son :number="num"></son>
</div>
</template>

<script>
import son from './children/son'

export default {
name: 'parent',
data () {
return {
num: 1
}
},
components:{
son
}
}
</script>

子组件

1
2
3
4
5
6
7
8
9
10
11
12
13
14
<template>
<div class="son">
{{number}}
</div>
</template>

<script>
export default {
name: 'son',
props:{
number:Number
}
}
</script>

子组件显示 0

动态 Props

修改父组件

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
<template>
<div class="parent">
<son :number="num"></son>
</div>
</template>

<script>
import son from './children/son'

export default {
name: 'parent',
data () {
return {
num: 1
}
},
mounted () {
setTimeout(() => {
this.num = 99;
}, 3000);
},
components:{
son
}
}
</script>

子组件先显示 0, 3 秒后显示 99

子 -> 父的数据传递

自定义事件

父组件

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
<template>
<div class="parent">
<son :number="num" @reset="resetNum"></son>
</div>
</template>

<script>
import son from './children/son'

export default {
name: 'parent',
data () {
return {
num: 0
}
},
mounted () {
setTimeout(() => {
this.num = 99;
}, 3000);
},
methods: {
resetNum (data) {
this.num = data;
}
},
components:{
son
}
}
</script>

子组件

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
<template>
<div class="son">
{{number}}
<button @click="reset">reset</button>
</div>
</template>

<script>
export default {
name: 'son',
props:{
number:Number
},
methods: {
reset () {
this.$emit('reset', 0)
}
}
}
</script>

此时, 子组件初始显示 0, 3 秒后显示 99, 点击 reset 重新显示 0

.sync 修饰符

实现双向数据绑定的语法糖

父组件

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
<template>
<div class="parent">
<son :number.sync="num"></son>
</div>
</template>

<script>
import son from './children/son'

export default {
name: 'parent',
data () {
return {
num: 0
}
},
mounted () {
setTimeout(() => {
this.num = 99;
}, 3000);
},
components:{
son
}
}
</script>

子组件

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
<template>
<div class="son">
{{number}}
<button @click="reset">reset</button>
</div>
</template>

<script>
export default {
name: 'son',
props:{
number:Number
},
methods: {
reset () {
this.$emit('update:number', 0)
}
}
}
</script>

https://cn.vuejs.org/v2/guide/components.html#Prop