0👍
✅
As it turns out – Fragments can be unwrapped through the children property on each element of the array. So v-for in this case results in a v-node which is a fragment but we can infer further content by looking at the children property.
-1👍
The design of your card component does not look meaningful to me. I suggest you to rethink it.
Here is the simple playground rendering slots
const { createApp, h } = Vue;
const Card = {
setup(props, { attrs, slots, emit, expose }) {
return () => [
h('label', 'Card'),
h('div', 'Slots:'),
h('div', {}, slots.default()),
h('div', {}, slots.header()),
h('div', {}, slots.body()),
h('div', {}, slots.footer())
]
}
}
const App = {
components: { Card },
data() {
return {
}
}
}
const app = createApp(App)
app.mount('#app')
#app { line-height: 2; }
[v-cloak] { display: none; }
label { font-weight: bold; }
<div id="app">
<card>
<template #default>
Default
<card-header>
<title level="3">Header</title>
</card-header>
</template>
<template #header>
Header
</template>
<template #body>
Body
</template>
<template #footer>
Footer
</template>
</card>
</div>
<script src="https://unpkg.com/vue@3/dist/vue.global.js"></script>
Pay attention to the warning. Vue does not render here card-header
, since it cannot resolve it.
[Vue warn]: Failed to resolve component: card-header
If this is a native custom elemen
And why do you want to manipulate the card-body
/card-footer
items over slots
, if you can just access the data directly over bodyCount
?
If looks not reasonable for me.
const { createApp, h } = Vue;
const CardHeader = {
template: '<div class="card-header">card-header: <slot></slot></div>'
}
const CardBody = {
template: '<div class="card-body">card-body: <slot></slot></div>'
}
const CardFooter = {
template: '<div class="card-footer">card-footer: <slot></slot></div>'
}
const Card = {
components: {
CardHeader, CardBody, CardFooter
},
setup(props, { attrs, slots, emit, expose }) {
//console.log(slots.default())
return () => [
h('label', 'Card'),
h('div', 'Slots:'),
h('div', {}, slots.default()),
]
}
}
const App = {
components: { Card, CardHeader, CardBody, CardFooter },
data() {
return {
bodyCount: ['a','b'],
footerCount: ['a','b']
}
}
}
const app = createApp(App)
app.mount('#app')
#app { line-height: 2; }
[v-cloak] { display: none; }
label { font-weight: bold; }
.card-header, .card-body, .card-footer {
border: 1px solid #F0F0F0;
}
<div id="app">
<card>
<template #default>
<card-header>
<div level="3">Header</div>
</card-header>
bodyCount: {{bodyCount.length}}
<card-body
v-for="b in bodyCount"
:key="'b' + b">
Body {{ b }}
</card-body>
footerCount: {{footerCount.length}}
<card-footer
v-for="f in footerCount"
:key="'f' + f">
<text>Footer {{ f }}</text>
</card-footer>
</template>
</card>
</div>
<script src="https://unpkg.com/vue@3/dist/vue.global.prod.js"></script>
Source:stackexchange.com