所以我有一个祖父母组件具有以下代码:

<template>
  <div>
      <Question qtype="single" qroot="1">
        <Answer qpoints="5" aid="1" qcorrect>Option 1</Answer>
        <Answer qpoints="0" aid="2">Option 2</Answer>
      </Question>
  </div>
</template>
<style>
</style>
<script>
import Question from "~/components/render/Question";
import Answer from "~/components/render/Answer";
export default {
  components: {
    Question,
    Answer
  }
};
</script>


父组件:

<template>
  <div>
        <slot v-bind="$props"></slot>
  </div>
</template>
<style>
</style>
<script>
export default {
  props: ['qtype','qroot']
};
</script>


儿童:

<template>
  <div>
    {{$props}}
    <li style="clear: left;">
      <input v-if="qtype == 'single'" :id="'qid-'+qid" type="radio" :name="qroot" :value="qid" style="float:left" />
      <input v-if="qtype == 'multiple'" :id="'qid-'+qid" type="checkbox" :name="qroot" :value="qid" style="float:left" />
      <label style="float:left;margin-left:5px" :for="'qid-'+qid">
        <slot></slot>
      </label>
    </li>
  </div>
</template>
<style>
</style>
<script>
export default {
   props: ["qtype", "qpoints", "qcorrect", "qroot", "aid"]
};
</script>


我试图使用v-bind,常规prop传递,就像这样的':qtype =“ qtype”',但它似乎不起作用。
如何将“ qtype”和“ qroot”道具传递给孙子组件?

最佳答案

您可以使用Scoped Slots实现您想要的。

首先,我们需要在Question.vue中正确命名prop绑定。现在将其称为slotProps

<!-- Question.vue -->
<slot :slotProps="$props"></slot>


现在,让我们来完成主文件中的所有魔术。
现在还记得我是怎么提到作用域插槽的吗?使用他们的API,我们可以做到这一点。我认为这些守则是不言而喻的。

<!-- main file -->
<Question qtype="single" qroot="1" v-slot="{ slotProps }">
  <Answer :qtype="slotProps.qtype" :qroot="slotProps.qroot" qpoints="5" aid="1" qcorrect>Option 1</Answer>
  <Answer :qtype="slotProps.qtype" :qroot="slotProps.qoot" qpoints="0" aid="2">Option 2</Answer>
</Question>


免责声明:仅适用于Vue 2.6或更高版本!

不确信这行得通吗?检出this

07-24 09:43