1

我从 vuejs 开始,我试图弄清楚在根实例中引用子组件实例可以做些什么。我使用了 ref 属性,它工作得很好,除非我在单个文件组件中使用它(在模板标签中)。在这种特定情况下,我得到“未定义”。

所以,我试图理解为什么,因为它对于建立动态引用非常有用。我可能很容易绕过这种情况,但我想了解问题而不是逃跑。

因此,如果有人有想法;)

我正在使用 webpack 在我的 app.js 中导入我的单个文件组件并对其进行编译。然而,模板编译不是由 webpack 完成的,而是由浏览器在运行时完成的(也许这是解释的开始?)。

我的应用程序非常简单,我在点击标题时记录了我的引用,所以我认为它与生命周期回调无关。

这是我的文件:

应用程序.js

import Vue from 'Vue';
import appButton from './appButton.vue';
import appSection from './appSection.vue';


var app = new Vue({
    el: '#app',
    components:
    {
        'app-button' : appButton
    },
    methods:
    {
        displayRefs: function()
        {
            console.log(this.$refs.ref1);
            console.log(this.$refs.ref2);
            console.log(this.$refs.ref3);
        }
    }
});

我的组件 appButton.vue

<template>
    <div ref="ref3" v-bind:id="'button-'+name" class="button">{{label}}</div>
</template>


<script>

    module.exports = 
    {
        props: ['name', 'label']
    }

</script>

我的 index.html 正文

<body>

    <div id="app">

        <div id="background"></div>

        <div id="foreground">

            <img id="photo" src="./background.jpg"></img>

            <header ref="ref1">
                    <h1 v-on:click="displayRefs">My header exemple</h1>
            </header>


            <nav>
                <app-button ref="ref2" name="presentation" label="Qui sommes-nous ?"></app-button>
            </nav>

        </div>

    </div>

    <script src="./app.js"></script>

</body>

ref1 (header tag) 和 ref2 (app-button tag) 都找到了。但是 ref3 (在我的单个文件组件中)是未定义的。还

感谢您给我的所有答案,希望这不是一个愚蠢的错误。

4

1 回答 1

0

您设置的Aref只能在组件本身中访问。

如果您尝试console.log(this.$refs.ref3);使用 from 的方法appButton.vue,它将起作用。但它不会在父母身上工作。

如果要从父级访问该 ref,则需要使用$ref2访问组件,然后使用$ref3. 尝试这个:

var app = new Vue({
    el: '#app',
    components:
    {
        'app-button' : appButton
    },
    methods:
    {
        displayRefs: function()
        {
            console.log(this.$refs.ref1);
            console.log(this.$refs.ref2);
            console.log(this.$refs.ref2.$refs.ref3); // Here, ref3 will be defined.
        }
    }
});

从父母那里访问一些孩子ref不应该是一个好习惯。

于 2019-03-25T15:57:23.083 回答