插槽
让父组件跨域向子组件指定位置插入html结构,也是一种组件间通信的方式,适用于父组件=>子组件
1.默认插槽
父组件中:
<Category>
<template>
<div>html结构</div>
</template>
</Category>
子组件中:
<template>
<div>
<!-- 定义一个插槽,等着组建的使用者进行填充 -->
<slot>默认值,当使用者没有传递具体值时,出现。</slot>
</div>
</template>
2.具名插槽
父组件中:
<Category title="美食">
<template slot="center">
<div>html结构1</div>
</template>
<!-- 写法2 -->
<template v-slot:footer>
<div>html结构2</div>
</template>
</Category>
子组件中:
<template>
<div>
<!-- 定义一个插槽,等着组建的使用者进行填充 -->
<slot name="center">默认值,当使用者没有传递具体值时,出现1。</slot>
<slot name="footer">默认值,当使用者没有传递具体值时,出现2。</slot>
</div>
</template>
3.作用域插槽
数据在组件的自身,但根据数据生成的结构需要组件的使用者来决定
数据一致,使用者对于结构提出要求。1.无序列表2.有序列表3.h4标题
子组件中:
games 数据在子组件中
<template>
<div class="category">
<!-- 定义一个插槽,等着组建的使用者进行填充 -->
<slot :games="games">默认值,当使用者没有传递具体值时,出现1。</slot>
<!-- games传给了插槽的使用者 -->
</div>
</template>
父组件中:
(scope 进行接收)
<template>
<div>
<Category>
<template scope="demo">
<ul>
<li v-for="(g,index) in demo.games" :key="index">{{g}}</li>
</ul>
</template>
</Category>
<Category>
<template scope="demo">
<ol>
<li v-for="(g,index) in demo.games" :key="index">{{g}}</li>
</ol>
</template>
</Category>
<Category>
<template scope="demo">
<h4 v-for="(g,index) in demo.games" :key="index">{{g}}</h4>
</template>
</Category>
</div>
</template>
|