Реализация вложенных ссылок $в СПА-салоне VueJS, реализующем Vue-маршрутизатор

#javascript #vue.js #vuejs2 #vue-component #vue-router

Вопрос:

Я работаю над СПА-салоном Laravel/VueJS, который использует Vue / Vue-Router . У меня есть компонент Vue, которому был назначен a $ref (внутри компонента C / Вложенный Дочерний компонент), который инкапсулирован в основной компонент маршрутизатора Vue (Компонент B), который вводится в макет (Компонент A- Компонент макета)

Мне нужно получить доступ к этому элементу, который соответствует этому $ref (внутри компонента C), однако я не могу получить к нему доступ, поскольку иерархия компонентов (внутри компонента A)построена на основе информации, объявленной в Компоненте B.

 (Layout-Component / $root) - Vue Layout Component: --(Vue-Router-Component) -
Primary component injected into layout via Vue-Router - Child Component of
Component A --(dynamic-form-field) - Child Component of Vue-Router-Component

<Layout-Component ref="componentA">
  <Vue-Router-Component ref="componentB">
    <dynamic-form-field ref="componentC"></dynamic-form-field>
  </Vue-Router-Component>
</Layout-Component>
 

Я попытался получить доступ $ref , используя стандартный синтаксис вложенных $ref:

 this.$root.$refs['componentB'].$refs['componentC'].attribute
 

Однако я не могу получить доступ ни $refs к одному объявленному внутри Components B or C Component A .


Я определил, что это проблема жизненного цикла Vue, потому что, если я воссоздам иерархию вложенных компонентов (Компоненты A — C) непосредственно в основном макете (без использования данных, объявленных в компоненте B), я смогу получить доступ к вложенным $refs без проблем с помощью приведенного выше синтаксиса.


Проблема связана с созданием компонентов в Компоненте-A (Макет-Компонент) из данных, объявленных в Компоненте B.

Фрагмент компонента макета (Компонент А) :

 <template v-for="(input, field) in formDialog.inputs">
  <template v-if="Array.isArray(input)">
    <!-- for every record in the input array -->
    <template v-for="(inputArrRecord, arrIndex) in input">
      <v-col cols="12" class="p-0">
        <v-btn
          icon
          x-small
          v-if="arrIndex"
          class="float-right"
          color="error"
          :title="
            inputArrRecord.typeTitle
              ? `Remove ${inputArrRecord.typeTitle}`
              : 'Remove'
          "
          @click="inputArrRecord.removeAction"
        >
          <v-icon>mdi-close-box-multiple-outline</v-icon>
        </v-btn>
      </v-col>

      <template v-for="(inputArrRecordInput, field2) in inputArrRecord.inputs">
        <!-- for every field in the array record -->
        <dynamic-form-field
          :ref="`dynamicFormField${field2}`"
          :input="inputArrRecordInput"
          :field="field2"
          :mode="formMode"
          :error="formDialog.errors[`${field}.${arrIndex}.${field2}`]"
        ></dynamic-form-field>
      </template>
    </template>
  </template>

  <dynamic-form-field
    v-else
    :ref="`dynamicFormField${field}`"
    :input="input"
    :field="field"
    :mode="formMode"
    :error="formDialog.errors[field]"
  ></dynamic-form-field>
</template>
 

Data Declaration (Component B) Snippet:

 export default {
  data() {
    return {
      formDialog: {
        errors: [],
        show: false,
        inputs: {
          id: {
            val: '',
            save: true,
            type: 'hidden',
          },

          word_data: [],
          definitions: [],

          tags: {
            val: [],
            save: true,
            add: true,
            type: 'autocomplete',
            items: this.$root.cache.tags,
            ref: 'vocabTagsAutocomplete',
            label: 'Search For a Tag',
            actionChange: this.addExistingTag,
            actionKeydown: this.addNewTag,
          },

          synonym: {
            val: '',
            save: true,
            add: true,
            placeholder: 'Synonyms',
          },
        },
        titleActions: [
          {
            icon: 'mdi-book-plus',
            btnType: 'text',
            text: 'Add Word Type',
            event: this.cloneWordDataTemplate,
          },
          {
            icon: 'mdi-book-plus-outline',
            btnType: 'text',
            text: 'Add Definition',
            event: this.cloneDefinitionTemplate,
          },
        ],
      },
    }
  },
}
 

содержимое динамического поля формы. vue (Компонент C) :

 <template>
  <v-col
    v-if="(mode == 'add' amp;amp; input.add) || (mode == 'edit' amp;amp; input.save)"
    :cols="input.gridSize || 12"
  >
    <form-field-selection
      :input="input"
      :field="field"
      :error="error"
      :ref="`formFieldSelection${field}`"
    ></form-field-selection>
  </v-col>
</template>

<script>
  export default {
    name: 'dynamic-form-field',
    props: ['input', 'field', 'mode', 'error'],
  }
</script>
 

Как я могу получить доступ к $ref объявленному в компоненте C из компонента A?

Комментарии:

1. Вы не возражаете v-for против множества ссылок?

2. Массив ссылок не влияет на возможность доступа к компонентам по ссылке.

Ответ №1:

Ваш компонент C может выдавать событие, отправляя себя в виде данных:

 // Component C
<script>
/*..component code..*/
mounted(){
  this.$root.$emit('child_ready',this)
}
</script>
 

Затем вы можете услышать это событие в любом другом компоненте:

 // Your layout
<script>
/*...layout code...*/
created(){
    // Using created to make sure we add our listeners before any child mount
    this.$root.$on('child_ready',onChild)
},
beforeDestroy(){
    // cleaning the listener
    this.$root.$off('child_ready',onChild)
},
methods:{
    onChild(childRef){
        // Now you can access properties and methods
        // childRef.property()
        // childRef.method()
    }
}
<script>